source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, other): if self.everything: return self elif other.everything: return other else: return DiscreteSet(self.elements.union(other.elements))
union
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n if self.everything:\n return self\n elif other.everything:\n return other\n else:\n return DiscreteSet(self.eleme...
def x(self): if self.everything: raise ValueError('Can not iterate everything') for coord in sorted(self.elements): yield coord
iter_members
[ { "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.everything:\n raise ValueError('Can not iterate everything')\n for coord in sorted(self.elements):\n yield coord\n", "...
def x(self, other): res = {} if set(self.sets.keys()) != set(other.sets.keys()): raise KeyError('Incompatible patches in intersection') for name, s1 in self.sets.items(): s2 = other.sets[name] res[name] = s1.intersection(s2) return Patch(res)
intersection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n res = {}\n if set(self.sets.keys()) != set(other.sets.keys()):\n raise KeyError('Incompatible patches in intersection')\n for n...
def x(self): if not self.is_discrete(): raise ValueError('Patch is not discrete') names = sorted(self.sets.keys()) icoords = [self.sets[name].iter_members() for name in names] for coordinates in product(*icoords): yield tuple(zip(names, coordinates))
iter_points
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.is_discrete():\n raise ValueError('Patch is not discrete')\n names = sorted(self.sets.keys())\n icoords = [self.sets[name]...
def x(self, request=None, obj=None, form=None): for form_label in self.custom_form_labels: if form_label.field in form.base_fields: label = form_label.get_form_label(request=request, obj=obj, model=self.model, form=form) if label: form.base_fields[form_label.field].label = mark_safe(label) return form
update_form_labels
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request=None, obj=None, form=None):\n for form_label in self.custom_form_labels:\n if form_label.field in form.base_fields:\n label ...
def x(file_path, find_str): if zipfile.is_zipfile(file_path): zipf = zipfile.ZipFile(file_path) interesting_files = [f for f in zipf.infolist() if find_str in f] for inside_file in interesting_files: yield zipf.open(inside_file)
open_filezip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_path, find_str):\n if zipfile.is_zipfile(file_path):\n zipf = zipfile.ZipFile(file_path)\n interesting_files = [f for f in zipf.infolist(...
def x(path_to_file, dest_path, target_zipfiles=None): target_zipfiles = ['.*'] if target_zipfiles is None else target_zipfiles files = [] _, ext = os.path.splitext(path_to_file) if ext == '.zip': file = open(path_to_file, 'rb') with zipfile.ZipFile(file) as zip_file: regexp = '|'.join(target_zipfiles) if target_zipfiles else '.*' search_regex = re.compile(regexp) lista = [m.group() for x in zip_file.namelist() for m in [ search_regex.search(x)] if m] for zp_file in lista: try: zip_file.extract(zp_file, dest_path) files.append(os.path.join(dest_path, zp_file)) except Exception as ex: msg = 'Fail to extract {} in {} to {} - {}'.format(zp_file, path_to_file, dest_path, ex) logger.error(msg) file.close() else: logger.warning('Not zipfile passed in args') return files
extract_filezip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path_to_file, dest_path, target_zipfiles=None):\n target_zipfiles = ['.*'] if target_zipfiles is None else target_zipfiles\n files = []\n _, ext = os....
def x(url, destination, **kwargs): web_file = open_remote_url(url, **kwargs) file_size = 0 if not web_file: logger.error('Remote file not found. Attempted URLs: {}'.format(url)) return modified = is_remote_file_modified(web_file, destination) if modified: logger.info('Downloading: ' + web_file.url) file_size = copy_remote_file(web_file, destination) else: logger.info('File up-to-date: ' + destination) web_file.close() return file_size
download_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, destination, **kwargs):\n web_file = open_remote_url(url, **kwargs)\n file_size = 0\n if not web_file:\n logger.error('Remote file not fou...
def x(urls, **kwargs): if isinstance(urls, str): urls = [urls] for url in urls: try: web_file = requests.get(url, stream=True, **kwargs) if 'html' in web_file.headers['content-type']: raise ValueError('HTML source file retrieved.') return web_file except Exception as ex: logger.error('Fail to open remote url - {}'.format(ex)) continue
open_remote_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(urls, **kwargs):\n if isinstance(urls, str):\n urls = [urls]\n for url in urls:\n try:\n web_file = requests.get(url, stream=Tru...
def x(web_file, destination): try: last_mod = web_file.headers.get('last-modified') if last_mod: web_file_time = time.strptime(web_file.headers.get( 'last-modified'), '%a, %d %b %Y %H:%M:%S %Z') else: web_file_time = time.gmtime() web_file_size = int(web_file.headers.get('content-length', -1)) if os.path.exists(destination): file_time = time.gmtime(os.path.getmtime(destination)) file_size = os.path.getsize(destination) if file_time >= web_file_time and file_size == web_file_size: return False except Exception as ex: msg = ( 'Fail checking if remote file is modified default returns TRUE - {}' .format(ex)) logger.debug(msg) return True
is_remote_file_modified
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(web_file, destination):\n try:\n last_mod = web_file.headers.get('last-modified')\n if last_mod:\n web_file_time = time.strptime(we...
def x(web_file, destination): size = 0 dir_name = os.path.dirname(destination) if not os.path.exists(dir_name): os.makedirs(dir_name) with open(destination, 'wb') as file_: chunk_size = 8 * 1024 for chunk in web_file.iter_content(chunk_size=chunk_size): if chunk: file_.write(chunk) size += len(chunk) return size
copy_remote_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(web_file, destination):\n size = 0\n dir_name = os.path.dirname(destination)\n if not os.path.exists(dir_name):\n os.makedirs(dir_name)\n wi...
def x(paths): for path in force_list(paths): if os.path.exists(path): os.remove(path)
remove_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(paths):\n for path in force_list(paths):\n if os.path.exists(path):\n os.remove(path)\n", "role": "user" }, { "content": "remo...
def x(self, client_type, client_id, secret): self.request.add_header(self.dci_datetime_header, self.dci_datetime_str) signature = self._sign(secret) return self.request.build_headers(client_type, client_id, signature)
generate_headers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client_type, client_id, secret):\n self.request.add_header(self.dci_datetime_header, self.dci_datetime_str)\n signature = self._sign(secret)\n r...
def x(settings): ladder = Ladder(settings) ladder.save() getKnownLadders()[ladder.name] = ladder return ladder
addLadder
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(settings):\n ladder = Ladder(settings)\n ladder.save()\n getKnownLadders()[ladder.name] = ladder\n return ladder\n", "role": "user" }, { ...
def x(name): ladders = getKnownLadders() try: ladder = ladders[name] os.remove(ladder.filename) del ladders[name] return ladder except KeyError: raise ValueError( "given ladder name '%s' is not a known ladder definition" % name)
delLadder
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n ladders = getKnownLadders()\n try:\n ladder = ladders[name]\n os.remove(ladder.filename)\n del ladders[name]\n retur...
def x(reset=False): if not ladderCache or reset: jsonFiles = os.path.join(c.LADDER_FOLDER, '*.json') for ladderFilepath in glob.glob(jsonFiles): filename = os.path.basename(ladderFilepath) name = re.search('^ladder_(.*?).json$', filename).groups()[0] ladder = Ladder(name) ladderCache[ladder.name] = ladder return ladderCache
getKnownLadders
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(reset=False):\n if not ladderCache or reset:\n jsonFiles = os.path.join(c.LADDER_FOLDER, '*.json')\n for ladderFilepath in glob.glob(jsonFiles...
def x(cls, json_file_path, schema=None): gfile.check_file_existence(json_file_path) try: if not gfile.FileTypeChecker.is_text_file(json_file_path): raise ValueError('not a JSON file') except ImportError: raise with open(json_file_path, 'r') as fp: try: dict_json = json.load(fp) except ValueError: _, e, _ = sys.exc_info() raise ValueError(os.linesep.join([str(e), 'decode error: check JSON format with http://jsonlint.com/'])) cls.__validate_json(schema, dict_json) return dict_json
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, json_file_path, schema=None):\n gfile.check_file_existence(json_file_path)\n try:\n if not gfile.FileTypeChecker.is_text_file(json_file_path)...
def x(cls, json_text, schema=None): try: json_text = json_text.decode('ascii') except AttributeError: pass try: dict_json = json.loads(json_text) except ValueError: _, e, _ = sys.exc_info() raise ValueError(os.linesep.join([str(e), 'decode error: check JSON format with http://jsonlint.com/'])) cls.__validate_json(schema, dict_json) return dict_json
loads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, json_text, schema=None):\n try:\n json_text = json_text.decode('ascii')\n except AttributeError:\n pass\n try:\n dict_json =...
def x(self, sample_count): if self.amplitude.value <= 0: return None rolled_array = numpy.roll(self.wave_cache, -1 * self.last_played_sample) full_count, remainder = divmod(sample_count, self.cache_length) final_subarray = rolled_array[:int(remainder)] return_array = numpy.concatenate((numpy.tile(rolled_array, full_count), final_subarray)) self.last_played_sample = int((self.last_played_sample + remainder) % self.cache_length) return return_array * (self.amplitude.value * self.amplitude_multiplier)
get_samples
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sample_count):\n if self.amplitude.value <= 0:\n return None\n rolled_array = numpy.roll(self.wave_cache, -1 * self.last_played_sample)\n ...
def x(self, obj=None): if not obj: obj = self line_nr = int(obj.line_nr) if obj.line_nr else 0 col = int(obj.col) if obj.col else 0 return obj.path, line_nr, col, obj.msg
cmp_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj=None):\n if not obj:\n obj = self\n line_nr = int(obj.line_nr) if obj.line_nr else 0\n col = int(obj.col) if obj.col else 0\n retu...
def x(self): if 'args' in self.config: return ' '.join((self.command, self.config['args'])) return self.command
command_with_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if 'args' in self.config:\n return ' '.join((self.command, self.config['args']))\n return self.command\n", "role": "user" }, { ...
def x(self, full_path): try: rel_path = Path(full_path).relative_to(Path().absolute()) except ValueError: LOG.error("%s: Couldn't find relative path of '%s' from '%s'.", self.name, full_path, Path().absolute()) return full_path return str(rel_path)
get_relative_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, full_path):\n try:\n rel_path = Path(full_path).relative_to(Path().absolute())\n except ValueError:\n LOG.error(\"%s: Couldn't find r...
def x(self, lines, pattern): for line in lines: match = pattern.match(line) if match: params = match.groupdict() if not params: params = match.groups() yield self._create_output_from_match(params)
parse_by_pattern
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lines, pattern):\n for line in lines:\n match = pattern.match(line)\n if match:\n params = match.groupdict()\n if ...
def x(self, match_result): if isinstance(match_result, dict): return LinterOutput(self.name, **match_result) return LinterOutput(self.name, *match_result)
create_output_from_match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, match_result):\n if isinstance(match_result, dict):\n return LinterOutput(self.name, **match_result)\n return LinterOutput(self.name, *match...
def x(self, rel_path): f_path = self.get_full_file_path(rel_path) return get_single_file_info(f_path, rel_path)
get_single_file_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rel_path):\n f_path = self.get_full_file_path(rel_path)\n return get_single_file_info(f_path, rel_path)\n", "role": "user" }, { "conten...
def x(self): manifest = file_or_default(self.get_full_file_path(self.manifest_file), {'format_version': 2, 'root': '/', 'have_revision': 'root', 'files': {}}, json.loads) if 'format_version' not in manifest or manifest['format_version'] < 2: raise SystemExit('Please update the client manifest format') return manifest
read_local_manifest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n manifest = file_or_default(self.get_full_file_path(self.manifest_file),\n {'format_version': 2, 'root': '/', 'have_revision': 'root', 'files...
def x(self, rpath, data): try: self.begin() self.file_put_contents(rpath, data) manifest = self.read_local_manifest() manifest['files'][rpath] = self.get_single_file_info(rpath) self.write_local_manifest(manifest) self.commit() except: self.rollback() raise
fs_put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rpath, data):\n try:\n self.begin()\n self.file_put_contents(rpath, data)\n manifest = self.read_local_manifest()\n manife...
def x(signal_number, frame, target=None): if target: target.config.logger.info('detected SIGTERM') target.task_manager.quit = True else: raise KeyboardInterrupt
respond_to_SIGTERM
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(signal_number, frame, target=None):\n if target:\n target.config.logger.info('detected SIGTERM')\n target.task_manager.quit = True\n else:\...
def x(self): try: return self.job_param_source_iter(self.config) except TypeError: try: return self.job_param_source_iter() except TypeError: return self.job_param_source_iter
get_iterator
[ { "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 return self.job_param_source_iter(self.config)\n except TypeError:\n try:\n return self.job_param_source_iter()\...
def x(self, seconds, wait_log_interval=0, wait_reason=''): for x in xrange(int(seconds)): self.quit_check() if wait_log_interval and not x % wait_log_interval: self.logger.info('%s: %dsec of %dsec', wait_reason, x, seconds) self.quit_check() time.sleep(1.0)
responsive_sleep
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, seconds, wait_log_interval=0, wait_reason=''):\n for x in xrange(int(seconds)):\n self.quit_check()\n if wait_log_interval and not x % w...
def x(self, waiting_func=None): self.logger.debug('threadless start') try: for job_params in self._get_iterator(): self.config.logger.debug('received %r', job_params) self.quit_check() if job_params is None: if self.config.quit_on_empty_queue: raise KeyboardInterrupt self.logger.info( 'there is nothing to do. Sleeping for %d seconds' % self.config.idle_delay) self._responsive_sleep(self.config.idle_delay) continue self.quit_check() try: args, kwargs = job_params except ValueError: args = job_params kwargs = {} try: self.task_func(*args, **kwargs) except Exception: self.config.logger.error('Error in processing a job', exc_info=True) except KeyboardInterrupt: self.logger.debug('queuingThread gets quit request') finally: self.quit = True self.logger.debug('ThreadlessTaskManager dies quietly')
blocking_start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, waiting_func=None):\n self.logger.debug('threadless start')\n try:\n for job_params in self._get_iterator():\n self.config.logger...
def x(self): class NetworkMeasures: pass self.nm = nm = NetworkMeasures() nm.degrees = self.network.degree() nm.nodes_ = sorted(self.network.nodes(), key=lambda x: nm.degrees[x]) nm.degrees_ = [nm.degrees[i] for i in nm.nodes_] nm.edges = self.network.edges(data=True) nm.E = self.network.number_of_edges() nm.N = self.network.number_of_nodes() self.np = g.NetworkPartitioning(nm, 10, metric='g')
makePartitions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n\n class NetworkMeasures:\n pass\n self.nm = nm = NetworkMeasures()\n nm.degrees = self.network.degree()\n nm.nodes_ = sorted(self...
def x(self): self.makeLayout() self.setAgraph() self.plotGraph() self.plotGraph('reversed', filename='tgraphR.png') agents = n.concatenate(self.np.sectorialized_agents__) for i, sector in enumerate(self.np.sectorialized_agents__): self.plotGraph('plain', sector, 'sector{:02}.png'.format(i)) self.plotGraph('reversed', sector, 'sector{:02}R.png'.format(i)) self.plotGraph('plain', n.setdiff1d(agents, sector), 'sector{:02}N.png'.format(i)) self.plotGraph('reversed', n.setdiff1d(agents, sector), 'sector{:02}RN.png'.format(i)) self.plotGraph('plain', [], 'BLANK.png')
makeImages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.makeLayout()\n self.setAgraph()\n self.plotGraph()\n self.plotGraph('reversed', filename='tgraphR.png')\n agents = n.concatenate(s...
def x(self, mode='plain', nodes=None, filename='tgraph.png'): if nodes == None: nodes = self.nodes else: nodes = [i for i in self.nodes if i in nodes] for node in self.nodes: n_ = self.A.get_node(node) if mode == 'plain': nmode = 1 else: nmode = -1 pos = '{},{}'.format(self.xi[::nmode][self.nm.nodes_.index(node)], self.yi[::nmode][self.nm.nodes_.index(node)]) n_.attr['pos'] = pos n_.attr['pin'] = True color = '#%02x%02x%02x' % tuple([(255 * i) for i in self.cm[int( self.clustering[n_] * 255)][:-1]]) n_.attr['fillcolor'] = color n_.attr['fixedsize'] = True n_.attr['width'] = abs(0.1 * (self.nm.degrees[n_] + 0.5)) n_.attr['height'] = abs(0.1 * (self.nm.degrees[n_] + 0.5)) n_.attr['label'] = '' if node not in nodes: n_.attr['style'] = 'invis' else: n_.attr['style'] = 'filled' for e in self.edges: e.attr['penwidth'] = 3.4 e.attr['arrowsize'] = 1.5 e.attr['arrowhead'] = 'lteeoldiamond' e.attr['style'] = '' if sum([(i in nodes) for i in (e[0], e[1])]) == 2: e.attr['style'] = '' else: e.attr['style'] = 'invis' tname = '{}{}'.format(self.basedir, filename) print(tname) self.A.draw(tname, prog='neato')
plotGraph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mode='plain', nodes=None, filename='tgraph.png'):\n if nodes == None:\n nodes = self.nodes\n else:\n nodes = [i for i in self.nodes i...
def x(self): self.makeVisualSong() self.makeAudibleSong() if self.make_video: self.makeAnimation()
makeSong
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.makeVisualSong()\n self.makeAudibleSong()\n if self.make_video:\n self.makeAnimation()\n", "role": "user" }, { "conte...
def x(self): self.files = os.listdir(self.basedir) self.stairs = [i for i in self.files if 'stair' in i and 'R' in i] self.sectors = [i for i in self.files if 'sector' in i] self.stairs.sort() self.sectors.sort() filenames = [(self.basedir + i) for i in self.sectors[:4]] self.iS0 = mpy.ImageSequenceClip(filenames, durations=[1.5, 2.5, 0.5, 1.5]) self.iS1 = mpy.ImageSequenceClip([self.basedir + self.sectors[2], self. basedir + self.sectors[3], self.basedir + self.sectors[2], self. basedir + self.sectors[3], self.basedir + self.sectors[2], self. basedir + self.sectors[3], self.basedir + self.sectors[2], self. basedir + self.sectors[3]], durations=[0.25] * 8) self.iS2 = mpy.ImageSequenceClip([self.basedir + self.sectors[2], self. basedir + self.sectors[3], self.basedir + self.sectors[2], self. basedir + self.sectors[3], self.basedir + self.sectors[0]], durations=[0.75, 0.25, 0.75, 0.25, 2.0]) self.iS3 = mpy.ImageSequenceClip([self.basedir + 'BLANK.png', self. basedir + self.sectors[0], self.basedir + self.sectors[1], self. basedir + self.sectors[1], self.basedir + self.sectors[1], self. basedir + self.sectors[0], self.basedir + self.sectors[0]], durations=[1, 0.5, 2.0, 0.25, 0.25, 1.75, 0.25]) self.iS4 = mpy.ImageSequenceClip([self.basedir + self.sectors[2], self. basedir + self.sectors[3], self.basedir + self.sectors[5], self. basedir + self.sectors[2], self.basedir + self.sectors[0], self. basedir + self.sectors[2], self.basedir + self.sectors[0], self. basedir + self.sectors[3], self.basedir + self.sectors[0], self. basedir + 'BLANK.png'], durations=[1, 0.5, 0.5, 0.75, 0.25, 1.0, 2.0, 2.0, 2.0, 2.0]) self.iS = mpy.concatenate_videoclips((self.iS0, self.iS1, self.iS2, self.iS3, self.iS4))
makeVisualSong
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.files = os.listdir(self.basedir)\n self.stairs = [i for i in self.files if 'stair' in i and 'R' in i]\n self.sectors = [i for i in self....
def x(self): sound0 = n.hstack((sy.render(220, d=1.5), sy.render(220 * 2 ** (7 / 12), d=2.5), sy.render(220 * 2 ** (-5 / 12), d=0.5), sy.render(220 * 2 ** (0 / 12), d=1.5))) sound1 = n.hstack((sy.render(220 * 2 ** (0 / 12), d=0.25), sy.render( 220 * 2 ** (7 / 12), d=0.25), sy.render(220 * 2 ** (0 / 12), d=0.25 ), sy.render(220 * 2 ** (7 / 12), d=0.25), sy.render(220 * 2 ** (0 / 12), d=0.25), sy.render(220 * 2 ** (7 / 12), d=0.25), sy.render(220 * 2 ** (0 / 12), d=0.25), sy.render(220 * 2 ** (7 / 12), d=0.25))) sound2 = n.hstack((sy.render(220 * 2 ** (0 / 12), d=0.75), sy.render( 220 * 2 ** (0 / 12), d=0.25), sy.render(220 * 2 ** (7 / 12), d=0.75 ), sy.render(220 * 2 ** (0 / 12), d=0.25), sy.render(220 * 2 ** (-1 / 12), d=2.0))) sound3 = n.hstack((n.zeros(44100), sy.render(220 * 2 ** (-1 / 12), d= 0.5), sy.render(220 * 2 ** (8 / 12), d=2.0), sy.render(220 * 2 ** ( 8 / 12), d=0.25), sy.render(220 * 2 ** (8 / 12), d=0.25), sy.render (220 * 2 ** (-1 / 12), d=1.75), sy.render(220 * 2 ** (-1 / 12), d= 0.25))) sound4 = n.hstack((sy.render(220 * 2 ** (0 / 12), d=1.0), sy.render(220 * 2 ** (7 / 12), d=0.5), sy.render(220 * 2 ** (11 / 12), d=0.5), sy. render(220 * 2 ** (12 / 12), d=0.75), sy.render(220 * 2 ** (11 / 12 ), d=0.25), sy.render(220 * 2 ** (12 / 12), d=1.0), sy.render(220 * 2 ** (8 / 12), d=2.0), sy.render(220 * 2 ** (7 / 12), d=2.0), sy. render(220 * 2 ** (-1 / 12), d=2.0), n.zeros(2 * 44100))) sound = n.hstack((sound0, sound1, sound2, sound3, sound4)) UT.write(sound, 'sound.wav')
makeAudibleSong
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n sound0 = n.hstack((sy.render(220, d=1.5), sy.render(220 * 2 ** (7 / 12),\n d=2.5), sy.render(220 * 2 ** (-5 / 12), d=0.5), sy.render(220 * 2...
def x(self): aclip = mpy.AudioFileClip('sound.wav') self.iS = self.iS.set_audio(aclip) self.iS.write_videofile('mixedVideo.webm', 15, audio=True) print('wrote ' + 'mixedVideo.webm')
makeAnimation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n aclip = mpy.AudioFileClip('sound.wav')\n self.iS = self.iS.set_audio(aclip)\n self.iS.write_videofile('mixedVideo.webm', 15, audio=True)\n ...
def x(prefix, suffix, input_str): if prefix is not '': if input_str.startswith(prefix): input_str = input_str[len(prefix):] if suffix is not '': if input_str.endswith(suffix): input_str = input_str[:-len(suffix)] return input_str
cutoff_filename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prefix, suffix, input_str):\n if prefix is not '':\n if input_str.startswith(prefix):\n input_str = input_str[len(prefix):]\n if suffix...
def x(f: Frame) ->str: path, line, src, fn = _get_frame(inspect.getframeinfo(f)) return '{}:{} -> {}\n{}'.format(path.split(os.sep)[-1], line, fn, repr( src[0][:-1]))
get_frame_src
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f: Frame) ->str:\n path, line, src, fn = _get_frame(inspect.getframeinfo(f))\n return '{}:{} -> {}\\n{}'.format(path.split(os.sep)[-1], line, fn, repr(\n...
def x(f: Frame) ->str: return pformat({i: f.f_locals[i] for i in f.f_locals if not i. startswith('__')})
get_locals
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f: Frame) ->str:\n return pformat({i: f.f_locals[i] for i in f.f_locals if not i.\n startswith('__')})\n", "role": "user" }, { "content":...
def x(f: Frame, _type: str, _value: Any): try: profile_print('\n'.join([get_frame_src(f), get_locals(f), '----------------------------------------'])) except: pass
default_profiler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f: Frame, _type: str, _value: Any):\n try:\n profile_print('\\n'.join([get_frame_src(f), get_locals(f),\n '-------------------------------...
def x(fn=None, profiler=None) ->Callable: custom_profiler = fn is None and profiler is not None no_profiler = profiler is None and fn is not None no_args = profiler is None and fn is None if custom_profiler: return partial(trace, profiler=profiler) elif no_args: return trace elif no_profiler: profiler = default_profiler assert callable(fn) assert callable(profiler) @wraps(fn) def x(*args, **kwargs): wafflestwaffles = None old_profiler = sys.getprofile() sys.setprofile(profiler) try: return fn(*args, **kwargs) finally: sys.setprofile(old_profiler) return wrapper
trace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn=None, profiler=None) ->Callable:\n custom_profiler = fn is None and profiler is not None\n no_profiler = profiler is None and fn is not None\n no_a...
def x(self, filename): shutil.move(filename, self.destination_folder) path, fn = os.path.split(filename) return os.path.join(self.destination_folder, fn)
on_close
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n shutil.move(filename, self.destination_folder)\n path, fn = os.path.split(filename)\n return os.path.join(self.destination_folder, ...
def x(): logger = logging.getLogger('entify') logger.debug('Recovering all the available <RegexpObject> classes.') listAll = [] listAll.append(BitcoinAddress()) listAll.append(DNI()) listAll.append(DogecoinAddress()) listAll.append(Email()) listAll.append(IPv4()) listAll.append(LitecoinAddress()) listAll.append(MD5()) listAll.append(NamecoinAddress()) listAll.append(PeercoinAddress()) listAll.append(SHA1()) listAll.append(SHA256()) listAll.append(URL()) logger.debug('Returning a list of ' + str(len(listAll)) + ' <RegexpObject> classes.') return listAll
getAllRegexp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n logger = logging.getLogger('entify')\n logger.debug('Recovering all the available <RegexpObject> classes.')\n listAll = []\n listAll.append(Bi...
def x(regexpList=None): if regexpList == None: regexpList = getAllRegexp() listNames = ['all'] for r in regexpList: listNames.append(r.name) return listNames
getAllRegexpNames
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(regexpList=None):\n if regexpList == None:\n regexpList = getAllRegexp()\n listNames = ['all']\n for r in regexpList:\n listNames.append...
def x(regexpNames=['all']): allRegexpList = getAllRegexp() if 'all' in regexpNames: return allRegexpList regexpList = [] for name in regexpNames: for r in allRegexpList: if name == r.name: regexpList.append(r) return regexpList
getRegexpsByName
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(regexpNames=['all']):\n allRegexpList = getAllRegexp()\n if 'all' in regexpNames:\n return allRegexpList\n regexpList = []\n for name in reg...
def x(cls: Type[CRCPubkeyType], crc_pubkey: str) ->CRCPubkeyType: data = CRCPubkey.re_crc_pubkey.match(crc_pubkey) if data is None: raise Exception('Could not parse CRC public key {0}'.format(crc_pubkey) ) pubkey = data.group(1) crc = data.group(2) return cls(pubkey, crc)
from_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls: Type[CRCPubkeyType], crc_pubkey: str) ->CRCPubkeyType:\n data = CRCPubkey.re_crc_pubkey.match(crc_pubkey)\n if data is None:\n raise Exceptio...
def x(cls: Type[CRCPubkeyType], pubkey: str) ->CRCPubkeyType: hash_root = hashlib.sha256() hash_root.update(base58.b58decode(pubkey)) hash_squared = hashlib.sha256() hash_squared.update(hash_root.digest()) b58_checksum = ensure_str(base58.b58encode(hash_squared.digest())) crc = b58_checksum[:3] return cls(pubkey, crc)
from_pubkey
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls: Type[CRCPubkeyType], pubkey: str) ->CRCPubkeyType:\n hash_root = hashlib.sha256()\n hash_root.update(base58.b58decode(pubkey))\n hash_squared = h...
def x(self) ->bool: return CRCPubkey.from_pubkey(self.pubkey).crc == self.crc
is_valid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->bool:\n return CRCPubkey.from_pubkey(self.pubkey).crc == self.crc\n", "role": "user" }, { "content": "is_valid", "role": "assistant"...
def x(self): if self.parent is None: raise RuntimeError('Current statement has no parent, so it cannot ' + 'be deleted form a procmailrc structure') elif self.id is None: raise RuntimeError( 'id not set but have a parent, this should not be happening') else: parent_id = self.parent.id index = int(self.id.split('.')[-1]) self.parent.pop(index) self.parent = None self.id = None return parent_id
delete
[ { "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.parent is None:\n raise RuntimeError('Current statement has no parent, so it cannot ' +\n 'be deleted form a procmailrc s...
def x(netid): subs = get_netid_subscriptions(netid, Subscription.SUBS_CODE_OFFICE_365) if subs is not None: for subscription in subs: if (subscription.subscription_code == Subscription. SUBS_CODE_OFFICE_365): return subscription return None
get_office365edu_prod_subs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(netid):\n subs = get_netid_subscriptions(netid, Subscription.SUBS_CODE_OFFICE_365)\n if subs is not None:\n for subscription in subs:\n ...
def x(self): if self._cached_metahash: return self._cached_metahash mhash = base.BaseBuilder._metahash(self) log.debug('[%s]: Metahash input: cmd="%s"', self.address, self.cmd) mhash.update(self.cmd) self._cached_metahash = mhash return mhash
metahash
[ { "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._cached_metahash:\n return self._cached_metahash\n mhash = base.BaseBuilder._metahash(self)\n log.debug('[%s]: Metahash input:...
def x(self): cmd = self.cmd def x(): outs = self.rule.params['outs'] or [] if len(outs) != 1: raise error.TargetBuildFailed(self.address, '$@ substitution requires exactly one output file, but this rule has %s of them: %s' % (len(outs), outs)) else: return os.path.join(self.buildroot, self.path_to_this_rule, outs[0] ) def x(re_match): label = None tagstr = re_match.groups()[0] tag_location = re.match('\\s*location\\s+([A-Za-z0-9/\\-_:\\.]+)\\s*', tagstr) tag_locations = re.match('\\s*locations\\s+([A-Za-z0-9/\\-_:\\.]+)\\s*' , tagstr) if tag_location: label = tag_location.groups()[0] elif tag_locations: label = tag_locations.groups()[0] if label: if label in self.rule.params['outs']: return os.path.join(self.buildroot, self.address.repo, self .address.path, label) addr = self.rule.makeaddress(label) if addr not in self.rule.composed_deps(): raise error.TargetBuildFailed(self.address, '%s is referenced in cmd but is neither an output file from this rule nor a dependency of this rule.' % label) else: paths = [x for x in self.rulefor(addr).output_files] if len(paths) is 0: raise error.TargetBuildFailed(self.address, 'cmd refers to %s, but it has no output files.') elif len(paths) > 1 and tag_location: raise error.TargetBuildFailed(self.address, 'Bad substitution in cmd: Expected exactly one file, but %s expands to %s files.' % (addr, len(paths))) else: return ' '.join([os.path.join(self.buildroot, x) for x in paths]) elif re.match('OUTS', tagstr): return ' '.join([os.path.join(self.buildroot, x) for x in self. rule.output_files]) elif re.match('SRCS', tagstr): return ' '.join(os.path.join(self.path_to_this_rule, x) for x in self.rule.params['srcs'] or []) elif re.match('\\s*@D\\s*', tagstr): ruledir = os.path.join(self.buildroot, self.path_to_this_rule) return ruledir elif re.match('\\s*@\\s*', tagstr): return _expand_onesrc() else: raise error.TargetBuildFailed(self.address, '[%s] Unrecognized substitution in cmd: %s' % (self.address, re_match.group())) cmd, _ = re.subn(self.paren_tag_re, _expand_makevar, cmd) cmd, _ = re.subn(self.noparen_tag_re, _expand_makevar, cmd) cmd, _ = re.subn('\\$\\$', '$', cmd) self.cmd = cmd
expand_cmd_labels
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cmd = self.cmd\n\n def x():\n outs = self.rule.params['outs'] or []\n if len(outs) != 1:\n raise error.TargetBuildFaile...
def x(self): outs = [os.path.join(self.address.repo, self.address.path, x) for x in self.params['outs']] return outs
output_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n outs = [os.path.join(self.address.repo, self.address.path, x) for x in\n self.params['outs']]\n return outs\n", "role": "user" }, ...
def x(self, response): content_raw = response.body.decode() self.logger.debug('响应body原始数据:{}'.format(content_raw)) content = json.loads(content_raw, encoding='UTF-8') self.logger.debug(content) date = datetime.datetime.strptime(content['date'], '%Y%m%d') strftime = date.strftime('%Y-%m-%d') self.logger.info('日期:{}'.format(strftime)) if 'top_stories' in content: self.logger.info('处理头条文章') for item in content['top_stories']: for story in content['stories']: if item['id'] == story['id']: story['top'] = 1 break self.logger.debug(item) post_num = len(content['stories']) self.logger.info('处理今日文章,共{:>2}篇'.format(post_num)) for item in content['stories']: self.logger.info(item) post_num = 0 if post_num < 0 else post_num pub_time = date + datetime.timedelta(minutes=post_num) post_num -= 1 url = 'http://news-at.zhihu.com/api/4/news/{}'.format(item['id']) request = scrapy.Request(url, callback=self.parse_post) post_dict = {'spider': ZhihuDailySpider.name, 'date': pub_time. strftime('%Y-%m-%d %H:%M:%S'), 'meta': {'spider.zhihu_daily.id': str(item.get('id', ''))}} if item.get('top'): post_dict['meta']['spider.zhihu_daily.top'] = str(item.get( 'top', 0)) request.meta['post'] = post_dict self.item_list.append(post_dict) yield request
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response):\n content_raw = response.body.decode()\n self.logger.debug('响应body原始数据:{}'.format(content_raw))\n content = json.loads(content_raw, e...
def x(self, response): content = json.loads(response.body.decode(), encoding='UTF-8') post = response.meta['post'] post['origin_url'] = content.get('share_url', '') if not all([post['origin_url']]): raise ValueError('原文地址为空') post['title'] = html.escape(content.get('title', '')) if not all([post['title']]): raise ValueError('文章标题为空 - {}'.format(post.get('origin_url'))) if content.get('type') == 1: self.logger.warn('遇到站外文章,单独处理 - {}'.format(post['title'])) return post soup = BeautifulSoup(content.get('body', ''), 'lxml') author_obj = soup.select('span.author') self.logger.debug(author_obj) if author_obj: author_list = [] for author in author_obj: author_list.append(author.string.rstrip(',, ').replace(',', ',')) author_list = list(set(author_list)) post['author'] = html.escape(','.join(author_list)) post['content'] = str(soup.div) image_back = content.get('images', [None])[0] if image_back: post['meta']['moear.cover_image_slug'] = content.get('image', image_back) self.logger.debug(post)
parse_post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response):\n content = json.loads(response.body.decode(), encoding='UTF-8')\n post = response.meta['post']\n post['origin_url'] = content.get('s...
def x(self, reason): self.logger.debug('结果列表: {}'.format(self.item_list)) output_strings = json.dumps(self.item_list, ensure_ascii=False) with open(self.output_file, 'w') as fh: fh.write(output_strings)
closed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, reason):\n self.logger.debug('结果列表: {}'.format(self.item_list))\n output_strings = json.dumps(self.item_list, ensure_ascii=False)\n with open(se...
def x(self) ->str: current_branch: str = self.repo.active_branch.name LOGGER.debug('current branch: %s', current_branch) return current_branch
get_current_branch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n current_branch: str = self.repo.active_branch.name\n LOGGER.debug('current branch: %s', current_branch)\n return current_branch\n", ...
def x(self, tag: str, overwrite: bool=False) ->None: LOGGER.info('tagging repo: %s', tag) try: self.repo.create_tag(tag) except GitCommandError as exc: if 'already exists' in exc.stderr and overwrite: LOGGER.info('overwriting existing tag') self.remove_tag(tag) self.repo.create_tag(tag) else: LOGGER.exception('error while tagging repo') raise
tag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag: str, overwrite: bool=False) ->None:\n LOGGER.info('tagging repo: %s', tag)\n try:\n self.repo.create_tag(tag)\n except GitCommandErr...
def x(self, pattern: str=None) ->typing.List[str]: tags: typing.List[str] = [str(tag) for tag in self.repo.tags] if not pattern: LOGGER.debug('tags found in repo: %s', tags) return tags LOGGER.debug('filtering tags with pattern: %s', pattern) filtered_tags: typing.List[str] = [tag for tag in tags if pattern in tag] LOGGER.debug('filtered tags: %s', filtered_tags) return filtered_tags
list_tags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pattern: str=None) ->typing.List[str]:\n tags: typing.List[str] = [str(tag) for tag in self.repo.tags]\n if not pattern:\n LOGGER.debug('tag...
def x(self, *tag: str): LOGGER.info('removing tag(s) from repo: %s', tag) self.repo.delete_tag(*tag)
remove_tag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *tag: str):\n LOGGER.info('removing tag(s) from repo: %s', tag)\n self.repo.delete_tag(*tag)\n", "role": "user" }, { "content": "remove...
def x(self) ->bool: if self.get_current_tag(): LOGGER.debug('latest commit is tagged') return True LOGGER.debug('latest commit is NOT tagged') return False
is_on_tag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->bool:\n if self.get_current_tag():\n LOGGER.debug('latest commit is tagged')\n return True\n LOGGER.debug('latest commit is NOT tag...
def x(self) ->typing.Optional[str]: tags = list(self.repo.tags) if not tags: LOGGER.debug('no tag found') return None for tag in tags: LOGGER.debug('tag found: %s; comparing with commit', tag) if tag.commit == self.latest_commit(): tag_name: str = tag.name LOGGER.debug('found tag on commit: %s', tag_name) return tag_name LOGGER.debug('no tag found on latest commit') return None
get_current_tag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->typing.Optional[str]:\n tags = list(self.repo.tags)\n if not tags:\n LOGGER.debug('no tag found')\n return None\n for tag in tag...
def x(self, stash_name: str): if self.stashed: LOGGER.error('already stashed') sys.exit(-1) else: if not self.index_is_empty(): LOGGER.error('cannot stash; index is not empty') sys.exit(-1) if self.untracked_files(): LOGGER.error('cannot stash; there are untracked files') sys.exit(-1) if self.changed_files(): LOGGER.info('stashing changes') self.repo.git.stash('push', '-u', '-k', '-m', f'"{stash_name}"') self.stashed = True else: LOGGER.info('no changes to stash')
stash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stash_name: str):\n if self.stashed:\n LOGGER.error('already stashed')\n sys.exit(-1)\n else:\n if not self.index_is_empty():\...
def x(self): if not self.stashed: LOGGER.error('no stash') else: LOGGER.info('popping stash') self.repo.git.stash('pop') self.stashed = False
unstash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.stashed:\n LOGGER.error('no stash')\n else:\n LOGGER.info('popping stash')\n self.repo.git.stash('pop')\n ...
def x(): LOGGER.debug('checking repository') if not os.path.exists('.git'): LOGGER.error('This command is meant to be ran in a Git repository.') sys.exit(-1) LOGGER.debug('repository OK')
ensure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n LOGGER.debug('checking repository')\n if not os.path.exists('.git'):\n LOGGER.error('This command is meant to be ran in a Git repository.')\n...
def x(self) ->str: last_msg: str = self.latest_commit().message.rstrip() LOGGER.debug('last msg: %s', last_msg) return last_msg
last_commit_msg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n last_msg: str = self.latest_commit().message.rstrip()\n LOGGER.debug('last msg: %s', last_msg)\n return last_msg\n", "role": "user"...
def x(self) ->typing.List[str]: untracked_files = list(self.repo.untracked_files) LOGGER.debug('untracked files: %s', untracked_files) return untracked_files
untracked_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->typing.List[str]:\n untracked_files = list(self.repo.untracked_files)\n LOGGER.debug('untracked files: %s', untracked_files)\n return untracke...
def x(self) ->str: status: str = self.repo.git.status() LOGGER.debug('git status: %s', status) return status
status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n status: str = self.repo.git.status()\n LOGGER.debug('git status: %s', status)\n return status\n", "role": "user" }, { "cont...
def x(self) ->typing.List[str]: staged_files: typing.List[str] = [x.a_path for x in self.repo.index. diff('HEAD')] LOGGER.debug('staged files: %s', staged_files) return staged_files
list_staged_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->typing.List[str]:\n staged_files: typing.List[str] = [x.a_path for x in self.repo.index.\n diff('HEAD')]\n LOGGER.debug('staged files: %s'...
def x(self) ->bool: index_empty: bool = len(self.repo.index.diff(self.repo.head.commit)) == 0 LOGGER.debug('index is empty: %s', index_empty) return index_empty
index_is_empty
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->bool:\n index_empty: bool = len(self.repo.index.diff(self.repo.head.commit)) == 0\n LOGGER.debug('index is empty: %s', index_empty)\n return i...
def x(self) ->typing.List[str]: changed_files: typing.List[str] = [x.a_path for x in self.repo.index. diff(None)] LOGGER.debug('changed files: %s', changed_files) return changed_files
changed_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->typing.List[str]:\n changed_files: typing.List[str] = [x.a_path for x in self.repo.index.\n diff(None)]\n LOGGER.debug('changed files: %s'...
def x(self): LOGGER.info('Staging all files') self.repo.git.add(A=True)
stage_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n LOGGER.info('Staging all files')\n self.repo.git.add(A=True)\n", "role": "user" }, { "content": "stage_all", "role": "assistant"...
def x(self): LOGGER.info('Staging modified files') self.repo.git.add(u=True)
stage_modified
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n LOGGER.info('Staging modified files')\n self.repo.git.add(u=True)\n", "role": "user" }, { "content": "stage_modified", "role": "...
def x(self, *files_to_add: str): LOGGER.info('staging files: %s', files_to_add) self.repo.git.add(*files_to_add, A=True)
stage_subset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *files_to_add: str):\n LOGGER.info('staging files: %s', files_to_add)\n self.repo.git.add(*files_to_add, A=True)\n", "role": "user" }, { ...
def x(message: str) ->str: first_line_index = message.find('\n') if first_line_index == -1: edited_message = message + ' [skip ci]' else: edited_message = message[:first_line_index] + ' [skip ci]' + message[ first_line_index:] LOGGER.debug('edited commit message: %s', edited_message) return edited_message
add_skip_ci_to_commit_msg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message: str) ->str:\n first_line_index = message.find('\\n')\n if first_line_index == -1:\n edited_message = message + ' [skip ci]'\n else:\n ...
def x(self, message: str, files_to_add: typing.Optional[typing.Union[typing .List[str], str]]=None, allow_empty: bool=False): message = str(message) LOGGER.debug('message: %s', message) files_to_add = self._sanitize_files_to_add(files_to_add) LOGGER.debug('files to add: %s', files_to_add) if not message: LOGGER.error('empty commit message') sys.exit(-1) if os.getenv('APPVEYOR'): LOGGER.info('committing on AV, adding skip_ci tag') message = self.add_skip_ci_to_commit_msg(message) if files_to_add is None: self.stage_all() else: self.reset_index() self.stage_subset(*files_to_add) if self.index_is_empty() and not allow_empty: LOGGER.error('empty commit') sys.exit(-1) self.repo.index.commit(message=message)
commit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message: str, files_to_add: typing.Optional[typing.Union[typing\n .List[str], str]]=None, allow_empty: bool=False):\n message = str(message)\n L...
def x(self, append_to_msg: typing.Optional[str]=None, new_message: typing. Optional[str]=None, files_to_add: typing.Optional[typing.Union[typing. List[str], str]]=None): if new_message and append_to_msg: LOGGER.error('Cannot use "new_message" and "append_to_msg" together') sys.exit(-1) files_to_add = self._sanitize_files_to_add(files_to_add) message = self._sanitize_amend_commit_message(append_to_msg, new_message) if os.getenv('APPVEYOR'): message = f'{message} [skip ci]' LOGGER.info('amending commit with new message: %s', message) latest_tag = self.get_current_tag() if latest_tag: LOGGER.info('removing tag: %s', latest_tag) self.remove_tag(latest_tag) LOGGER.info('going back one commit') branch = self.repo.head.reference try: branch.commit = self.repo.head.commit.parents[0] except IndexError: LOGGER.error('cannot amend the first commit') sys.exit(-1) if files_to_add: self.stage_subset(*files_to_add) else: self.stage_all() self.repo.index.commit(message, skip_hooks=True) if latest_tag: LOGGER.info('resetting tag: %s', latest_tag) self.tag(latest_tag)
amend_commit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, append_to_msg: typing.Optional[str]=None, new_message: typing.\n Optional[str]=None, files_to_add: typing.Optional[typing.Union[typing.\n List[str]...
def x(self, ref_name: str): if self.is_dirty(): LOGGER.error('repository is dirty; cannot merge: %s', ref_name) sys.exit(-1) LOGGER.info('merging ref: "%s" into branch: %s', ref_name, self. get_current_branch()) self.repo.git.merge(ref_name)
merge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ref_name: str):\n if self.is_dirty():\n LOGGER.error('repository is dirty; cannot merge: %s', ref_name)\n sys.exit(-1)\n LOGGER.info(...
def x(self, set_upstream: bool=True): LOGGER.info('pushing repo to origin') try: self.repo.git.push() except GitCommandError as error: if 'has no upstream branch' in error.stderr and set_upstream: self.repo.git.push( f'--set-upstream origin {self.get_current_branch()}') else: raise self.push_tags()
push
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, set_upstream: bool=True):\n LOGGER.info('pushing repo to origin')\n try:\n self.repo.git.push()\n except GitCommandError as error:\n ...
def x(self) ->typing.List[str]: branches: typing.List[str] = [head.name for head in self.repo.heads] LOGGER.debug('branches: %s', branches) return branches
list_branches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->typing.List[str]:\n branches: typing.List[str] = [head.name for head in self.repo.heads]\n LOGGER.debug('branches: %s', branches)\n return bra...
def x(self) ->str: current_sha: str = self.repo.head.commit.hexsha LOGGER.debug('current commit SHA: %s', current_sha) return current_sha
get_sha
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n current_sha: str = self.repo.head.commit.hexsha\n LOGGER.debug('current commit SHA: %s', current_sha)\n return current_sha\n", "rol...
def x(self) ->str: short_sha: str = self.get_sha()[:7] LOGGER.debug('short SHA: %s', short_sha) return short_sha
get_short_sha
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n short_sha: str = self.get_sha()[:7]\n LOGGER.debug('short SHA: %s', short_sha)\n return short_sha\n", "role": "user" }, { "...
def x(self, reference: str): LOGGER.info('checking out: %s', reference) if not self.index_is_empty(): LOGGER.error('index contains change; cannot checkout. Status:\n %s', self.status()) sys.exit(-1) if self.is_dirty(untracked=True): LOGGER.error('repository is dirty; cannot checkout "%s"', reference) LOGGER.error('repository is dirty; cannot checkout. Status:\n %s', self.status()) sys.exit(-1) LOGGER.debug('going through all present references') for head in self.repo.heads: if head.name == reference: LOGGER.debug('resetting repo index and working tree to: %s', reference) self.repo.head.reference = head self.repo.head.reset(index=True, working_tree=True) break else: LOGGER.error('reference not found: %s', reference) sys.exit(-1)
checkout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, reference: str):\n LOGGER.info('checking out: %s', reference)\n if not self.index_is_empty():\n LOGGER.error('index contains change; cannot ...
def x(self, branch_name: str): LOGGER.info('creating branch: %s', branch_name) self._validate_branch_name(branch_name) if branch_name in self.list_branches(): LOGGER.error('branch already exists') sys.exit(-1) new_branch = self.repo.create_head(branch_name) new_branch.commit = self.repo.head.commit
create_branch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, branch_name: str):\n LOGGER.info('creating branch: %s', branch_name)\n self._validate_branch_name(branch_name)\n if branch_name in self.list_bra...
def x(self, branch_name: str): self.create_branch(branch_name) self.checkout(branch_name)
create_branch_and_checkout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, branch_name: str):\n self.create_branch(branch_name)\n self.checkout(branch_name)\n", "role": "user" }, { "content": "create_branch_and...
def x(self, untracked=False) ->bool: result = False if not self.index_is_empty(): LOGGER.error('index is not empty') result = True changed_files = self.changed_files() if bool(changed_files): LOGGER.error(f'Repo has %s modified files: %s', len(changed_files), changed_files) result = True if untracked: result = result or bool(self.untracked_files()) return result
is_dirty
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, untracked=False) ->bool:\n result = False\n if not self.index_is_empty():\n LOGGER.error('index is not empty')\n result = True\n c...
def x(text, ignore_case=True): if ignore_case: compiled = re.compile('^%s' % text.replace('\\', '\\\\'), re.IGNORECASE ) else: compiled = re.compile('^%s' % text.replace('\\', '\\\\')) return {'$regex': compiled}
startswith
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, ignore_case=True):\n if ignore_case:\n compiled = re.compile('^%s' % text.replace('\\\\', '\\\\\\\\'), re.IGNORECASE\n )\n else:\...
def x(search, lang=Lang.English, ignore_case=True): return {'$text': {'$search': search, '$language': lang, '$caseSensitive': not ignore_case, '$diacriticSensitive': False}}
fulltext
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(search, lang=Lang.English, ignore_case=True):\n return {'$text': {'$search': search, '$language': lang,\n '$caseSensitive': not ignore_case, '$diacri...
def x(lat, lng, max_dist=None, unit_miles=False): filters = {'$nearSphere': {'$geometry': {'type': 'Point', 'coordinates': [lng, lat]}}} if max_dist: if unit_miles: max_dist = max_dist / 1609.344 filters['$nearSphere']['$maxDistance'] = max_dist return filters
near
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lat, lng, max_dist=None, unit_miles=False):\n filters = {'$nearSphere': {'$geometry': {'type': 'Point', 'coordinates':\n [lng, lat]}}}\n if max_di...
def x(self): if not self.isdir(): raise Exception( 'FSQuery tried to return the children of a node which is not a directory : %s' % self.abs) return [FSNode(self.abs + '/' + x, self.root, self.depth + 1) for x in os.listdir(self.abs)]
children
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.isdir():\n raise Exception(\n 'FSQuery tried to return the children of a node which is not a directory : %s'\n ...
def x(self, fName, content): if not self.isdir(): raise Exception( 'FSQuery tried to add a file in a node which is not a directory : %s' % self.abs) self.write_file('%s/%s' % (self.abs, fName), content)
add_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fName, content):\n if not self.isdir():\n raise Exception(\n 'FSQuery tried to add a file in a node which is not a directory : %s'\n...
def x(self): if self.isdir(): raise Exception('FSQuery tried to open a directory as a file : %s' % self.abs) return open(self.abs)
open_file
[ { "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.isdir():\n raise Exception('FSQuery tried to open a directory as a file : %s' %\n self.abs)\n return open(self.abs)\n"...
def x(self): if not os.path.exists(self.abs): os.makedirs(self.abs)
mk_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not os.path.exists(self.abs):\n os.makedirs(self.abs)\n", "role": "user" }, { "content": "mk_dir", "role": "assistant" ...
def x(self, depth=0, fsNode=None): if not fsNode: fsNode = FSNode(self.init_path, self.init_path, 0) if fsNode.isdir(): if self.check_dir(fsNode): if self.check_return(fsNode): yield fsNode for n in fsNode.children(): if n.islink(): continue for n2 in self.walk(depth + 1, n): if self.check_return(n2): yield n2 elif self.check_file(fsNode): if self.check_return(fsNode): yield fsNode raise StopIteration
walk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, depth=0, fsNode=None):\n if not fsNode:\n fsNode = FSNode(self.init_path, self.init_path, 0)\n if fsNode.isdir():\n if self.check_dir...
def x(self, new_root, visitor): for n in self.walk(): sn = n.clone(new_root) if n.isdir(): visitor.process_dir(n, sn) else: visitor.process_file(n, sn)
shadow
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, new_root, visitor):\n for n in self.walk():\n sn = n.clone(new_root)\n if n.isdir():\n visitor.process_dir(n, sn)\n el...
def x(self, f): def x(fsNode): if not fsNode.isdir(): return False for c in fsNode.children(): if f(c): return True return False return self.make_return(match)
DirContains
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, f):\n\n def x(fsNode):\n if not fsNode.isdir():\n return False\n for c in fsNode.children():\n if f(c):\n ...
def x(self, peer): assert isinstance(peer, beans.Peer) with self.__lock: peer_id = peer.peer_id if peer_id in self.peers: raise KeyError('Already known peer: {0}'.format(peer)) self.peers[peer_id] = peer for name in peer.groups: self.groups.setdefault(name, set()).add(peer_id)
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, peer):\n assert isinstance(peer, beans.Peer)\n with self.__lock:\n peer_id = peer.peer_id\n if peer_id in self.peers:\n ra...
def x(self, peer_id): with self.__lock: peer = self.peers.pop(peer_id) assert isinstance(peer, beans.Peer) for name in peer.groups: try: group = self.groups[name] group.remove(peer_id) if not group: del self.groups[name] except KeyError: pass
unregister
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, peer_id):\n with self.__lock:\n peer = self.peers.pop(peer_id)\n assert isinstance(peer, beans.Peer)\n for name in peer.groups:\n...