source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(bs_results: np.ndarray, qubit_index_map: Dict, setting:
ExperimentSetting, n_shots: int, coeff: float=1.0) ->Tuple[float]:
idxs = [qubit_index_map[q] for q, _ in setting.out_operator]
obs_strings = bs_results[:, idxs]
my_obs_strings = 1 - 2 * obs_strings
obs_vals = coeff * np.prod(my_obs_strings, axis=1)
obs_mean = np.mean(obs_vals)
obs_var = np.var(obs_vals) / n_shots
return obs_mean, obs_var
| stats_from_measurements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bs_results: np.ndarray, qubit_index_map: Dict, setting:\n ExperimentSetting, n_shots: int, coeff: float=1.0) ->Tuple[float]:\n idxs = [qubit_index_map[q]... |
def x(a: Union[float, np.ndarray], var_a: Union[float, np.ndarray], b:
Union[float, np.ndarray], var_b: Union[float, np.ndarray]) ->Union[
float, np.ndarray]:
return var_a / b ** 2 + a ** 2 * var_b / b ** 4
| ratio_variance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a: Union[float, np.ndarray], var_a: Union[float, np.ndarray], b:\n Union[float, np.ndarray], var_b: Union[float, np.ndarray]) ->Union[\n float, np.ndarra... |
def x(qc: QuantumComputer, qubits: List[int], shots: int, prog: Program) ->(np
.ndarray, Dict):
n_shots_symm = int(round(np.ceil(shots / 2 ** len(qubits))))
if n_shots_symm * 2 ** len(qubits) > shots:
warnings.warn(
f'Symmetrization increasing number of shots from {shots} to {round(n_shots_symm * 2 ** len(qubits))}'
)
list_bitstrings_symm = []
for ops_bool in itertools.product([0, 1], repeat=len(qubits)):
total_prog_symm = prog.copy()
prog_symm = _ops_bool_to_prog(ops_bool, qubits)
total_prog_symm += prog_symm
dict_qub_idx = {}
ro = total_prog_symm.declare('ro', 'BIT', len(qubits))
for i, q in enumerate(qubits):
total_prog_symm += MEASURE(q, ro[i])
dict_qub_idx[q] = i
total_prog_symm.wrap_in_numshots_loop(n_shots_symm)
total_prog_symm_native = qc.compiler.quil_to_native_quil(
total_prog_symm)
total_prog_symm_bin = qc.compiler.native_quil_to_executable(
total_prog_symm_native)
bitstrings_symm = qc.run(total_prog_symm_bin)
bitstrings_symm = bitstrings_symm ^ ops_bool
list_bitstrings_symm.append(bitstrings_symm)
bitstrings = reduce(lambda x, y: np.vstack((x, y)), list_bitstrings_symm)
return bitstrings, dict_qub_idx
| exhaustive_symmetrization | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(qc: QuantumComputer, qubits: List[int], shots: int, prog: Program) ->(np\n .ndarray, Dict):\n n_shots_symm = int(round(np.ceil(shots / 2 ** len(qubits)))... |
def x(qc: QuantumComputer, tomo_experiment: TomographyExperiment, setting:
ExperimentSetting) ->Program:
calibr_prog = Program()
readout_povm_instruction = [i for i in tomo_experiment.program.out().
split('\n') if 'PRAGMA READOUT-POVM' in i]
calibr_prog += readout_povm_instruction
kraus_instructions = [i for i in tomo_experiment.program.out().split(
'\n') if 'PRAGMA ADD-KRAUS' in i]
calibr_prog += kraus_instructions
for q, op in setting.out_operator.operations_as_set():
calibr_prog += _one_q_pauli_prep(label=op, index=0, qubit=q)
for q, op in setting.out_operator.operations_as_set():
calibr_prog += _local_pauli_eig_meas(op, q)
return calibr_prog
| calibration_program | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(qc: QuantumComputer, tomo_experiment: TomographyExperiment, setting:\n ExperimentSetting) ->Program:\n calibr_prog = Program()\n readout_povm_instruct... |
def x(self, env=None, file=None, section=None, name=None, default=None):
env_val = environ.get(env)
if env_val is not None:
return env_val
try:
return self.configparsers[file].get(section, name)
except (NoSectionError, NoOptionError, KeyError):
return default
| env_or_config_or_default | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, env=None, file=None, section=None, name=None, default=None):\n env_val = environ.get(env)\n if env_val is not None:\n return env_val\n tr... |
def x(cls, size):
if not getattr(cls, '_instance', None):
cls._instance = {}
if size not in cls._instance:
cls._instance[size] = ThreadPool(size)
return cls._instance[size]
| instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, size):\n if not getattr(cls, '_instance', None):\n cls._instance = {}\n if size not in cls._instance:\n cls._instance[size] = ThreadPo... |
def x(arguments=None):
if arguments is None:
arguments = sys.argv[1:]
server_parameters = get_server_parameters(arguments)
config = get_config(server_parameters.config_path, server_parameters.
use_environment)
configure_log(config, server_parameters.log_level.upper())
validate_config(config, server_parameters)
importer = get_importer(config)
with get_context(server_parameters, config, importer) as context:
application = get_application(context)
server = run_server(application, context)
setup_signal_handler(server, config)
logging.debug('thumbor running at %s:%d' % (context.server.ip,
context.server.port))
tornado.ioloop.IOLoop.instance().start()
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arguments=None):\n if arguments is None:\n arguments = sys.argv[1:]\n server_parameters = get_server_parameters(arguments)\n config = get_confi... |
def x(self):
return self.metadata['ContentType'
] if 'ContentType' in self.metadata else BaseEngine.get_mimetype(self
.buffer)
| mime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return self.metadata['ContentType'\n ] if 'ContentType' in self.metadata else BaseEngine.get_mimetype(self\n .buffer)\n",
"role":... |
def x(cls, config):
if not hasattr(cls, '_client'):
cls._client = statsd.StatsClient(config.STATSD_HOST, config.
STATSD_PORT, config.STATSD_PREFIX)
return cls._client
| client | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, config):\n if not hasattr(cls, '_client'):\n cls._client = statsd.StatsClient(config.STATSD_HOST, config.\n STATSD_PORT, config.STATS... |
def x(self, padding):
left = padding[0]
top = padding[1]
right = padding[2]
bottom = padding[3]
offset_x = 0
offset_y = 0
new_width = self.engine.size[0]
new_height = self.engine.size[1]
if left > 0:
offset_x = left
new_width += left
if top > 0:
offset_y = top
new_height += top
if right > 0:
new_width += right
if bottom > 0:
new_height += bottom
new_engine = self.context.modules.engine.__class__(self.context)
new_engine.image = new_engine.gen_image((new_width, new_height), '#fff')
new_engine.enable_alpha()
new_engine.paste(self.engine, (offset_x, offset_y))
self.engine.image = new_engine.image
| handle_padding | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, padding):\n left = padding[0]\n top = padding[1]\n right = padding[2]\n bottom = padding[3]\n offset_x = 0\n offset_y = 0\n new_widt... |
def x(self):
if self.target_height is None:
self._calculate_target_dimensions()
return int(self.target_width), int(self.target_height)
| get_target_dimensions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.target_height is None:\n self._calculate_target_dimensions()\n return int(self.target_width), int(self.target_height)\n",
"ro... |
def x(self):
def x(future):
self.done_callback()
self.context.thread_pool.queue(operation=self.img_operation_worker,
callback=inner)
| do_image_operations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x(future):\n self.done_callback()\n self.context.thread_pool.queue(operation=self.img_operation_worker,\n callback=inner)\n"... |
def x(self):
exif_dict = self._get_exif_segment()
if exif_dict and piexif.ImageIFD.Orientation in exif_dict['0th']:
return exif_dict['0th'][piexif.ImageIFD.Orientation]
return None
| get_orientation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n exif_dict = self._get_exif_segment()\n if exif_dict and piexif.ImageIFD.Orientation in exif_dict['0th']:\n return exif_dict['0th'][piexif... |
def x(self, override_exif=True):
orientation = self.get_orientation()
if orientation is None:
return
if orientation == 2:
self.flip_horizontally()
elif orientation == 3:
self.rotate(180)
elif orientation == 4:
self.flip_vertically()
elif orientation == 5:
self.flip_vertically()
self.rotate(270)
elif orientation == 6:
self.rotate(270)
elif orientation == 7:
self.flip_horizontally()
self.rotate(270)
elif orientation == 8:
self.rotate(90)
if orientation != 1 and override_exif:
exif_dict = self._get_exif_segment()
if exif_dict and piexif.ImageIFD.Orientation in exif_dict['0th']:
exif_dict['0th'][piexif.ImageIFD.Orientation] = 1
try:
self.exif = piexif.dump(exif_dict)
except Exception as e:
msg = '[piexif] %s' % e
logger.error(msg)
| reorientate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, override_exif=True):\n orientation = self.get_orientation()\n if orientation is None:\n return\n if orientation == 2:\n self.flip_... |
def x(self):
try:
result = yield self._fetch(self.context.request.image_url)
if not result.successful:
if result.loader_error == LoaderResult.ERROR_NOT_FOUND:
self._error(404)
return
elif result.loader_error == LoaderResult.ERROR_UPSTREAM:
self._error(502)
return
elif result.loader_error == LoaderResult.ERROR_TIMEOUT:
self._error(504)
return
elif isinstance(result.loader_error, int):
self._error(result.loader_error)
return
elif hasattr(result, 'engine_error'
) and result.engine_error == EngineResult.COULD_NOT_LOAD_IMAGE:
self._error(400)
return
else:
self._error(500)
return
except Exception as e:
msg = (
'[BaseHandler] get_image failed for url `{url}`. error: `{error}`'
.format(url=self.context.request.image_url, error=e))
self.log_exception(*sys.exc_info())
if 'cannot identify image file' in e.message:
logger.warning(msg)
self._error(400)
else:
logger.error(msg)
self._error(500)
return
normalized = result.normalized
buffer = result.buffer
engine = result.engine
req = self.context.request
if engine is None:
if buffer is None:
self._error(504)
return
engine = self.context.request.engine
try:
engine.load(buffer, self.context.request.extension)
except Exception:
self._error(504)
return
self.context.transformer = Transformer(self.context)
def x():
self.normalize_crops(normalized, req, engine)
if req.meta:
(self.context.transformer.engine) = (self.context.request.engine
) = JSONEngine(engine, req.image_url, req.meta_callback)
self.context.transformer.transform(self.after_transform)
self.filters_runner.apply_filters(thumbor.filters.PHASE_AFTER_LOAD,
transform)
| get_image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n result = yield self._fetch(self.context.request.image_url)\n if not result.successful:\n if result.loader_error == ... |
def x(arguments=None):
parsed_options, arguments = get_options(arguments)
image_url = arguments[0]
image_url = quote(image_url)
try:
config = Config.load(None)
except Exception:
config = None
if not parsed_options.key and not config:
sys.stdout.write(
"""Error: The -k or --key argument is mandatory. For more information type thumbor-url -h
"""
)
return
security_key, thumbor_params = get_thumbor_params(image_url,
parsed_options, config)
crypto = CryptoURL(key=security_key)
url = crypto.generate(**thumbor_params)
sys.stdout.write('URL:\n')
sys.stdout.write('%s\n' % url)
return url
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arguments=None):\n parsed_options, arguments = get_options(arguments)\n image_url = arguments[0]\n image_url = quote(image_url)\n try:\n con... |
def x(images):
images2 = []
for im in images:
if PIL and isinstance(im, PIL.Image.Image):
images2.append(im)
elif np and isinstance(im, np.ndarray):
if im.dtype == np.uint8:
images2.append(im)
elif im.dtype in [np.float32, np.float64]:
im = im.copy()
im[im < 0] = 0
im[im > 1] = 1
im *= 255
images2.append(im.astype(np.uint8))
else:
im = im.astype(np.uint8)
images2.append(im)
if im.ndim == 2:
pass
elif im.ndim == 3:
if im.shape[2] not in [3, 4]:
raise ValueError('This array can not represent an image.')
else:
raise ValueError('This array can not represent an image.')
else:
raise ValueError('Invalid image type: ' + str(type(im)))
return images2
| checkImages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(images):\n images2 = []\n for im in images:\n if PIL and isinstance(im, PIL.Image.Image):\n images2.append(im)\n elif np and isi... |
def x(i):
i1 = i % 256
i2 = int(i / 256)
return chr(i1) + chr(i2)
| intToBin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(i):\n i1 = i % 256\n i2 = int(i / 256)\n return chr(i1) + chr(i2)\n",
"role": "user"
},
{
"content": "intToBin",
"role": "assistant"
... |
def x(filename, images, duration=0.1, repeat=True, dither=False, nq=0,
subRectangles=True, dispose=None):
if PIL is None:
raise RuntimeError('Need PIL to write animated gif files.')
images = checkImages(images)
gifWriter = GifWriter()
if repeat is False:
loops = 1
elif repeat is True:
loops = 0
else:
loops = int(repeat)
if hasattr(duration, '__len__'):
if len(duration) == len(images):
duration = [d for d in duration]
else:
raise ValueError("len(duration) doesn't match amount of images.")
else:
duration = [duration for im in images]
if subRectangles:
images, xy = gifWriter.handleSubRectangles(images, subRectangles)
defaultDispose = 1
else:
xy = [(0, 0) for im in images]
defaultDispose = 2
if dispose is None:
dispose = defaultDispose
if hasattr(dispose, '__len__'):
if len(dispose) != len(images):
raise ValueError("len(xy) doesn't match amount of images.")
else:
dispose = [dispose for im in images]
images = gifWriter.convertImagesToPIL(images, dither, nq)
fp = open(filename, 'wb')
try:
gifWriter.writeGifToFile(fp, images, duration, loops, xy, dispose)
finally:
fp.close()
| writeGif | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, images, duration=0.1, repeat=True, dither=False, nq=0,\n subRectangles=True, dispose=None):\n if PIL is None:\n raise RuntimeError('Need... |
def x(filename, asNumpy=True):
if PIL is None:
raise RuntimeError('Need PIL to read animated gif files.')
if np is None:
raise RuntimeError('Need Numpy to read animated gif files.')
if not os.path.isfile(filename):
raise IOError('File not found: ' + str(filename))
pilIm = PIL.Image.open(filename)
pilIm.seek(0)
images = []
try:
while True:
tmp = pilIm.convert()
a = np.asarray(tmp)
if len(a.shape) == 0:
raise MemoryError(
'Too little memory to convert PIL image to array')
images.append(a)
pilIm.seek(pilIm.tell() + 1)
except EOFError:
pass
if not asNumpy:
images2 = images
images = []
for im in images2:
images.append(PIL.Image.fromarray(im))
return images
| readGif | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, asNumpy=True):\n if PIL is None:\n raise RuntimeError('Need PIL to read animated gif files.')\n if np is None:\n raise RuntimeErr... |
def x(self, im):
bb = 'GIF89a'
bb += intToBin(im.size[0])
bb += intToBin(im.size[1])
bb += '\x87\x00\x00'
return bb
| getheaderAnim | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, im):\n bb = 'GIF89a'\n bb += intToBin(im.size[0])\n bb += intToBin(im.size[1])\n bb += '\\x87\\x00\\x00'\n return bb\n",
"role": "user... |
def x(self, im, xy=None):
if xy is None:
xy = 0, 0
bb = ','
bb += intToBin(xy[0])
bb += intToBin(xy[1])
bb += intToBin(im.size[0])
bb += intToBin(im.size[1])
bb += '\x87'
return bb
| getImageDescriptor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, im, xy=None):\n if xy is None:\n xy = 0, 0\n bb = ','\n bb += intToBin(xy[0])\n bb += intToBin(xy[1])\n bb += intToBin(im.size[0])\... |
def x(self, loops=float('inf')):
if loops == 0 or loops == float('inf'):
loops = 2 ** 16 - 1
if True:
bb = '!ÿ\x0b'
bb += 'NETSCAPE2.0'
bb += '\x03\x01'
bb += intToBin(loops)
bb += '\x00'
return bb
| getAppExt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, loops=float('inf')):\n if loops == 0 or loops == float('inf'):\n loops = 2 ** 16 - 1\n if True:\n bb = '!ÿ\\x0b'\n bb += 'NETS... |
def x(self, duration=0.1, dispose=2):
bb = '!ù\x04'
bb += chr((dispose & 3) << 2)
bb += intToBin(int(duration * 100))
bb += '\x00'
bb += '\x00'
return bb
| getGraphicsControlExt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, duration=0.1, dispose=2):\n bb = '!ù\\x04'\n bb += chr((dispose & 3) << 2)\n bb += intToBin(int(duration * 100))\n bb += '\\x00'\n bb += '... |
def x(self, images, subRectangles):
if isinstance(subRectangles, (tuple, list)):
xy = subRectangles
if xy is None:
xy = 0, 0
if hasattr(xy, '__len__'):
if len(xy) == len(images):
xy = [xxyy for xxyy in xy]
else:
raise ValueError("len(xy) doesn't match amount of images.")
else:
xy = [xy for im in images]
xy[0] = 0, 0
else:
if np is None:
raise RuntimeError('Need Numpy to use auto-subRectangles.')
for i in range(len(images)):
im = images[i]
if isinstance(im, Image.Image):
tmp = im.convert()
a = np.asarray(tmp)
if len(a.shape) == 0:
raise MemoryError(
'Too little memory to convert PIL image to array')
images[i] = a
images, xy = self.getSubRectangles(images)
return images, xy
| handleSubRectangles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, images, subRectangles):\n if isinstance(subRectangles, (tuple, list)):\n xy = subRectangles\n if xy is None:\n xy = 0, 0\n ... |
def x(self, ims):
if len(ims) < 2:
return ims, [(0, 0) for i in ims]
if np is None:
raise RuntimeError('Need Numpy to calculate sub-rectangles. ')
ims2 = [ims[0]]
xy = [(0, 0)]
prev = ims[0]
for im in ims[1:]:
diff = np.abs(im - prev)
if diff.ndim == 3:
diff = diff.sum(2)
X = np.argwhere(diff.sum(0))
Y = np.argwhere(diff.sum(1))
if X.size and Y.size:
x0, x1 = X[0], X[-1] + 1
y0, y1 = Y[0], Y[-1] + 1
else:
x0, x1 = 0, 2
y0, y1 = 0, 2
im2 = im[y0:y1, x0:x1]
prev = im
ims2.append(im2)
xy.append((x0, y0))
return ims2, xy
| getSubRectangles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ims):\n if len(ims) < 2:\n return ims, [(0, 0) for i in ims]\n if np is None:\n raise RuntimeError('Need Numpy to calculate sub-recta... |
def x(self, images, dither, nq=0):
images2 = []
for im in images:
if isinstance(im, Image.Image):
images2.append(im)
elif np and isinstance(im, np.ndarray):
if im.ndim == 3 and im.shape[2] == 3:
im = Image.fromarray(im, 'RGB')
elif im.ndim == 3 and im.shape[2] == 4:
im = Image.fromarray(im[:, :, :3], 'RGB')
elif im.ndim == 2:
im = Image.fromarray(im, 'L')
images2.append(im)
images, images2 = images2, []
AD = Image.ADAPTIVE
for im in images:
im = im.convert('P', palette=AD, dither=dither)
images2.append(im)
return images2
| convertImagesToPIL | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, images, dither, nq=0):\n images2 = []\n for im in images:\n if isinstance(im, Image.Image):\n images2.append(im)\n elif np... |
def x(self, fp, images, durations, loops, xys, disposes):
palettes, occur = [], []
for im in images:
header, usedPaletteColors = getheader(im)
palettes.append(header[-1])
for palette in palettes:
occur.append(palettes.count(palette))
globalPalette = palettes[occur.index(max(occur))]
frames = 0
firstFrame = True
for im, palette in zip(images, palettes):
if firstFrame:
header = self.getheaderAnim(im)
appext = self.getAppExt(loops)
fp.write(header)
fp.write(globalPalette)
fp.write(appext)
firstFrame = False
if True:
data = getdata(im)
imdes, data = b''.join(data[:-2]), data[-2:]
graphext = self.getGraphicsControlExt(durations[frames],
disposes[frames])
lid = self.getImageDescriptor(im, xys[frames])
if palette != globalPalette or disposes[frames] != 2:
fp.write(graphext)
fp.write(lid)
fp.write(palette)
fp.write('\x08')
else:
fp.write(graphext)
fp.write(imdes)
for d in data:
fp.write(d)
frames = frames + 1
fp.write(';')
return frames
| writeGifToFile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fp, images, durations, loops, xys, disposes):\n palettes, occur = [], []\n for im in images:\n header, usedPaletteColors = getheader(im)\n ... |
def x(cls, test):
app_env = 'test'
if hasattr(test, 'env'):
app_env = test.env
elif hasattr(test, 'environment'):
app_env = test.environment
start_time = int(time.time() * 1000)
return '%s.%s' % (app_env, start_time)
| generate_application_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, test):\n app_env = 'test'\n if hasattr(test, 'env'):\n app_env = test.env\n elif hasattr(test, 'environment'):\n app_env = test.env... |
def x(xpath):
xpath = xpath[1:]
index = xpath.rfind(')')
if index == -1:
raise XpathException('Invalid or unsupported Xpath: %s' % xpath)
xpath = xpath[:index] + xpath[index + 1:]
return xpath
| filter_xpath_grouping | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xpath):\n xpath = xpath[1:]\n index = xpath.rfind(')')\n if index == -1:\n raise XpathException('Invalid or unsupported Xpath: %s' % xpath)\n ... |
def x(proxy_string, proxy_user, proxy_pass):
proxy_host = proxy_string.split(':')[0]
proxy_port = proxy_string.split(':')[1]
background_js = (
"""var config = {
mode: "fixed_servers",
rules: {
singleProxy: {
scheme: "http",
host: "%s",
port: parseInt("%s")
},
}
};
chrome.proxy.settings.set({value: config, scope: "regular"}, function() {});
function callbackFn(details) {
return {
authCredentials: {
username: "%s",
password: "%s"
}
};
}
chrome.webRequest.onAuthRequired.addListener(
callbackFn,
{urls: ["<all_urls>"]},
['blocking']
);"""
% (proxy_host, proxy_port, proxy_user, proxy_pass))
manifest_json = """{
"version": "1.0.0",
"manifest_version": 2,
"name": "Chrome Proxy",
"permissions": [
"proxy",
"tabs",
"unlimitedStorage",
"storage",
"<all_urls>",
"webRequest",
"webRequestBlocking"
],
"background": {
"scripts": ["background.js"]
},
"minimum_chrome_version":"22.0.0"
}"""
lock = threading.RLock()
with lock:
try:
zf = zipfile.ZipFile(PROXY_ZIP_PATH, mode='w')
except IOError:
abs_path = os.path.abspath('.')
downloads_path = os.path.join(abs_path, DOWNLOADS_DIR)
if not os.path.exists(downloads_path):
os.mkdir(downloads_path)
zf = zipfile.ZipFile(PROXY_ZIP_PATH_2, mode='w')
zf.writestr('background.js', background_js)
zf.writestr('manifest.json', manifest_json)
zf.close()
| create_proxy_zip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(proxy_string, proxy_user, proxy_pass):\n proxy_host = proxy_string.split(':')[0]\n proxy_port = proxy_string.split(':')[1]\n background_js = (\n ... |
def x():
try:
if os.path.exists(PROXY_ZIP_PATH):
os.remove(PROXY_ZIP_PATH)
elif os.path.exists(PROXY_ZIP_PATH_2):
os.remove(PROXY_ZIP_PATH_2)
except Exception:
pass
| remove_proxy_zip_if_present | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n if os.path.exists(PROXY_ZIP_PATH):\n os.remove(PROXY_ZIP_PATH)\n elif os.path.exists(PROXY_ZIP_PATH_2):\n os... |
def x(self, selectors_list, by=By.CSS_SELECTOR, timeout=settings.
SMALL_TIMEOUT, spacing=0):
if self.timeout_multiplier and timeout == settings.SMALL_TIMEOUT:
timeout = self.__get_new_timeout(timeout)
for selector in selectors_list:
self.click(selector, by=by, timeout=timeout)
if spacing > 0:
time.sleep(spacing)
| click_chain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selectors_list, by=By.CSS_SELECTOR, timeout=settings.\n SMALL_TIMEOUT, spacing=0):\n if self.timeout_multiplier and timeout == settings.SMALL_TIMEO... |
def x(self, link_text):
soup = self.get_beautiful_soup()
html_links = soup.find_all('a')
for html_link in html_links:
if html_link.text.strip() == link_text.strip():
return True
return False
| is_link_text_present | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, link_text):\n soup = self.get_beautiful_soup()\n html_links = soup.find_all('a')\n for html_link in html_links:\n if html_link.text.strip... |
def x(self, link_text, attribute, hard_fail=True):
soup = self.get_beautiful_soup()
html_links = soup.find_all('a')
for html_link in html_links:
if html_link.text.strip() == link_text.strip():
if html_link.has_attr(attribute):
attribute_value = html_link.get(attribute)
return attribute_value
if hard_fail:
raise Exception(
'Unable to find attribute {%s} from link text {%s}!' %
(attribute, link_text))
else:
return None
if hard_fail:
raise Exception('Link text {%s} was not found!' % link_text)
else:
return None
| get_link_attribute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, link_text, attribute, hard_fail=True):\n soup = self.get_beautiful_soup()\n html_links = soup.find_all('a')\n for html_link in html_links:\n ... |
def x(self, link_text, timeout=settings.SMALL_TIMEOUT):
if self.timeout_multiplier and timeout == settings.SMALL_TIMEOUT:
timeout = self.__get_new_timeout(timeout)
if self.browser == 'phantomjs':
if self.is_link_text_visible(link_text):
element = self.wait_for_link_text_visible(link_text, timeout=
timeout)
element.click()
return
self.open(self.__get_href_from_link_text(link_text))
return
if not self.is_link_text_present(link_text):
self.wait_for_link_text_present(link_text, timeout=timeout)
pre_action_url = self.get_current_url()
try:
element = self.wait_for_link_text_visible(link_text, timeout=0.2)
self.__demo_mode_highlight_if_active(link_text, by=By.LINK_TEXT)
try:
element.click()
except (StaleElementReferenceException, ENI_Exception):
self.wait_for_ready_state_complete()
time.sleep(0.05)
element = self.wait_for_link_text_visible(link_text, timeout=
timeout)
element.click()
except Exception:
found_css = False
text_id = self.get_link_attribute(link_text, 'id', False)
if text_id:
link_css = '[id="%s"]' % link_text
found_css = True
if not found_css:
href = self.__get_href_from_link_text(link_text, False)
if href:
if href.startswith('/') or page_utils.is_valid_url(href):
link_css = '[href="%s"]' % href
found_css = True
if not found_css:
ngclick = self.get_link_attribute(link_text, 'ng-click', False)
if ngclick:
link_css = '[ng-click="%s"]' % ngclick
found_css = True
if not found_css:
onclick = self.get_link_attribute(link_text, 'onclick', False)
if onclick:
link_css = '[onclick="%s"]' % onclick
found_css = True
success = False
if found_css:
if self.is_element_visible(link_css):
self.click(link_css)
success = True
else:
success = self.__click_dropdown_link_text(link_text, link_css)
if not success:
element = self.wait_for_link_text_visible(link_text, timeout=
settings.MINI_TIMEOUT)
element.click()
if settings.WAIT_FOR_RSC_ON_CLICKS:
self.wait_for_ready_state_complete()
if self.demo_mode:
if self.driver.current_url != pre_action_url:
self.__demo_mode_pause_if_active()
else:
self.__demo_mode_pause_if_active(tiny=True)
| click_link_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, link_text, timeout=settings.SMALL_TIMEOUT):\n if self.timeout_multiplier and timeout == settings.SMALL_TIMEOUT:\n timeout = self.__get_new_time... |
def x(self, link_text, timeout=settings.SMALL_TIMEOUT):
self.click_link_text(link_text, timeout=timeout)
| click_link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, link_text, timeout=settings.SMALL_TIMEOUT):\n self.click_link_text(link_text, timeout=timeout)\n",
"role": "user"
},
{
"content": "click_l... |
def x(self, partial_link_text, timeout=settings.SMALL_TIMEOUT):
if self.timeout_multiplier and timeout == settings.SMALL_TIMEOUT:
timeout = self.__get_new_timeout(timeout)
if self.browser == 'phantomjs':
if self.is_partial_link_text_visible(partial_link_text):
element = self.wait_for_partial_link_text(partial_link_text)
element.click()
return
soup = self.get_beautiful_soup()
html_links = soup.fetch('a')
for html_link in html_links:
if partial_link_text in html_link.text:
for html_attribute in html_link.attrs:
if html_attribute[0] == 'href':
href = html_attribute[1]
if href.startswith('//'):
link = 'http:' + href
elif href.startswith('/'):
url = self.driver.current_url
domain_url = self.get_domain_url(url)
link = domain_url + href
else:
link = href
self.open(link)
return
raise Exception(
'Could not parse link from partial link_text {%s}' %
partial_link_text)
raise Exception('Partial link text {%s} was not found!' %
partial_link_text)
element = self.wait_for_partial_link_text(partial_link_text, timeout=
timeout)
self.__demo_mode_highlight_if_active(partial_link_text, by=By.
PARTIAL_LINK_TEXT)
pre_action_url = self.driver.current_url
try:
element.click()
except (StaleElementReferenceException, ENI_Exception):
self.wait_for_ready_state_complete()
time.sleep(0.05)
element = self.wait_for_partial_link_text(partial_link_text,
timeout=timeout)
element.click()
if settings.WAIT_FOR_RSC_ON_CLICKS:
self.wait_for_ready_state_complete()
if self.demo_mode:
if self.driver.current_url != pre_action_url:
self.__demo_mode_pause_if_active()
else:
self.__demo_mode_pause_if_active(tiny=True)
| click_partial_link_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, partial_link_text, timeout=settings.SMALL_TIMEOUT):\n if self.timeout_multiplier and timeout == settings.SMALL_TIMEOUT:\n timeout = self.__get_... |
def x(self, selector, attribute, by=By.CSS_SELECTOR, timeout=settings.
SMALL_TIMEOUT):
if self.timeout_multiplier and timeout == settings.SMALL_TIMEOUT:
timeout = self.__get_new_timeout(timeout)
if page_utils.is_xpath_selector(selector):
by = By.XPATH
if page_utils.is_link_text_selector(selector):
selector = page_utils.get_link_text_from_selector(selector)
by = By.LINK_TEXT
self.wait_for_ready_state_complete()
time.sleep(0.01)
element = page_actions.wait_for_element_present(self.driver, selector,
by, timeout)
try:
attribute_value = element.get_attribute(attribute)
except (StaleElementReferenceException, ENI_Exception):
self.wait_for_ready_state_complete()
time.sleep(0.06)
element = page_actions.wait_for_element_present(self.driver,
selector, by, timeout)
attribute_value = element.get_attribute(attribute)
if attribute_value is not None:
return attribute_value
else:
raise Exception('Element {%s} has no attribute {%s}!' % (selector,
attribute))
| get_attribute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, attribute, by=By.CSS_SELECTOR, timeout=settings.\n SMALL_TIMEOUT):\n if self.timeout_multiplier and timeout == settings.SMALL_TIMEOUT:\n ... |
def x(self, selector, attribute, value, by=By.CSS_SELECTOR, timeout=
settings.SMALL_TIMEOUT):
if self.timeout_multiplier and timeout == settings.SMALL_TIMEOUT:
timeout = self.__get_new_timeout(timeout)
if page_utils.is_xpath_selector(selector):
by = By.XPATH
if self.is_element_visible(selector, by=by):
self.scroll_to(selector, by=by, timeout=timeout)
attribute = re.escape(attribute)
attribute = self.__escape_quotes_if_needed(attribute)
value = re.escape(value)
value = self.__escape_quotes_if_needed(value)
css_selector = self.convert_to_css_selector(selector, by=by)
css_selector = re.escape(css_selector)
css_selector = self.__escape_quotes_if_needed(css_selector)
script = "document.querySelector('%s').setAttribute('%s','%s');" % (
css_selector, attribute, value)
self.execute_script(script)
| set_attribute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, attribute, value, by=By.CSS_SELECTOR, timeout=\n settings.SMALL_TIMEOUT):\n if self.timeout_multiplier and timeout == settings.SMALL_TIME... |
def x(self, selector, property, by=By.CSS_SELECTOR, timeout=settings.
SMALL_TIMEOUT):
if self.timeout_multiplier and timeout == settings.SMALL_TIMEOUT:
timeout = self.__get_new_timeout(timeout)
if page_utils.is_xpath_selector(selector):
by = By.XPATH
if page_utils.is_link_text_selector(selector):
selector = page_utils.get_link_text_from_selector(selector)
by = By.LINK_TEXT
self.wait_for_ready_state_complete()
page_actions.wait_for_element_present(self.driver, selector, by, timeout)
try:
selector = self.convert_to_css_selector(selector, by=by)
except Exception:
raise Exception(
'Exception: Could not convert {%s}(by=%s) to CSS_SELECTOR!' % (
selector, by))
selector = re.escape(selector)
selector = self.__escape_quotes_if_needed(selector)
script = (
"""var $elm = document.querySelector('%s');
$val = window.getComputedStyle($elm).getPropertyValue('%s');
return $val;"""
% (selector, property))
value = self.execute_script(script)
if value is not None:
return value
else:
return ''
| get_property_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, property, by=By.CSS_SELECTOR, timeout=settings.\n SMALL_TIMEOUT):\n if self.timeout_multiplier and timeout == settings.SMALL_TIMEOUT:\n ... |
def x(self, selector, by=By.CSS_SELECTOR, timeout=settings.SMALL_TIMEOUT):
if self.timeout_multiplier and timeout == settings.SMALL_TIMEOUT:
timeout = self.__get_new_timeout(timeout)
return self.get_attribute(selector, attribute='src', by=by, timeout=timeout
)
| get_image_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by=By.CSS_SELECTOR, timeout=settings.SMALL_TIMEOUT):\n if self.timeout_multiplier and timeout == settings.SMALL_TIMEOUT:\n timeout = ... |
def x(self, selector, new_value, by=By.CSS_SELECTOR, timeout=settings.
LARGE_TIMEOUT):
if self.timeout_multiplier and timeout == settings.LARGE_TIMEOUT:
timeout = self.__get_new_timeout(timeout)
if page_utils.is_xpath_selector(selector):
by = By.XPATH
element = self.wait_for_element_visible(selector, by=by, timeout=timeout)
self.__demo_mode_highlight_if_active(selector, by)
if not self.demo_mode:
self.__scroll_to_element(element)
pre_action_url = self.driver.current_url
try:
if not new_value.endswith('\n'):
element.send_keys(new_value)
else:
new_value = new_value[:-1]
element.send_keys(new_value)
element.send_keys(Keys.RETURN)
if settings.WAIT_FOR_RSC_ON_PAGE_LOADS:
self.wait_for_ready_state_complete()
except (StaleElementReferenceException, ENI_Exception):
self.wait_for_ready_state_complete()
time.sleep(0.06)
element = self.wait_for_element_visible(selector, by=by, timeout=
timeout)
if not new_value.endswith('\n'):
element.send_keys(new_value)
else:
new_value = new_value[:-1]
element.send_keys(new_value)
element.send_keys(Keys.RETURN)
if settings.WAIT_FOR_RSC_ON_PAGE_LOADS:
self.wait_for_ready_state_complete()
except Exception:
exc_message = self.__get_improved_exception_message()
raise Exception(exc_message)
if self.demo_mode:
if self.driver.current_url != pre_action_url:
self.__demo_mode_pause_if_active()
else:
self.__demo_mode_pause_if_active(tiny=True)
| add_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, new_value, by=By.CSS_SELECTOR, timeout=settings.\n LARGE_TIMEOUT):\n if self.timeout_multiplier and timeout == settings.LARGE_TIMEOUT:\n ... |
def x(self, selector, new_value, by=By.CSS_SELECTOR, timeout=settings.
LARGE_TIMEOUT):
if self.timeout_multiplier and timeout == settings.LARGE_TIMEOUT:
timeout = self.__get_new_timeout(timeout)
if page_utils.is_xpath_selector(selector):
by = By.XPATH
self.add_text(selector, new_value, by=by, timeout=timeout)
| send_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, new_value, by=By.CSS_SELECTOR, timeout=settings.\n LARGE_TIMEOUT):\n if self.timeout_multiplier and timeout == settings.LARGE_TIMEOUT:\n ... |
def x(self, selector, new_value, by=By.CSS_SELECTOR, timeout=settings.
LARGE_TIMEOUT, retry=False):
if self.timeout_multiplier and timeout == settings.LARGE_TIMEOUT:
timeout = self.__get_new_timeout(timeout)
if page_utils.is_xpath_selector(selector):
by = By.XPATH
self.update_text_value(selector, new_value, by=by, timeout=timeout,
retry=retry)
| update_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, new_value, by=By.CSS_SELECTOR, timeout=settings.\n LARGE_TIMEOUT, retry=False):\n if self.timeout_multiplier and timeout == settings.LARG... |
def x(self, selector, by=By.CSS_SELECTOR, limit=0):
self.wait_for_ready_state_complete()
if page_utils.is_xpath_selector(selector):
by = By.XPATH
if page_utils.is_link_text_selector(selector):
selector = page_utils.get_link_text_from_selector(selector)
by = By.LINK_TEXT
elements = self.driver.find_elements(by=by, value=selector)
if limit and limit > 0 and len(elements) > limit:
elements = elements[:limit]
return elements
| find_elements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by=By.CSS_SELECTOR, limit=0):\n self.wait_for_ready_state_complete()\n if page_utils.is_xpath_selector(selector):\n by = By.XPATH\... |
def x(self, selector, by=By.CSS_SELECTOR, limit=0):
self.wait_for_ready_state_complete()
if page_utils.is_xpath_selector(selector):
by = By.XPATH
if page_utils.is_link_text_selector(selector):
selector = page_utils.get_link_text_from_selector(selector)
by = By.LINK_TEXT
v_elems = page_actions.find_visible_elements(self.driver, selector, by)
if limit and limit > 0 and len(v_elems) > limit:
v_elems = v_elems[:limit]
return v_elems
| find_visible_elements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by=By.CSS_SELECTOR, limit=0):\n self.wait_for_ready_state_complete()\n if page_utils.is_xpath_selector(selector):\n by = By.XPATH\... |
def x(self, selector, by=By.CSS_SELECTOR, limit=0):
elements = self.find_elements(selector, by=by)
count = 0
click_count = 0
for element in elements:
if limit and limit > 0 and click_count >= limit:
return
count += 1
if count == 1:
self.wait_for_ready_state_complete()
if self.is_element_visible(selector, by=by):
self.click(selector, by=by)
click_count += 1
else:
self.wait_for_ready_state_complete()
try:
if element.is_displayed():
self.__scroll_to_element(element)
element.click()
click_count += 1
except (StaleElementReferenceException, ENI_Exception):
self.wait_for_ready_state_complete()
time.sleep(0.05)
try:
if element.is_displayed():
self.__scroll_to_element(element)
element.click()
click_count += 1
except (StaleElementReferenceException, ENI_Exception):
return
| click_visible_elements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by=By.CSS_SELECTOR, limit=0):\n elements = self.find_elements(selector, by=by)\n count = 0\n click_count = 0\n for element in eleme... |
def x(self, selector, by=By.CSS_SELECTOR):
selector, by = self.__recalculate_selector(selector, by)
if self.is_element_present(selector, by=by):
return False
soup = self.get_beautiful_soup()
iframe_list = soup.select('iframe')
for iframe in iframe_list:
iframe_identifier = None
if iframe.has_attr('name') and len(iframe['name']) > 0:
iframe_identifier = iframe['name']
elif iframe.has_attr('id') and len(iframe['id']) > 0:
iframe_identifier = iframe['id']
else:
continue
self.switch_to_frame(iframe_identifier)
if self.is_element_present(selector, by=by):
self.switch_to_default_content()
return True
self.switch_to_default_content()
return False
| is_element_in_an_iframe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by=By.CSS_SELECTOR):\n selector, by = self.__recalculate_selector(selector, by)\n if self.is_element_present(selector, by=by):\n r... |
def x(self, name=None, theme=None):
if not name:
name = 'default'
if theme:
if theme.lower() == 'bootstrap':
self.create_bootstrap_tour(name)
return
elif theme.lower() == 'hopscotch':
self.create_hopscotch_tour(name)
return
elif theme.lower() == 'intro':
self.create_introjs_tour(name)
return
elif theme.lower() == 'introjs':
self.create_introjs_tour(name)
return
elif theme.lower() == 'shepherd':
self.create_shepherd_tour(name, theme='light')
return
else:
self.create_shepherd_tour(name, theme)
else:
self.create_shepherd_tour(name, theme='light')
| create_tour | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, theme=None):\n if not name:\n name = 'default'\n if theme:\n if theme.lower() == 'bootstrap':\n self.create_boo... |
def x(self, name=None, theme=None):
shepherd_theme = 'shepherd-theme-arrows'
if theme:
if theme.lower() == 'default':
shepherd_theme = 'shepherd-theme-default'
elif theme.lower() == 'dark':
shepherd_theme = 'shepherd-theme-dark'
elif theme.lower() == 'light':
shepherd_theme = 'shepherd-theme-arrows'
elif theme.lower() == 'arrows':
shepherd_theme = 'shepherd-theme-arrows'
elif theme.lower() == 'square':
shepherd_theme = 'shepherd-theme-square'
elif theme.lower() == 'square-dark':
shepherd_theme = 'shepherd-theme-square-dark'
if not name:
name = 'default'
new_tour = (
"""
// Shepherd Tour
var tour = new Shepherd.Tour({
defaults: {
classes: '%s',
scrollTo: true
}
});
var allButtons = {
skip: {
text: "Skip",
action: tour.cancel,
classes: 'shepherd-button-secondary tour-button-left'
},
back: {
text: "Back",
action: tour.back,
classes: 'shepherd-button-secondary'
},
next: {
text: "Next",
action: tour.next,
classes: 'shepherd-button-primary tour-button-right'
},
};
var firstStepButtons = [allButtons.skip, allButtons.next];
var midTourButtons = [allButtons.back, allButtons.next];
"""
% shepherd_theme)
self._tour_steps[name] = []
self._tour_steps[name].append(new_tour)
| create_shepherd_tour | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, theme=None):\n shepherd_theme = 'shepherd-theme-arrows'\n if theme:\n if theme.lower() == 'default':\n shepherd_theme ... |
def x(self, name=None):
if not name:
name = 'default'
new_tour = """
// Bootstrap Tour
var tour = new Tour({
});
tour.addSteps([
"""
self._tour_steps[name] = []
self._tour_steps[name].append(new_tour)
| create_bootstrap_tour | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None):\n if not name:\n name = 'default'\n new_tour = \"\"\"\n // Bootstrap Tour\n var tour = new Tour({\n ... |
def x(self, name=None):
if not name:
name = 'default'
new_tour = """
// Hopscotch Tour
var tour = {
id: "hopscotch_tour",
steps: [
"""
self._tour_steps[name] = []
self._tour_steps[name].append(new_tour)
| create_hopscotch_tour | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None):\n if not name:\n name = 'default'\n new_tour = \"\"\"\n // Hopscotch Tour\n var tour = {\n id: ... |
def x(self, name=None):
if not name:
name = 'default'
new_tour = """
// IntroJS Tour
function startIntro(){
var intro = introJs();
intro.setOptions({
steps: [
"""
self._tour_steps[name] = []
self._tour_steps[name].append(new_tour)
| create_introjs_tour | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None):\n if not name:\n name = 'default'\n new_tour = \"\"\"\n // IntroJS Tour\n function startIntro(){\n ... |
def x(self, message, selector=None, name=None, title=None, theme=None,
alignment=None, duration=None):
if not selector:
selector = 'html'
if page_utils.is_xpath_selector(selector):
selector = self.convert_to_css_selector(selector, By.XPATH)
selector = self.__escape_quotes_if_needed(selector)
if not name:
name = 'default'
if name not in self._tour_steps:
self.create_tour(name=name, theme='introjs')
if not title:
title = ''
title = self.__escape_quotes_if_needed(title)
if message:
message = self.__escape_quotes_if_needed(message)
else:
message = ''
if not alignment or alignment not in ['top', 'bottom', 'left', 'right']:
if 'Hopscotch' not in self._tour_steps[name][0]:
alignment = 'top'
else:
alignment = 'bottom'
if 'Bootstrap' in self._tour_steps[name][0]:
self.__add_bootstrap_tour_step(message, selector=selector, name=
name, title=title, alignment=alignment, duration=duration)
elif 'Hopscotch' in self._tour_steps[name][0]:
self.__add_hopscotch_tour_step(message, selector=selector, name=
name, title=title, alignment=alignment)
elif 'IntroJS' in self._tour_steps[name][0]:
self.__add_introjs_tour_step(message, selector=selector, name=name,
title=title, alignment=alignment)
else:
self.__add_shepherd_tour_step(message, selector=selector, name=name,
title=title, theme=theme, alignment=alignment)
| add_tour_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, selector=None, name=None, title=None, theme=None,\n alignment=None, duration=None):\n if not selector:\n selector = 'html'\n if ... |
def x(self, message, selector=None, name=None, title=None, theme=None,
alignment=None):
if theme == 'default':
shepherd_theme = 'shepherd-theme-default'
elif theme == 'dark':
shepherd_theme = 'shepherd-theme-dark'
elif theme == 'light':
shepherd_theme = 'shepherd-theme-arrows'
elif theme == 'arrows':
shepherd_theme = 'shepherd-theme-arrows'
elif theme == 'square':
shepherd_theme = 'shepherd-theme-square'
elif theme == 'square-dark':
shepherd_theme = 'shepherd-theme-square-dark'
else:
shepherd_base_theme = re.search(
"[\\S\\s]+classes: '([\\S\\s]+)',[\\S\\s]+", self._tour_steps[
name][0]).group(1)
shepherd_theme = shepherd_base_theme
shepherd_classes = shepherd_theme
if selector == 'html':
shepherd_classes += ' shepherd-orphan'
buttons = 'firstStepButtons'
if len(self._tour_steps[name]) > 1:
buttons = 'midTourButtons'
step = (
"""
tour.addStep('%s', {
title: '%s',
classes: '%s',
text: '%s',
attachTo: {element: '%s', on: '%s'},
buttons: %s,
advanceOn: '.docs-link click'
});"""
% (name, title, shepherd_classes, message, selector, alignment,
buttons))
self._tour_steps[name].append(step)
| add_shepherd_tour_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, selector=None, name=None, title=None, theme=None,\n alignment=None):\n if theme == 'default':\n shepherd_theme = 'shepherd-theme-de... |
def x(self, message, selector=None, name=None, title=None, alignment=None,
duration=None):
if selector != 'html':
selector = self.__make_css_match_first_element_only(selector)
element_row = "element: '%s'," % selector
else:
element_row = ''
if not duration:
duration = '0'
else:
duration = str(float(duration) * 1000.0)
step = (
"""{
%s
title: '%s',
content: '%s',
orphan: true,
placement: 'auto %s',
smartPlacement: true,
duration: %s,
},"""
% (element_row, title, message, alignment, duration))
self._tour_steps[name].append(step)
| add_bootstrap_tour_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, selector=None, name=None, title=None, alignment=None,\n duration=None):\n if selector != 'html':\n selector = self.__make_css_match... |
def x(self, message, selector=None, name=None, title=None, alignment=None):
arrow_offset_row = None
if not selector or selector == 'html':
selector = 'head'
alignment = 'bottom'
arrow_offset_row = "arrowOffset: '200',"
else:
arrow_offset_row = ''
step = (
"""{
target: '%s',
title: '%s',
content: '%s',
%s
showPrevButton: 'true',
scrollDuration: '550',
placement: '%s'},
"""
% (selector, title, message, arrow_offset_row, alignment))
self._tour_steps[name].append(step)
| add_hopscotch_tour_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, selector=None, name=None, title=None, alignment=None):\n arrow_offset_row = None\n if not selector or selector == 'html':\n selecto... |
def x(self, message, selector=None, name=None, title=None, alignment=None):
if selector != 'html':
element_row = "element: '%s'," % selector
else:
element_row = ''
if title:
message = '<center><b>' + title + '</b></center><hr>' + message
message = '<font size="3" color="#33475B">' + message + '</font>'
step = (
"""{%s
intro: '%s',
position: '%s'},
"""
% (element_row, message, alignment))
self._tour_steps[name].append(step)
| add_introjs_tour_step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, selector=None, name=None, title=None, alignment=None):\n if selector != 'html':\n element_row = \"element: '%s',\" % selector\n els... |
def x(self, name=None, interval=0):
if self.headless:
return
if not name:
name = 'default'
if name not in self._tour_steps:
raise Exception('Tour {%s} does not exist!' % name)
if 'Bootstrap' in self._tour_steps[name][0]:
tour_helper.play_bootstrap_tour(self.driver, self._tour_steps, self
.browser, self.message_duration, name=name, interval=interval)
elif 'Hopscotch' in self._tour_steps[name][0]:
tour_helper.play_hopscotch_tour(self.driver, self._tour_steps, self
.browser, self.message_duration, name=name, interval=interval)
elif 'IntroJS' in self._tour_steps[name][0]:
tour_helper.play_introjs_tour(self.driver, self._tour_steps, self.
browser, self.message_duration, name=name, interval=interval)
else:
tour_helper.play_shepherd_tour(self.driver, self._tour_steps, self.
message_duration, name=name, interval=interval)
| play_tour | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, interval=0):\n if self.headless:\n return\n if not name:\n name = 'default'\n if name not in self._tour_steps:\n ... |
def x(self, name=None, filename='my_tour.js', url=None):
if not url:
url = self.get_current_url()
tour_helper.export_tour(self._tour_steps, name=name, filename=filename,
url=url)
| export_tour | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, filename='my_tour.js', url=None):\n if not url:\n url = self.get_current_url()\n tour_helper.export_tour(self._tour_steps, name=n... |
def x(self, theme='default', location='default', max_messages='default'):
if not theme:
theme = 'default'
if not location:
location = 'default'
if not max_messages:
max_messages = 'default'
js_utils.set_messenger_theme(self.driver, theme=theme, location=
location, max_messages=max_messages)
| set_messenger_theme | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, theme='default', location='default', max_messages='default'):\n if not theme:\n theme = 'default'\n if not location:\n location = 'de... |
def x(self, message, duration=None, pause=True, style='info'):
if not duration:
if not self.message_duration:
duration = settings.DEFAULT_MESSAGE_DURATION
else:
duration = self.message_duration
js_utils.post_message(self.driver, message, duration, style=style)
if pause:
duration = float(duration) + 0.15
time.sleep(float(duration))
| post_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, duration=None, pause=True, style='info'):\n if not duration:\n if not self.message_duration:\n duration = settings.DEFAULT_... |
def x(self, selector, by=By.CSS_SELECTOR):
if page_utils.is_xpath_selector(selector):
by = By.XPATH
self.find_element(selector, by=by, timeout=settings.SMALL_TIMEOUT)
try:
selector = self.convert_to_css_selector(selector, by=by)
except Exception:
return
selector = re.escape(selector)
selector = self.__escape_quotes_if_needed(selector)
script = "document.querySelector('%s').style.zIndex = '9999';" % selector
self.execute_script(script)
| bring_to_front | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by=By.CSS_SELECTOR):\n if page_utils.is_xpath_selector(selector):\n by = By.XPATH\n self.find_element(selector, by=by, timeout=set... |
def x(self, selector, by=By.CSS_SELECTOR, loops=settings.HIGHLIGHTS, scroll
=True):
selector, by = self.__recalculate_selector(selector, by)
element = self.find_element(selector, by=by, timeout=settings.SMALL_TIMEOUT
)
if scroll:
self.__slow_scroll_to_element(element)
try:
selector = self.convert_to_css_selector(selector, by=by)
except Exception:
return
if self.highlights:
loops = self.highlights
if self.browser == 'ie':
loops = 1
loops = int(loops)
o_bs = ''
style = element.get_attribute('style')
if style:
if 'box-shadow: ' in style:
box_start = style.find('box-shadow: ')
box_end = style.find(';', box_start) + 1
original_box_shadow = style[box_start:box_end]
o_bs = original_box_shadow
if ':contains' not in selector and ':first' not in selector:
selector = re.escape(selector)
selector = self.__escape_quotes_if_needed(selector)
self.__highlight_with_js(selector, loops, o_bs)
else:
selector = self.__make_css_match_first_element_only(selector)
selector = re.escape(selector)
selector = self.__escape_quotes_if_needed(selector)
try:
self.__highlight_with_jquery(selector, loops, o_bs)
except Exception:
pass
time.sleep(0.065)
| highlight | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by=By.CSS_SELECTOR, loops=settings.HIGHLIGHTS, scroll\n =True):\n selector, by = self.__recalculate_selector(selector, by)\n element =... |
def x(self, selector, by=By.CSS_SELECTOR, timeout=settings.SMALL_TIMEOUT):
if self.demo_mode:
self.slow_scroll_to(selector, by=by, timeout=timeout)
return
if self.timeout_multiplier and timeout == settings.SMALL_TIMEOUT:
timeout = self.__get_new_timeout(timeout)
element = self.wait_for_element_visible(selector, by=by, timeout=timeout)
try:
self.__scroll_to_element(element)
except (StaleElementReferenceException, ENI_Exception):
self.wait_for_ready_state_complete()
time.sleep(0.05)
element = self.wait_for_element_visible(selector, by=by, timeout=
timeout)
self.__scroll_to_element(element)
| scroll_to | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by=By.CSS_SELECTOR, timeout=settings.SMALL_TIMEOUT):\n if self.demo_mode:\n self.slow_scroll_to(selector, by=by, timeout=timeout)\n ... |
def x(self, selector, by=By.CSS_SELECTOR, timeout=settings.SMALL_TIMEOUT):
if self.timeout_multiplier and timeout == settings.SMALL_TIMEOUT:
timeout = self.__get_new_timeout(timeout)
element = self.wait_for_element_visible(selector, by=by, timeout=timeout)
self.__slow_scroll_to_element(element)
| slow_scroll_to | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by=By.CSS_SELECTOR, timeout=settings.SMALL_TIMEOUT):\n if self.timeout_multiplier and timeout == settings.SMALL_TIMEOUT:\n timeout = ... |
def x(self, selector, by=By.CSS_SELECTOR):
selector, by = self.__recalculate_selector(selector, by)
if by == By.LINK_TEXT:
message = (
"Pure JavaScript doesn't support clicking by Link Text. You may want to use self.jquery_click() instead, which allows this with :contains(), assuming jQuery isn't blocked. For now, self.js_click() will use a regular WebDriver click."
)
logging.debug(message)
self.click(selector, by=by)
return
element = self.wait_for_element_present(selector, by=by, timeout=
settings.SMALL_TIMEOUT)
if self.is_element_visible(selector, by=by):
self.__demo_mode_highlight_if_active(selector, by)
if not self.demo_mode:
self.__scroll_to_element(element)
css_selector = self.convert_to_css_selector(selector, by=by)
css_selector = re.escape(css_selector)
css_selector = self.__escape_quotes_if_needed(css_selector)
self.__js_click(selector, by=by)
self.__demo_mode_pause_if_active()
| js_click | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by=By.CSS_SELECTOR):\n selector, by = self.__recalculate_selector(selector, by)\n if by == By.LINK_TEXT:\n message = (\n ... |
def x(self, selector, by=By.CSS_SELECTOR):
selector, by = self.__recalculate_selector(selector, by)
self.wait_for_element_present(selector, by=by, timeout=settings.
SMALL_TIMEOUT)
if self.is_element_visible(selector, by=by):
self.__demo_mode_highlight_if_active(selector, by)
selector = self.convert_to_css_selector(selector, by=by)
selector = self.__make_css_match_first_element_only(selector)
click_script = "jQuery('%s')[0].click()" % selector
self.safe_execute_script(click_script)
self.__demo_mode_pause_if_active()
| jquery_click | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by=By.CSS_SELECTOR):\n selector, by = self.__recalculate_selector(selector, by)\n self.wait_for_element_present(selector, by=by, timeout=... |
def x(self, selector, by=By.CSS_SELECTOR):
if page_utils.is_xpath_selector(selector):
by = By.XPATH
element = self.wait_for_element_visible(selector, by=by, timeout=
settings.SMALL_TIMEOUT)
element.submit()
self.__demo_mode_pause_if_active()
| submit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by=By.CSS_SELECTOR):\n if page_utils.is_xpath_selector(selector):\n by = By.XPATH\n element = self.wait_for_element_visible(select... |
def x(self, selector, by=By.CSS_SELECTOR):
selector, by = self.__recalculate_selector(selector, by)
selector = self.convert_to_css_selector(selector, by=by)
selector = self.__make_css_match_first_element_only(selector)
hide_script = "jQuery('%s').hide()" % selector
self.safe_execute_script(hide_script)
| hide_element | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by=By.CSS_SELECTOR):\n selector, by = self.__recalculate_selector(selector, by)\n selector = self.convert_to_css_selector(selector, by=by... |
def x(self, selector, by=By.CSS_SELECTOR):
selector, by = self.__recalculate_selector(selector, by)
selector = self.convert_to_css_selector(selector, by=by)
hide_script = "jQuery('%s').hide()" % selector
self.safe_execute_script(hide_script)
| hide_elements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by=By.CSS_SELECTOR):\n selector, by = self.__recalculate_selector(selector, by)\n selector = self.convert_to_css_selector(selector, by=by... |
def x(self, selector, by=By.CSS_SELECTOR):
selector, by = self.__recalculate_selector(selector, by)
selector = self.convert_to_css_selector(selector, by=by)
selector = self.__make_css_match_first_element_only(selector)
show_script = "jQuery('%s').show(0)" % selector
self.safe_execute_script(show_script)
| show_element | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by=By.CSS_SELECTOR):\n selector, by = self.__recalculate_selector(selector, by)\n selector = self.convert_to_css_selector(selector, by=by... |
def x(self, selector, by=By.CSS_SELECTOR):
selector, by = self.__recalculate_selector(selector, by)
selector = self.convert_to_css_selector(selector, by=by)
show_script = "jQuery('%s').show(0)" % selector
self.safe_execute_script(show_script)
| show_elements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by=By.CSS_SELECTOR):\n selector, by = self.__recalculate_selector(selector, by)\n selector = self.convert_to_css_selector(selector, by=by... |
def x(self, selector, by=By.CSS_SELECTOR):
selector, by = self.__recalculate_selector(selector, by)
selector = self.convert_to_css_selector(selector, by=by)
selector = self.__make_css_match_first_element_only(selector)
remove_script = "jQuery('%s').remove()" % selector
self.safe_execute_script(remove_script)
| remove_element | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by=By.CSS_SELECTOR):\n selector, by = self.__recalculate_selector(selector, by)\n selector = self.convert_to_css_selector(selector, by=by... |
def x(self, selector, by=By.CSS_SELECTOR):
selector, by = self.__recalculate_selector(selector, by)
selector = self.convert_to_css_selector(selector, by=by)
remove_script = "jQuery('%s').remove()" % selector
self.safe_execute_script(remove_script)
| remove_elements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by=By.CSS_SELECTOR):\n selector, by = self.__recalculate_selector(selector, by)\n selector = self.convert_to_css_selector(selector, by=by... |
def x(self, source=None):
from bs4 import BeautifulSoup
if not source:
self.wait_for_ready_state_complete()
source = self.get_page_source()
soup = BeautifulSoup(source, 'html.parser')
return soup
| get_beautiful_soup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source=None):\n from bs4 import BeautifulSoup\n if not source:\n self.wait_for_ready_state_complete()\n source = self.get_page_source... |
def x(self):
page_url = self.get_current_url()
soup = self.get_beautiful_soup(self.get_page_source())
links = page_utils._get_unique_links(page_url, soup)
return links
| get_unique_links | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n page_url = self.get_current_url()\n soup = self.get_beautiful_soup(self.get_page_source())\n links = page_utils._get_unique_links(page_url, s... |
def x(self, link, allow_redirects=False, timeout=5):
status_code = page_utils._get_link_status_code(link, allow_redirects=
allow_redirects, timeout=timeout)
return status_code
| get_link_status_code | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, link, allow_redirects=False, timeout=5):\n status_code = page_utils._get_link_status_code(link, allow_redirects=\n allow_redirects, timeout=tim... |
def x(self, multithreaded=True):
links = self.get_unique_links()
if multithreaded:
from multiprocessing.dummy import Pool as ThreadPool
pool = ThreadPool(10)
pool.map(self.assert_link_status_code_is_not_404, links)
pool.close()
pool.join()
else:
for link in links:
self.assert_link_status_code_is_not_404(link)
| assert_no_404_errors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, multithreaded=True):\n links = self.get_unique_links()\n if multithreaded:\n from multiprocessing.dummy import Pool as ThreadPool\n p... |
def x(self):
page_url = self.get_current_url()
soup = self.get_beautiful_soup(self.get_page_source())
page_utils._print_unique_links_with_status_codes(page_url, soup)
| print_unique_links_with_status_codes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n page_url = self.get_current_url()\n soup = self.get_beautiful_soup(self.get_page_source())\n page_utils._print_unique_links_with_status_codes... |
def x(self, script):
try:
self.execute_script(script)
except Exception:
self.activate_jquery()
self.execute_script(script)
| safe_execute_script | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, script):\n try:\n self.execute_script(script)\n except Exception:\n self.activate_jquery()\n self.execute_script(script)\n",
... |
def x(self, folder):
if folder.endswith('/'):
folder = folder[:-1]
if len(folder) < 1:
raise Exception('Minimum folder name length = 1.')
if not os.path.exists(folder):
try:
os.makedirs(folder)
except Exception:
pass
| create_folder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, folder):\n if folder.endswith('/'):\n folder = folder[:-1]\n if len(folder) < 1:\n raise Exception('Minimum folder name length = 1.')... |
def x(self, selector, file_name, folder=None):
element = self.find_element(selector)
element_png = element.screenshot_as_png
if len(file_name.split('.')[0]) < 1:
raise Exception('Error: file_name length must be > 0.')
if not file_name.endswith('.png'):
file_name = file_name + '.png'
image_file_path = None
if folder:
if folder.endswith('/'):
folder = folder[:-1]
if len(folder) > 0:
self.create_folder(folder)
image_file_path = '%s/%s' % (folder, file_name)
if not image_file_path:
image_file_path = file_name
with open(image_file_path, 'wb') as file:
file.write(element_png)
| save_element_as_image_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, file_name, folder=None):\n element = self.find_element(selector)\n element_png = element.screenshot_as_png\n if len(file_name.split('.... |
def x(self, file_url, destination_folder=None):
if not destination_folder:
destination_folder = constants.Files.DOWNLOADS_FOLDER
page_utils._download_file_to(file_url, destination_folder)
| download_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_url, destination_folder=None):\n if not destination_folder:\n destination_folder = constants.Files.DOWNLOADS_FOLDER\n page_utils._downl... |
def x(self, file_url, new_file_name, destination_folder=None):
if not destination_folder:
destination_folder = constants.Files.DOWNLOADS_FOLDER
page_utils._download_file_to(file_url, destination_folder, new_file_name)
| save_file_as | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_url, new_file_name, destination_folder=None):\n if not destination_folder:\n destination_folder = constants.Files.DOWNLOADS_FOLDER\n pa... |
def x(self, data, file_name, destination_folder=None):
if not destination_folder:
destination_folder = constants.Files.DOWNLOADS_FOLDER
page_utils._save_data_as(data, destination_folder, file_name)
| save_data_as | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, file_name, destination_folder=None):\n if not destination_folder:\n destination_folder = constants.Files.DOWNLOADS_FOLDER\n page_utils... |
def x(self):
try:
browser_logs = self.driver.get_log('browser')
except (ValueError, WebDriverException):
return
messenger_library = '//cdnjs.cloudflare.com/ajax/libs/messenger'
errors = []
for entry in browser_logs:
if entry['level'] == 'SEVERE':
if messenger_library not in entry['message']:
errors.append(entry)
if len(errors) > 0:
current_url = self.get_current_url()
raise Exception('JavaScript errors found on %s => %s' % (
current_url, errors))
| assert_no_js_errors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n browser_logs = self.driver.get_log('browser')\n except (ValueError, WebDriverException):\n return\n messenger_library = ... |
def x(self, totp_key=None):
import pyotp
if not totp_key:
totp_key = settings.TOTP_KEY
epoch_interval = time.time() / 30.0
cycle_lifespan = float(epoch_interval) - int(epoch_interval)
if float(cycle_lifespan) > 0.95:
for i in range(30):
time.sleep(0.05)
epoch_interval = time.time() / 30.0
cycle_lifespan = float(epoch_interval) - int(epoch_interval)
if not float(cycle_lifespan) > 0.95:
break
totp = pyotp.TOTP(totp_key)
return str(totp.now())
| get_google_auth_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, totp_key=None):\n import pyotp\n if not totp_key:\n totp_key = settings.TOTP_KEY\n epoch_interval = time.time() / 30.0\n cycle_lifespa... |
def x(self, selector, by):
if by == By.CSS_SELECTOR:
return selector
elif by == By.ID:
return '#%s' % selector
elif by == By.CLASS_NAME:
return '.%s' % selector
elif by == By.NAME:
return '[name="%s"]' % selector
elif by == By.TAG_NAME:
return selector
elif by == By.XPATH:
return self.convert_xpath_to_css(selector)
elif by == By.LINK_TEXT:
return 'a:contains("%s")' % selector
elif by == By.PARTIAL_LINK_TEXT:
return 'a:contains("%s")' % selector
else:
raise Exception(
'Exception: Could not convert {%s}(by=%s) to CSS_SELECTOR!' % (
selector, by))
| convert_to_css_selector | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, by):\n if by == By.CSS_SELECTOR:\n return selector\n elif by == By.ID:\n return '#%s' % selector\n elif by == By.CLASS_N... |
def x(self, selector, new_value, by=By.CSS_SELECTOR, timeout=settings.
LARGE_TIMEOUT):
if self.timeout_multiplier and timeout == settings.LARGE_TIMEOUT:
timeout = self.__get_new_timeout(timeout)
if page_utils.is_xpath_selector(selector):
by = By.XPATH
orginal_selector = selector
css_selector = self.convert_to_css_selector(selector, by=by)
self.__demo_mode_highlight_if_active(orginal_selector, by)
if not self.demo_mode:
self.scroll_to(orginal_selector, by=by, timeout=timeout)
value = re.escape(new_value)
value = self.__escape_quotes_if_needed(value)
css_selector = re.escape(css_selector)
css_selector = self.__escape_quotes_if_needed(css_selector)
script = "document.querySelector('%s').value='%s';" % (css_selector, value)
self.execute_script(script)
if new_value.endswith('\n'):
element = self.wait_for_element_present(orginal_selector, by=by,
timeout=timeout)
element.send_keys(Keys.RETURN)
if settings.WAIT_FOR_RSC_ON_PAGE_LOADS:
self.wait_for_ready_state_complete()
self.__demo_mode_pause_if_active()
| set_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, new_value, by=By.CSS_SELECTOR, timeout=settings.\n LARGE_TIMEOUT):\n if self.timeout_multiplier and timeout == settings.LARGE_TIMEOUT:\n ... |
def x(self, selector, new_value, by=By.CSS_SELECTOR, timeout=settings.
LARGE_TIMEOUT):
if self.timeout_multiplier and timeout == settings.LARGE_TIMEOUT:
timeout = self.__get_new_timeout(timeout)
self.set_value(selector, new_value, by=by, timeout=timeout)
| js_update_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, new_value, by=By.CSS_SELECTOR, timeout=settings.\n LARGE_TIMEOUT):\n if self.timeout_multiplier and timeout == settings.LARGE_TIMEOUT:\n ... |
def x(self, selector, new_value, by=By.CSS_SELECTOR, timeout=settings.
LARGE_TIMEOUT):
if self.timeout_multiplier and timeout == settings.LARGE_TIMEOUT:
timeout = self.__get_new_timeout(timeout)
if page_utils.is_xpath_selector(selector):
by = By.XPATH
element = self.wait_for_element_visible(selector, by=by, timeout=timeout)
self.__demo_mode_highlight_if_active(selector, by)
self.scroll_to(selector, by=by)
selector = self.convert_to_css_selector(selector, by=by)
selector = self.__make_css_match_first_element_only(selector)
selector = self.__escape_quotes_if_needed(selector)
new_value = re.escape(new_value)
new_value = self.__escape_quotes_if_needed(new_value)
update_text_script = "jQuery('%s').val('%s')" % (selector, new_value)
self.safe_execute_script(update_text_script)
if new_value.endswith('\n'):
element.send_keys('\n')
self.__demo_mode_pause_if_active()
| jquery_update_text_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, new_value, by=By.CSS_SELECTOR, timeout=settings.\n LARGE_TIMEOUT):\n if self.timeout_multiplier and timeout == settings.LARGE_TIMEOUT:\n ... |
def x(self, selector, new_value, by=By.CSS_SELECTOR, timeout=settings.
LARGE_TIMEOUT):
if self.timeout_multiplier and timeout == settings.LARGE_TIMEOUT:
timeout = self.__get_new_timeout(timeout)
self.jquery_update_text_value(selector, new_value, by=by, timeout=timeout)
| jquery_update_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector, new_value, by=By.CSS_SELECTOR, timeout=settings.\n LARGE_TIMEOUT):\n if self.timeout_multiplier and timeout == settings.LARGE_TIMEOUT:\n ... |
def x(self, dropdown_selector, option, dropdown_by=By.CSS_SELECTOR,
option_by='text', timeout=settings.SMALL_TIMEOUT):
if page_utils.is_xpath_selector(dropdown_selector):
dropdown_by = By.XPATH
element = self.find_element(dropdown_selector, by=dropdown_by, timeout=
timeout)
self.__demo_mode_highlight_if_active(dropdown_selector, dropdown_by)
pre_action_url = self.driver.current_url
try:
if option_by == 'index':
Select(element).select_by_index(option)
elif option_by == 'value':
Select(element).select_by_value(option)
else:
Select(element).select_by_visible_text(option)
except (StaleElementReferenceException, ENI_Exception):
self.wait_for_ready_state_complete()
time.sleep(0.05)
element = self.find_element(dropdown_selector, by=dropdown_by,
timeout=timeout)
if option_by == 'index':
Select(element).select_by_index(option)
elif option_by == 'value':
Select(element).select_by_value(option)
else:
Select(element).select_by_visible_text(option)
if settings.WAIT_FOR_RSC_ON_CLICKS:
self.wait_for_ready_state_complete()
if self.demo_mode:
if self.driver.current_url != pre_action_url:
self.__demo_mode_pause_if_active()
else:
self.__demo_mode_pause_if_active(tiny=True)
| select_option | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dropdown_selector, option, dropdown_by=By.CSS_SELECTOR,\n option_by='text', timeout=settings.SMALL_TIMEOUT):\n if page_utils.is_xpath_selector(drop... |
def x(self, dropdown_selector, option, dropdown_by=By.CSS_SELECTOR, timeout
=settings.SMALL_TIMEOUT):
if self.timeout_multiplier and timeout == settings.SMALL_TIMEOUT:
timeout = self.__get_new_timeout(timeout)
self.__select_option(dropdown_selector, option, dropdown_by=dropdown_by,
option_by='text', timeout=timeout)
| select_option_by_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dropdown_selector, option, dropdown_by=By.CSS_SELECTOR, timeout\n =settings.SMALL_TIMEOUT):\n if self.timeout_multiplier and timeout == settings.SM... |
def x(self, start_page, destination_page):
if not page_utils.is_valid_url(destination_page):
raise Exception(
'Exception: destination_page {%s} is not a valid URL!' %
destination_page)
if start_page:
if not page_utils.is_valid_url(start_page):
raise Exception(
'Exception: start_page {%s} is not a valid URL! (Use an empty string or None to start from current page.)'
% start_page)
self.open(start_page)
time.sleep(0.08)
self.wait_for_ready_state_complete()
referral_link = (
"<body><a class='analytics referral test' href='%s' style='font-family: Arial,sans-serif; font-size: 30px; color: #18a2cd'>Magic Link Button</a></body>"
% destination_page)
self.execute_script('document.body.outerHTML = "%s"' % referral_link)
self.click('a.analytics.referral.test', timeout=2)
time.sleep(0.15)
try:
self.click('html')
time.sleep(0.08)
except Exception:
pass
| generate_referral | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_page, destination_page):\n if not page_utils.is_valid_url(destination_page):\n raise Exception(\n 'Exception: destination_page... |
def x(self, start_page, destination_page, loops=1):
for loop in range(loops):
self.generate_referral(start_page, destination_page)
time.sleep(0.05)
| generate_traffic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_page, destination_page, loops=1):\n for loop in range(loops):\n self.generate_referral(start_page, destination_page)\n time.sleep(... |
def x(self, pages):
if not type(pages) is tuple and not type(pages) is list:
raise Exception(
'Exception: Expecting a list of website pages for chaining!')
if len(pages) < 2:
raise Exception(
'Exception: At least two website pages required for chaining!')
for page in pages:
if not page_utils.is_valid_url(page):
raise Exception(
'Exception: Website page {%s} is not a valid URL!' % page)
for page in pages:
self.generate_referral(None, page)
| generate_referral_chain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pages):\n if not type(pages) is tuple and not type(pages) is list:\n raise Exception(\n 'Exception: Expecting a list of website page... |
def x(self, pages, loops=1):
for loop in range(loops):
self.generate_referral_chain(pages)
time.sleep(0.05)
| generate_traffic_chain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pages, loops=1):\n for loop in range(loops):\n self.generate_referral_chain(pages)\n time.sleep(0.05)\n",
"role": "user"
},
{
... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.