source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(bitstream, no_repr=False): block_bit_list = iter_steps(bitstream, steps=8) print_block_bit_list(block_bit_list, no_repr=no_repr)
print_bitlist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(bitstream, no_repr=False):\n block_bit_list = iter_steps(bitstream, steps=8)\n print_block_bit_list(block_bit_list, no_repr=no_repr)\n", "role": "user" }, { "content": "print_bitlist", "role": "assistant" } ]
def x(count, max_value): count -= 1 for index in xrange(0, count + 1): angle = 360.0 / count * index y = math.sin(math.radians(angle)) * max_value y = int(round(y)) yield y
sinus_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(count, max_value):\n count -= 1\n for index in xrange(0, count + 1):\n angle = 360.0 / count * index\n y = math.sin(math.radians(angle)) * max_value\n y = int(round(y))\n yield y\n", "role": "user" }, { "content": "sinus_values", "role": "assistant" } ]
def x(framerate, hz, max_value): count = int(round(float(framerate) / float(hz))) count += 1 values = tuple(sinus_values(count, max_value)) values = values[1:] return values
sinus_values_by_hz
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(framerate, hz, max_value):\n count = int(round(float(framerate) / float(hz)))\n count += 1\n values = tuple(sinus_values(count, max_value))\n values = values[1:]\n return values\n", "role": "user" }, { "content": "sinus_values_by_hz", "role": "assistant" } ]
def x(package): distribution = get_distribution(package.DISTRIBUTION_NAME) entry_info = distribution.get_entry_info(package.DIST_GROUP, package. ENTRY_POINT) if not entry_info: raise RuntimeError( "Can't find entry info for distribution: %r (group: %r, entry point: %r)" % (package.DISTRIBUTION_NAME, package.DIST_GROUP, package. ENTRY_POINT)) return entry_info.module_name
get_module_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(package):\n distribution = get_distribution(package.DISTRIBUTION_NAME)\n entry_info = distribution.get_entry_info(package.DIST_GROUP, package.\n ENTRY_POINT)\n if not entry_info:\n raise RuntimeError(\n \"Can't find entry info for distribution: %r (group: %r, entry point: %r)\"\n % (package.DISTRIBUTION_NAME, package.DIST_GROUP, package.\n ENTRY_POINT))\n return entry_info.module_name\n", "role": "user" }, { "content": "get_module_name", "role": "assistant" } ]
def x(*args, **kwargs): verbose = kwargs.pop('verbose', False) if verbose: click.secho(' '.join([repr(i) for i in args]), bg='blue', fg='white') executable = args[0] if not os.path.isfile(executable): raise RuntimeError('First argument %r is not a existing file!' % executable) if not os.access(executable, os.X_OK): raise RuntimeError( 'First argument %r exist, but is not executeable!' % executable) return subprocess.Popen(args, **kwargs)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n verbose = kwargs.pop('verbose', False)\n if verbose:\n click.secho(' '.join([repr(i) for i in args]), bg='blue', fg='white')\n executable = args[0]\n if not os.path.isfile(executable):\n raise RuntimeError('First argument %r is not a existing file!' %\n executable)\n if not os.access(executable, os.X_OK):\n raise RuntimeError(\n 'First argument %r exist, but is not executeable!' % executable)\n return subprocess.Popen(args, **kwargs)\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(options, home_dir): if options.install_type == INST_PYPI: requirements = NORMAL_INSTALLATION elif options.install_type == INST_GIT: requirements = GIT_READONLY_INSTALLATION elif options.install_type == INST_DEV: requirements = DEVELOPER_INSTALLATION else: raise RuntimeError('Install type %r unknown?!?' % options.install_type) env_subprocess = EnvSubprocess(home_dir) logfile = os.path.join(env_subprocess.abs_home_dir, 'install.log') for requirement in requirements: sys.stdout.write('\n\nInstall %r:\n' % requirement) env_subprocess.call_env_pip(['install', '--log=%s' % logfile, requirement]) sys.stdout.write('\n')
after_install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(options, home_dir):\n if options.install_type == INST_PYPI:\n requirements = NORMAL_INSTALLATION\n elif options.install_type == INST_GIT:\n requirements = GIT_READONLY_INSTALLATION\n elif options.install_type == INST_DEV:\n requirements = DEVELOPER_INSTALLATION\n else:\n raise RuntimeError('Install type %r unknown?!?' % options.install_type)\n env_subprocess = EnvSubprocess(home_dir)\n logfile = os.path.join(env_subprocess.abs_home_dir, 'install.log')\n for requirement in requirements:\n sys.stdout.write('\\n\\nInstall %r:\\n' % requirement)\n env_subprocess.call_env_pip(['install', '--log=%s' % logfile,\n requirement])\n sys.stdout.write('\\n')\n", "role": "user" }, { "content": "after_install", "role": "assistant" } ]
def x(): sys.stderr.flush() sys.stdout.flush() tb = sys.exc_info()[2] while True: if not tb.tb_next: break tb = tb.tb_next stack = [] f = tb.tb_frame while f: stack.append(f) f = f.f_back txt = traceback.format_exc() txt_lines = txt.splitlines() first_line = txt_lines.pop(0) last_line = txt_lines.pop(-1) click.secho(first_line, fg='red') for line in txt_lines: if line.strip().startswith('File'): click.echo(line) else: click.secho(line, fg='white', bold=True) click.secho(last_line, fg='red') click.echo() click.secho('Locals by frame, most recent call first:', fg='blue', bold =True) for frame in stack: msg = 'File "%s", line %i, in %s' % (frame.f_code.co_filename, frame.f_lineno, frame.f_code.co_name) msg = click.style(msg, fg='white', bold=True, underline=True) click.echo('\n *** %s' % msg) for key, value in list(frame.f_locals.items()): click.echo('%30s = ' % click.style(key, bold=True), nl=False) if isinstance(value, int): value = '$%x (decimal: %i)' % (value, value) else: value = repr(value) if len(value) > MAX_CHARS: value = '%s...' % value[:MAX_CHARS] try: click.echo(value) except: click.echo('<ERROR WHILE PRINTING VALUE>')
print_exc_plus
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n sys.stderr.flush()\n sys.stdout.flush()\n tb = sys.exc_info()[2]\n while True:\n if not tb.tb_next:\n break\n tb = tb.tb_next\n stack = []\n f = tb.tb_frame\n while f:\n stack.append(f)\n f = f.f_back\n txt = traceback.format_exc()\n txt_lines = txt.splitlines()\n first_line = txt_lines.pop(0)\n last_line = txt_lines.pop(-1)\n click.secho(first_line, fg='red')\n for line in txt_lines:\n if line.strip().startswith('File'):\n click.echo(line)\n else:\n click.secho(line, fg='white', bold=True)\n click.secho(last_line, fg='red')\n click.echo()\n click.secho('Locals by frame, most recent call first:', fg='blue', bold\n =True)\n for frame in stack:\n msg = 'File \"%s\", line %i, in %s' % (frame.f_code.co_filename,\n frame.f_lineno, frame.f_code.co_name)\n msg = click.style(msg, fg='white', bold=True, underline=True)\n click.echo('\\n *** %s' % msg)\n for key, value in list(frame.f_locals.items()):\n click.echo('%30s = ' % click.style(key, bold=True), nl=False)\n if isinstance(value, int):\n value = '$%x (decimal: %i)' % (value, value)\n else:\n value = repr(value)\n if len(value) > MAX_CHARS:\n value = '%s...' % value[:MAX_CHARS]\n try:\n click.echo(value)\n except:\n click.echo('<ERROR WHILE PRINTING VALUE>')\n", "role": "user" }, { "content": "print_exc_plus", "role": "assistant" } ]
def x(self): codepoints = [] codepoints += list(string2codepoint(self.filename.ljust(8, ' '))) codepoints.append(self.cfg.FTYPE_BASIC) codepoints.append(self.cfg.BASIC_ASCII) codepoints.append(self.gap_flag) if self.file_type != self.cfg.FTYPE_BASIC: codepoints = iter(codepoints) self.start_address = get_word(codepoints) log.info('machine code starting address: %s' % hex(self.start_address)) self.load_address = get_word(codepoints) log.info('machine code loading address: %s' % hex(self.load_address)) else: pass log.debug('filename block: %s' % pformat_codepoints(codepoints)) return codepoints
get_filename_block_as_codepoints
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n codepoints = []\n codepoints += list(string2codepoint(self.filename.ljust(8, ' ')))\n codepoints.append(self.cfg.FTYPE_BASIC)\n codepoints.append(self.cfg.BASIC_ASCII)\n codepoints.append(self.gap_flag)\n if self.file_type != self.cfg.FTYPE_BASIC:\n codepoints = iter(codepoints)\n self.start_address = get_word(codepoints)\n log.info('machine code starting address: %s' % hex(self.start_address))\n self.load_address = get_word(codepoints)\n log.info('machine code loading address: %s' % hex(self.load_address))\n else:\n pass\n log.debug('filename block: %s' % pformat_codepoints(codepoints))\n return codepoints\n", "role": "user" }, { "content": "get_filename_block_as_codepoints", "role": "assistant" } ]
def x(self): if self.current_file is not None and self.buffer: self.current_file.add_block_data(self.buffered_block_length, self. buffer) self.buffer = [] self.buffered_block_length = 0
buffer2file
[ { "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.current_file is not None and self.buffer:\n self.current_file.add_block_data(self.buffered_block_length, self.\n buffer)\n self.buffer = []\n self.buffered_block_length = 0\n", "role": "user" }, { "content": "buffer2file", "role": "assistant" } ]
def x(validation, dictionary): errors = defaultdict(list) for key in validation: if isinstance(validation[key], (list, tuple)): if Required in validation[key]: if not Required(key, dictionary): errors[key] = ['must be present'] continue _validate_list_helper(validation, dictionary, key, errors) else: v = validation[key] if v == Required: if not Required(key, dictionary): errors[key] = ['must be present'] else: _validate_and_store_errs(v, dictionary, key, errors) if len(errors) > 0: return ValidationResult(valid=False, errors=dict(errors)) else: return ValidationResult(valid=True, errors={})
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(validation, dictionary):\n errors = defaultdict(list)\n for key in validation:\n if isinstance(validation[key], (list, tuple)):\n if Required in validation[key]:\n if not Required(key, dictionary):\n errors[key] = ['must be present']\n continue\n _validate_list_helper(validation, dictionary, key, errors)\n else:\n v = validation[key]\n if v == Required:\n if not Required(key, dictionary):\n errors[key] = ['must be present']\n else:\n _validate_and_store_errs(v, dictionary, key, errors)\n if len(errors) > 0:\n return ValidationResult(valid=False, errors=dict(errors))\n else:\n return ValidationResult(valid=True, errors={})\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(*args, **kwargs): def x(value): argspec = getargspec(value) argspec_kw_vals = () if argspec.defaults is not None: argspec_kw_vals = argspec.defaults kw_vals = {} arg_offset = 0 arg_len = len(argspec.args) - 1 for val in argspec_kw_vals[::-1]: kw_vals[argspec.args[arg_len - arg_offset]] = val arg_offset += 1 if kwargs == kw_vals: if len(args) != arg_len - arg_offset + 1: return False index = 0 for arg in args: if argspec.args[index] != arg: return False index += 1 return True return False argspec_lambda.err_message = 'must match argspec ({0}) {{{1}}}'.format(args , kwargs) argspec_lambda.not_message = 'must not match argspec ({0}) {{{1}}}'.format( args, kwargs) return argspec_lambda
ArgSpec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n\n def x(value):\n argspec = getargspec(value)\n argspec_kw_vals = ()\n if argspec.defaults is not None:\n argspec_kw_vals = argspec.defaults\n kw_vals = {}\n arg_offset = 0\n arg_len = len(argspec.args) - 1\n for val in argspec_kw_vals[::-1]:\n kw_vals[argspec.args[arg_len - arg_offset]] = val\n arg_offset += 1\n if kwargs == kw_vals:\n if len(args) != arg_len - arg_offset + 1:\n return False\n index = 0\n for arg in args:\n if argspec.args[index] != arg:\n return False\n index += 1\n return True\n return False\n argspec_lambda.err_message = 'must match argspec ({0}) {{{1}}}'.format(args\n , kwargs)\n argspec_lambda.not_message = 'must not match argspec ({0}) {{{1}}}'.format(\n args, kwargs)\n return argspec_lambda\n", "role": "user" }, { "content": "ArgSpec", "role": "assistant" } ]
def x(start_date, group_type, n): current_date = start_date if group_type == 'monthly': current_year = start_date.year current_month = start_date.month for i in range(n - 1): current_month -= 1 if current_month == 0: current_month = 12 current_year -= 1 first_date = datetime.datetime(current_year, current_month, 1) elif group_type == 'weekly': first_date = start_date - datetime.timedelta(days=start_date. weekday() + (n - 1) * 7) elif group_type == 'daily': first_date = start_date - datetime.timedelta(days=n - 1) first_date = datetime.datetime(first_date.year, first_date.month, first_date.day, 0, 0, 0) return first_date
get_first_date_for_group
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start_date, group_type, n):\n current_date = start_date\n if group_type == 'monthly':\n current_year = start_date.year\n current_month = start_date.month\n for i in range(n - 1):\n current_month -= 1\n if current_month == 0:\n current_month = 12\n current_year -= 1\n first_date = datetime.datetime(current_year, current_month, 1)\n elif group_type == 'weekly':\n first_date = start_date - datetime.timedelta(days=start_date.\n weekday() + (n - 1) * 7)\n elif group_type == 'daily':\n first_date = start_date - datetime.timedelta(days=n - 1)\n first_date = datetime.datetime(first_date.year, first_date.month,\n first_date.day, 0, 0, 0)\n return first_date\n", "role": "user" }, { "content": "get_first_date_for_group", "role": "assistant" } ]
def x(self, **kwargs): commits = self.repository.get_commits(**kwargs) snapshots = [] for commit in commits: for key in ('committer_date', 'author_date'): commit[key] = datetime.datetime.fromtimestamp(commit[key + '_ts']) snapshot = GitSnapshot(commit) hasher = Hasher() hasher.add(snapshot.sha) snapshot.hash = hasher.digest.hexdigest() snapshot.project = self.project snapshot.pk = uuid.uuid4().hex snapshots.append(snapshot) return snapshots
get_snapshots
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n commits = self.repository.get_commits(**kwargs)\n snapshots = []\n for commit in commits:\n for key in ('committer_date', 'author_date'):\n commit[key] = datetime.datetime.fromtimestamp(commit[key + '_ts'])\n snapshot = GitSnapshot(commit)\n hasher = Hasher()\n hasher.add(snapshot.sha)\n snapshot.hash = hasher.digest.hexdigest()\n snapshot.project = self.project\n snapshot.pk = uuid.uuid4().hex\n snapshots.append(snapshot)\n return snapshots\n", "role": "user" }, { "content": "get_snapshots", "role": "assistant" } ]
def x(objects_a, objects_b, key, comparator=None, with_unchanged=False): objects_by_key = {'a': defaultdict(list), 'b': defaultdict(list)} for name, objects in (('a', objects_a), ('b', objects_b)): d = objects_by_key[name] for obj in objects: d[key(obj)].append(obj) added_objects = [obj for key, objs in objects_by_key['b'].items() if key not in objects_by_key['a'] for obj in objs] deleted_objects = [obj for key, objs in objects_by_key['a'].items() if key not in objects_by_key['b'] for obj in objs] joint_keys = [key for key in objects_by_key['a'] if key in objects_by_key['b']] modified_objects = [] for key in joint_keys: objects_a = objects_by_key['a'][key] objects_b = objects_by_key['b'][key] if len(objects_a) > 1 or len(objects_b) > 1: objects_a_copy = objects_a[:] objects_b_copy = objects_b[:] if comparator: for obj_a in objects_a: for obj_b in objects_b_copy: if comparator(obj_a, obj_b) == 0: objects_a_copy.remove(obj_a) objects_b_copy.remove(obj_b) break if len(objects_b_copy) > len(objects_a_copy): added_objects.extend(objects_b_copy[len(objects_a_copy):]) elif len(objects_a_copy) > len(objects_b_copy): deleted_objects.extend(objects_a_copy[len(objects_b_copy):]) elif comparator and comparator(objects_a[0], objects_b[0]) != 0: modified_objects.append(objects_a[0]) result = {'added': added_objects, 'deleted': deleted_objects, 'modified': modified_objects} if with_unchanged: unchanged_objects = [objects_b_by_key[key] for key in joint_keys if not objects_b_by_key[key] in modified_objects] result['unchanged'] = unchanged_objects return result
diff_objects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(objects_a, objects_b, key, comparator=None, with_unchanged=False):\n objects_by_key = {'a': defaultdict(list), 'b': defaultdict(list)}\n for name, objects in (('a', objects_a), ('b', objects_b)):\n d = objects_by_key[name]\n for obj in objects:\n d[key(obj)].append(obj)\n added_objects = [obj for key, objs in objects_by_key['b'].items() if \n key not in objects_by_key['a'] for obj in objs]\n deleted_objects = [obj for key, objs in objects_by_key['a'].items() if \n key not in objects_by_key['b'] for obj in objs]\n joint_keys = [key for key in objects_by_key['a'] if key in\n objects_by_key['b']]\n modified_objects = []\n for key in joint_keys:\n objects_a = objects_by_key['a'][key]\n objects_b = objects_by_key['b'][key]\n if len(objects_a) > 1 or len(objects_b) > 1:\n objects_a_copy = objects_a[:]\n objects_b_copy = objects_b[:]\n if comparator:\n for obj_a in objects_a:\n for obj_b in objects_b_copy:\n if comparator(obj_a, obj_b) == 0:\n objects_a_copy.remove(obj_a)\n objects_b_copy.remove(obj_b)\n break\n if len(objects_b_copy) > len(objects_a_copy):\n added_objects.extend(objects_b_copy[len(objects_a_copy):])\n elif len(objects_a_copy) > len(objects_b_copy):\n deleted_objects.extend(objects_a_copy[len(objects_b_copy):])\n elif comparator and comparator(objects_a[0], objects_b[0]) != 0:\n modified_objects.append(objects_a[0])\n result = {'added': added_objects, 'deleted': deleted_objects,\n 'modified': modified_objects}\n if with_unchanged:\n unchanged_objects = [objects_b_by_key[key] for key in joint_keys if\n not objects_b_by_key[key] in modified_objects]\n result['unchanged'] = unchanged_objects\n return result\n", "role": "user" }, { "content": "diff_objects", "role": "assistant" } ]
def x(self, snapshot_a, snapshot_b, save=True, diff=None): file_revisions_a = snapshot_a.file_revisions file_revisions_b = snapshot_b.file_revisions file_revisions_diff = diff_objects(file_revisions_a, file_revisions_b, file_revision_key, file_revision_comparator) logger.debug('Generating list of modified file revisions...') modified_file_revisions_by_path = {} for fr_type in ('modified', 'added', 'deleted'): for fr in file_revisions_diff[fr_type]: if not fr.path in modified_file_revisions_by_path: modified_file_revisions_by_path[fr.path] = fr logger.debug('Generating list of modified issues...') modified_file_revisions_a = [fr for fr in file_revisions_a if fr.path in modified_file_revisions_by_path] modified_file_revisions_b = [fr for fr in file_revisions_b if fr.path in modified_file_revisions_by_path] if modified_file_revisions_a: issue_occurrences_a = self.project.backend.filter(IssueOccurrence, {'file_revision': {'$in': modified_file_revisions_a}}, include= ('file_revision', 'issue')) else: issue_occurrences_a = [] if modified_file_revisions_b: issue_occurrences_b = self.project.backend.filter(IssueOccurrence, {'file_revision': {'$in': modified_file_revisions_b}}, include= ('file_revision', 'issue')) else: issue_occurrences_b = [] logger.debug('Diffing issues (%d in A, %d in B)' % (len( issue_occurrences_a), len(issue_occurrences_b))) issue_occurrences_diff = diff_objects(issue_occurrences_a, issue_occurrences_b, issue_occurrence_key, issue_occurrence_comparator) logger.debug('Diffing summary...') summary_diff = self.diff_summaries(snapshot_a, snapshot_b) if diff is None: diff = Diff({'summary': summary_diff, 'snapshot_a': snapshot_a, 'project': self.project, 'configuration': self.project. configuration, 'snapshot_b': snapshot_b}) hasher = Hasher() hasher.add(diff.snapshot_a.hash) hasher.add(diff.snapshot_b.hash) diff.hash = hasher.digest.hexdigest() elif save: with self.project.backend.transaction(): self.project.backend.filter(DiffFileRevision, {'diff': diff} ).delete() self.project.backend.filter(DiffIssueOccurrence, {'diff': diff} ).delete() if save: with self.project.backend.transaction(): self.project.backend.save(diff) diff_file_revisions = [] with self.project.backend.transaction(): for key, file_revisions in file_revisions_diff.items(): for file_revision in file_revisions: hasher = Hasher() hasher.add(file_revision.hash) hasher.add(diff.hash) hasher.add(key) diff_file_revision = DiffFileRevision({'diff': diff, 'file_revision': file_revision, 'hash': hasher.digest. hexdigest(), 'key': key}) if save: self.project.backend.save(diff_file_revision) diff_file_revisions.append(diff_file_revision) diff_issue_occurrences = [] mapping = {'deleted': 'fixed', 'added': 'added'} with self.project.backend.transaction(): for key, issue_occurrences in issue_occurrences_diff.items(): if not key in mapping: continue for issue_occurrence in issue_occurrences: hasher = Hasher() hasher.add(issue_occurrence.hash) hasher.add(diff.hash) hasher.add(mapping[key]) diff_issue_occurrence = DiffIssueOccurrence({'diff': diff, 'hash': hasher.digest.hexdigest(), 'issue_occurrence': issue_occurrence, 'key': mapping[key]}) if save: self.project.backend.save(diff_issue_occurrence) diff_issue_occurrences.append(diff_issue_occurrence) return diff, diff_file_revisions, diff_issue_occurrences
diff_snapshots
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, snapshot_a, snapshot_b, save=True, diff=None):\n file_revisions_a = snapshot_a.file_revisions\n file_revisions_b = snapshot_b.file_revisions\n file_revisions_diff = diff_objects(file_revisions_a, file_revisions_b,\n file_revision_key, file_revision_comparator)\n logger.debug('Generating list of modified file revisions...')\n modified_file_revisions_by_path = {}\n for fr_type in ('modified', 'added', 'deleted'):\n for fr in file_revisions_diff[fr_type]:\n if not fr.path in modified_file_revisions_by_path:\n modified_file_revisions_by_path[fr.path] = fr\n logger.debug('Generating list of modified issues...')\n modified_file_revisions_a = [fr for fr in file_revisions_a if fr.path in\n modified_file_revisions_by_path]\n modified_file_revisions_b = [fr for fr in file_revisions_b if fr.path in\n modified_file_revisions_by_path]\n if modified_file_revisions_a:\n issue_occurrences_a = self.project.backend.filter(IssueOccurrence,\n {'file_revision': {'$in': modified_file_revisions_a}}, include=\n ('file_revision', 'issue'))\n else:\n issue_occurrences_a = []\n if modified_file_revisions_b:\n issue_occurrences_b = self.project.backend.filter(IssueOccurrence,\n {'file_revision': {'$in': modified_file_revisions_b}}, include=\n ('file_revision', 'issue'))\n else:\n issue_occurrences_b = []\n logger.debug('Diffing issues (%d in A, %d in B)' % (len(\n issue_occurrences_a), len(issue_occurrences_b)))\n issue_occurrences_diff = diff_objects(issue_occurrences_a,\n issue_occurrences_b, issue_occurrence_key, issue_occurrence_comparator)\n logger.debug('Diffing summary...')\n summary_diff = self.diff_summaries(snapshot_a, snapshot_b)\n if diff is None:\n diff = Diff({'summary': summary_diff, 'snapshot_a': snapshot_a,\n 'project': self.project, 'configuration': self.project.\n configuration, 'snapshot_b': snapshot_b})\n hasher = Hasher()\n hasher.add(diff.snapshot_a.hash)\n hasher.add(diff.snapshot_b.hash)\n diff.hash = hasher.digest.hexdigest()\n elif save:\n with self.project.backend.transaction():\n self.project.backend.filter(DiffFileRevision, {'diff': diff}\n ).delete()\n self.project.backend.filter(DiffIssueOccurrence, {'diff': diff}\n ).delete()\n if save:\n with self.project.backend.transaction():\n self.project.backend.save(diff)\n diff_file_revisions = []\n with self.project.backend.transaction():\n for key, file_revisions in file_revisions_diff.items():\n for file_revision in file_revisions:\n hasher = Hasher()\n hasher.add(file_revision.hash)\n hasher.add(diff.hash)\n hasher.add(key)\n diff_file_revision = DiffFileRevision({'diff': diff,\n 'file_revision': file_revision, 'hash': hasher.digest.\n hexdigest(), 'key': key})\n if save:\n self.project.backend.save(diff_file_revision)\n diff_file_revisions.append(diff_file_revision)\n diff_issue_occurrences = []\n mapping = {'deleted': 'fixed', 'added': 'added'}\n with self.project.backend.transaction():\n for key, issue_occurrences in issue_occurrences_diff.items():\n if not key in mapping:\n continue\n for issue_occurrence in issue_occurrences:\n hasher = Hasher()\n hasher.add(issue_occurrence.hash)\n hasher.add(diff.hash)\n hasher.add(mapping[key])\n diff_issue_occurrence = DiffIssueOccurrence({'diff': diff,\n 'hash': hasher.digest.hexdigest(), 'issue_occurrence':\n issue_occurrence, 'key': mapping[key]})\n if save:\n self.project.backend.save(diff_issue_occurrence)\n diff_issue_occurrences.append(diff_issue_occurrence)\n return diff, diff_file_revisions, diff_issue_occurrences\n", "role": "user" }, { "content": "diff_snapshots", "role": "assistant" } ]
def x(self, file_revisions, save_if_empty=False, snapshot=None): logger.debug('Analyzing code environment...') if snapshot is None: snapshot = Snapshot() snapshot.configuration = self.project.configuration file_revisions_by_pk = dict([(fr.hash, fr) for fr in file_revisions]) filtered_file_revisions = self.filter_file_revisions(file_revisions) filtered_file_revisions_by_pk = dict([(fr.hash, fr) for fr in filtered_file_revisions]) excluded_file_revisions = [file_revisions_by_pk[pk] for pk in file_revisions_by_pk.keys() if not pk in filtered_file_revisions_by_pk] logger.info('Excluding %d file revisions' % len(excluded_file_revisions)) file_revisions = filtered_file_revisions file_revisions_by_pk = filtered_file_revisions_by_pk max_file_revisions = 10000 if len(file_revisions) > max_file_revisions: logger.warning( 'Too many file revisions (%d) in snapshot, truncating at %d' % (len(file_revisions), max_file_revisions)) file_revisions_by_pk = dict(sorted(file_revisions_by_pk.items(), key=lambda x: x[0])[:max_file_revisions]) file_revisions = file_revisions_by_pk.values() i = 0 chunk_size = 50 existing_file_revisions = [] file_revisions_by_pk_keys = file_revisions_by_pk.keys() while i < len(file_revisions_by_pk_keys): file_revisions_by_pk_chunk = file_revisions_by_pk_keys[i:i + chunk_size ] if not file_revisions_by_pk_chunk: break existing_file_revisions.extend(list(self.project.backend.filter( FileRevision, {'project': self.project, 'hash': {'$in': file_revisions_by_pk_chunk}}))) i += chunk_size existing_file_revisions_by_pk = dict([(fr.hash, fr) for fr in existing_file_revisions]) new_file_revisions = [file_revision for file_revision in file_revisions if not file_revision.hash in existing_file_revisions_by_pk] new_file_revisions = [] for file_revision in file_revisions: if not file_revision.hash in existing_file_revisions_by_pk: file_revision.configuration = self.project.configuration new_file_revisions.append(file_revision) elif existing_file_revisions_by_pk[file_revision.hash ].configuration != self.project.configuration: file_revision.pk = existing_file_revisions_by_pk[file_revision.hash ].pk file_revision.configuration = self.project.configuration new_file_revisions.append(file_revision) file_revisions_dict = {} for file_revision in (existing_file_revisions + new_file_revisions): file_revisions_dict[file_revision.path] = file_revision logger.info('Analyzing %d new file revisions (%d are already analyzed)' % (len(new_file_revisions), len(existing_file_revisions))) i = 0 snapshot.project = self.project snapshot.file_revisions = file_revisions_dict.values() self.env['snapshot'] = snapshot try: while i < len(new_file_revisions): j = i + 10 if i + 10 < len(new_file_revisions) else len( new_file_revisions) logger.info('Analyzing and saving: %d - %d (%d remaining)' % (i, j, len(new_file_revisions) - i)) file_revisions_slice = new_file_revisions[i:j] analyzed_file_revisions = self.analyze_file_revisions( file_revisions_slice) logger.info('Annotating and saving file revisions...') self.save_file_revisions(snapshot, analyzed_file_revisions) i += 10 logger.info('Summarizing file revisions...') snapshot.summary = self.summarize(file_revisions_dict.values()) finally: del self.env['snapshot'] snapshot.analyzed = True logger.info('Saving snapshot...') with self.project.backend.transaction(): self.project.backend.save(snapshot) logger.info('Done analyzing snapshot %s' % snapshot.pk) return snapshot
analyze
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_revisions, save_if_empty=False, snapshot=None):\n logger.debug('Analyzing code environment...')\n if snapshot is None:\n snapshot = Snapshot()\n snapshot.configuration = self.project.configuration\n file_revisions_by_pk = dict([(fr.hash, fr) for fr in file_revisions])\n filtered_file_revisions = self.filter_file_revisions(file_revisions)\n filtered_file_revisions_by_pk = dict([(fr.hash, fr) for fr in\n filtered_file_revisions])\n excluded_file_revisions = [file_revisions_by_pk[pk] for pk in\n file_revisions_by_pk.keys() if not pk in filtered_file_revisions_by_pk]\n logger.info('Excluding %d file revisions' % len(excluded_file_revisions))\n file_revisions = filtered_file_revisions\n file_revisions_by_pk = filtered_file_revisions_by_pk\n max_file_revisions = 10000\n if len(file_revisions) > max_file_revisions:\n logger.warning(\n 'Too many file revisions (%d) in snapshot, truncating at %d' %\n (len(file_revisions), max_file_revisions))\n file_revisions_by_pk = dict(sorted(file_revisions_by_pk.items(),\n key=lambda x: x[0])[:max_file_revisions])\n file_revisions = file_revisions_by_pk.values()\n i = 0\n chunk_size = 50\n existing_file_revisions = []\n file_revisions_by_pk_keys = file_revisions_by_pk.keys()\n while i < len(file_revisions_by_pk_keys):\n file_revisions_by_pk_chunk = file_revisions_by_pk_keys[i:i + chunk_size\n ]\n if not file_revisions_by_pk_chunk:\n break\n existing_file_revisions.extend(list(self.project.backend.filter(\n FileRevision, {'project': self.project, 'hash': {'$in':\n file_revisions_by_pk_chunk}})))\n i += chunk_size\n existing_file_revisions_by_pk = dict([(fr.hash, fr) for fr in\n existing_file_revisions])\n new_file_revisions = [file_revision for file_revision in file_revisions if\n not file_revision.hash in existing_file_revisions_by_pk]\n new_file_revisions = []\n for file_revision in file_revisions:\n if not file_revision.hash in existing_file_revisions_by_pk:\n file_revision.configuration = self.project.configuration\n new_file_revisions.append(file_revision)\n elif existing_file_revisions_by_pk[file_revision.hash\n ].configuration != self.project.configuration:\n file_revision.pk = existing_file_revisions_by_pk[file_revision.hash\n ].pk\n file_revision.configuration = self.project.configuration\n new_file_revisions.append(file_revision)\n file_revisions_dict = {}\n for file_revision in (existing_file_revisions + new_file_revisions):\n file_revisions_dict[file_revision.path] = file_revision\n logger.info('Analyzing %d new file revisions (%d are already analyzed)' %\n (len(new_file_revisions), len(existing_file_revisions)))\n i = 0\n snapshot.project = self.project\n snapshot.file_revisions = file_revisions_dict.values()\n self.env['snapshot'] = snapshot\n try:\n while i < len(new_file_revisions):\n j = i + 10 if i + 10 < len(new_file_revisions) else len(\n new_file_revisions)\n logger.info('Analyzing and saving: %d - %d (%d remaining)' % (i,\n j, len(new_file_revisions) - i))\n file_revisions_slice = new_file_revisions[i:j]\n analyzed_file_revisions = self.analyze_file_revisions(\n file_revisions_slice)\n logger.info('Annotating and saving file revisions...')\n self.save_file_revisions(snapshot, analyzed_file_revisions)\n i += 10\n logger.info('Summarizing file revisions...')\n snapshot.summary = self.summarize(file_revisions_dict.values())\n finally:\n del self.env['snapshot']\n snapshot.analyzed = True\n logger.info('Saving snapshot...')\n with self.project.backend.transaction():\n self.project.backend.save(snapshot)\n logger.info('Done analyzing snapshot %s' % snapshot.pk)\n return snapshot\n", "role": "user" }, { "content": "analyze", "role": "assistant" } ]
def x(self, snapshot, file_revisions): annotations = defaultdict(list) for file_revision in file_revisions: issues_results = {} for analyzer_name, results in file_revision.results.items(): if 'issues' in results: issues_results[analyzer_name] = results['issues'] del results['issues'] if len(issues_results) > 1000: issues_results[analyzer_name] = [{'code': 'TooManyIssues', 'analyzer': analyzer_name}] with self.project.backend.transaction(): self.project.backend.save(file_revision) def x(issue): if issue['location'] and issue['location'][0] and issue['location' ][0][0]: return issue['location'][0][0][0] return 0 with self.project.backend.transaction(): for analyzer_name, issues in issues_results.items(): grouped_issues = group_issues_by_fingerprint(issues) for issue_dict in grouped_issues: hasher = Hasher() hasher.add(analyzer_name) hasher.add(issue_dict['code']) hasher.add(issue_dict['fingerprint']) issue_dict['hash'] = hasher.digest.hexdigest() try: issue = self.project.backend.get(Issue, {'hash': issue_dict['hash'], 'project': self.project}) except Issue.DoesNotExist: d = issue_dict.copy() d['analyzer'] = analyzer_name if 'location' in d: del d['location'] if 'occurrences' in d: del d['occurrences'] issue = Issue(d) issue.project = self.project self.project.backend.save(issue) for occurrence in issue_dict['occurrences']: hasher = Hasher() hasher.add(file_revision.hash) hasher.add(issue.hash) hasher.add(occurrence.get('from_row')) hasher.add(occurrence.get('from_column')) hasher.add(occurrence.get('to_row')) hasher.add(occurrence.get('to_column')) hasher.add(occurrence.get('sequence')) occurrence['hash'] = hasher.digest.hexdigest() try: occurrence = self.project.backend.get( IssueOccurrence, {'hash': occurrence['hash' ], 'issue': issue}) except IssueOccurrence.DoesNotExist: occurrence = IssueOccurrence(occurrence) occurrence.issue = issue occurrence.file_revision = file_revision self.project.backend.save(occurrence) annotations['occurrences'].append(occurrence) annotations['issues'].append(issue) return annotations
save_file_revisions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, snapshot, file_revisions):\n annotations = defaultdict(list)\n for file_revision in file_revisions:\n issues_results = {}\n for analyzer_name, results in file_revision.results.items():\n if 'issues' in results:\n issues_results[analyzer_name] = results['issues']\n del results['issues']\n if len(issues_results) > 1000:\n issues_results[analyzer_name] = [{'code':\n 'TooManyIssues', 'analyzer': analyzer_name}]\n with self.project.backend.transaction():\n self.project.backend.save(file_revision)\n\n def x(issue):\n if issue['location'] and issue['location'][0] and issue['location'\n ][0][0]:\n return issue['location'][0][0][0]\n return 0\n with self.project.backend.transaction():\n for analyzer_name, issues in issues_results.items():\n grouped_issues = group_issues_by_fingerprint(issues)\n for issue_dict in grouped_issues:\n hasher = Hasher()\n hasher.add(analyzer_name)\n hasher.add(issue_dict['code'])\n hasher.add(issue_dict['fingerprint'])\n issue_dict['hash'] = hasher.digest.hexdigest()\n try:\n issue = self.project.backend.get(Issue, {'hash':\n issue_dict['hash'], 'project': self.project})\n except Issue.DoesNotExist:\n d = issue_dict.copy()\n d['analyzer'] = analyzer_name\n if 'location' in d:\n del d['location']\n if 'occurrences' in d:\n del d['occurrences']\n issue = Issue(d)\n issue.project = self.project\n self.project.backend.save(issue)\n for occurrence in issue_dict['occurrences']:\n hasher = Hasher()\n hasher.add(file_revision.hash)\n hasher.add(issue.hash)\n hasher.add(occurrence.get('from_row'))\n hasher.add(occurrence.get('from_column'))\n hasher.add(occurrence.get('to_row'))\n hasher.add(occurrence.get('to_column'))\n hasher.add(occurrence.get('sequence'))\n occurrence['hash'] = hasher.digest.hexdigest()\n try:\n occurrence = self.project.backend.get(\n IssueOccurrence, {'hash': occurrence['hash'\n ], 'issue': issue})\n except IssueOccurrence.DoesNotExist:\n occurrence = IssueOccurrence(occurrence)\n occurrence.issue = issue\n occurrence.file_revision = file_revision\n self.project.backend.save(occurrence)\n annotations['occurrences'].append(occurrence)\n annotations['issues'].append(issue)\n return annotations\n", "role": "user" }, { "content": "save_file_revisions", "role": "assistant" } ]
def x(d, ud): if ud is None: return for key, value in ud.items(): if not key in d: d[key] = value elif isinstance(value, dict): update(d[key], value) else: d[key] = value
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d, ud):\n if ud is None:\n return\n for key, value in ud.items():\n if not key in d:\n d[key] = value\n elif isinstance(value, dict):\n update(d[key], value)\n else:\n d[key] = value\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, path): while path is not None: git_path = os.path.join(path, '.git') if os.path.exists(git_path) and os.path.isdir(git_path): return path path = os.path.dirname(path) return None
find_git_repository
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n while path is not None:\n git_path = os.path.join(path, '.git')\n if os.path.exists(git_path) and os.path.isdir(git_path):\n return path\n path = os.path.dirname(path)\n return None\n", "role": "user" }, { "content": "find_git_repository", "role": "assistant" } ]
def x(): project_path = get_project_path() project_config = get_project_config(project_path) backend = get_backend(project_path, project_config, initialize_db=False) url = str(backend.engine.url) with backend.transaction(): context.configure(connection=backend.connection, url=url, target_metadata=backend.metadata, literal_binds=True) with context.begin_transaction(): context.run_migrations()
run_migrations_offline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n project_path = get_project_path()\n project_config = get_project_config(project_path)\n backend = get_backend(project_path, project_config, initialize_db=False)\n url = str(backend.engine.url)\n with backend.transaction():\n context.configure(connection=backend.connection, url=url,\n target_metadata=backend.metadata, literal_binds=True)\n with context.begin_transaction():\n context.run_migrations()\n", "role": "user" }, { "content": "run_migrations_offline", "role": "assistant" } ]
def x(): print('Running migrations online') project_path = get_project_path() project_config = get_project_config(project_path) backend = get_backend(project_path, project_config, initialize_db=False) context.configure(connection=backend.connection, target_metadata= backend.metadata) with context.begin_transaction(): context.run_migrations()
run_migrations_online
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n print('Running migrations online')\n project_path = get_project_path()\n project_config = get_project_config(project_path)\n backend = get_backend(project_path, project_config, initialize_db=False)\n context.configure(connection=backend.connection, target_metadata=\n backend.metadata)\n with context.begin_transaction():\n context.run_migrations()\n", "role": "user" }, { "content": "run_migrations_online", "role": "assistant" } ]
def x(node, fields=None, exclude=['pk', '_id'], target='pk'): hasher = Hasher() def x(value): if isinstance(value, dict): if target in value: add_to_hash(value[target]) else: attribute_list = [] for key, v in sorted(value.items(), key=lambda x: x[0]): if (fields is not None and key not in fields or exclude is not None and key in exclude): continue add_to_hash(key) add_to_hash(v) elif isinstance(value, (tuple, list)) and value and isinstance(value [0], (dict, node_class)): for i, v in enumerate(value): hasher.add(i) add_to_hash(v) else: hasher.add(value) add_to_hash(node) return hasher.digest.hexdigest()
get_hash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node, fields=None, exclude=['pk', '_id'], target='pk'):\n hasher = Hasher()\n\n def x(value):\n if isinstance(value, dict):\n if target in value:\n add_to_hash(value[target])\n else:\n attribute_list = []\n for key, v in sorted(value.items(), key=lambda x: x[0]):\n if (fields is not None and key not in fields or exclude\n is not None and key in exclude):\n continue\n add_to_hash(key)\n add_to_hash(v)\n elif isinstance(value, (tuple, list)) and value and isinstance(value\n [0], (dict, node_class)):\n for i, v in enumerate(value):\n hasher.add(i)\n add_to_hash(v)\n else:\n hasher.add(value)\n add_to_hash(node)\n return hasher.digest.hexdigest()\n", "role": "user" }, { "content": "get_hash", "role": "assistant" } ]
def x(self, msg_id, location, msg): self._messages.append((msg_id, location, msg))
add_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg_id, location, msg):\n self._messages.append((msg_id, location, msg))\n", "role": "user" }, { "content": "add_message", "role": "assistant" } ]
def x(self, file_revision, location, extra_data=None): code = file_revision.get_file_content() if not isinstance(code, unicode): code = unicode(code, errors='ignore') lines = code.split(u'\n') s = '' for l in location: (from_row, from_column), (to_row, to_column) = l if from_column is None: continue if from_row == to_row: s += lines[from_row - 1][from_column:to_column] else: if to_row < from_row: raise ValueError('from_row must be smaller than to_row') s += lines[from_row - 1][from_column:] current_row = from_row + 1 while current_row < to_row: s += lines[current_row - 1] current_row += 1 s += lines[current_row - 1][:to_column] hasher = Hasher() hasher.add(s) if extra_data is not None: hasher.add(extra_data) return hasher.digest.hexdigest()
get_fingerprint_from_code
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_revision, location, extra_data=None):\n code = file_revision.get_file_content()\n if not isinstance(code, unicode):\n code = unicode(code, errors='ignore')\n lines = code.split(u'\\n')\n s = ''\n for l in location:\n (from_row, from_column), (to_row, to_column) = l\n if from_column is None:\n continue\n if from_row == to_row:\n s += lines[from_row - 1][from_column:to_column]\n else:\n if to_row < from_row:\n raise ValueError('from_row must be smaller than to_row')\n s += lines[from_row - 1][from_column:]\n current_row = from_row + 1\n while current_row < to_row:\n s += lines[current_row - 1]\n current_row += 1\n s += lines[current_row - 1][:to_column]\n hasher = Hasher()\n hasher.add(s)\n if extra_data is not None:\n hasher.add(extra_data)\n return hasher.digest.hexdigest()\n", "role": "user" }, { "content": "get_fingerprint_from_code", "role": "assistant" } ]
def x(issues): issues_by_fingerprint = defaultdict(list) for issue in issues: if not 'fingerprint' in issue: raise AttributeError( 'No fingerprint defined for issue with analyzer %s and code %s!' % (issue.get('analyzer', '(undefined)'), issue['code'])) fp_code = '%s:%s' % (issue['fingerprint'], issue['code']) if fp_code in issues_by_fingerprint: grouped_issue = issues_by_fingerprint[fp_code] else: grouped_issue = issue.copy() grouped_issue['occurrences'] = [] if 'location' in grouped_issue: del grouped_issue['location'] issues_by_fingerprint[fp_code] = grouped_issue locations = issue.get('location', []) if locations: for i, start_stop in enumerate(locations): occurrence = {'from_row': None, 'to_row': None, 'from_column': None, 'to_column': None, 'sequence': i} grouped_issue['occurrences'].append(occurrence) if not isinstance(start_stop, (list, tuple)) or not len( start_stop) == 2: continue start, stop = start_stop if isinstance(start, (list, tuple)) and len(start) == 2: occurrence['from_row'] = start[0] occurrence['from_column'] = start[1] if isinstance(stop, (list, tuple)) and len(stop) == 2: occurrence['to_row'] = stop[0] occurrence['to_column'] = stop[1] grouped_issue['occurrences'] = sorted(grouped_issue[ 'occurrences'], key=lambda x: (x['from_row'], x['from_column']) ) return issues_by_fingerprint.values()
group_issues_by_fingerprint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(issues):\n issues_by_fingerprint = defaultdict(list)\n for issue in issues:\n if not 'fingerprint' in issue:\n raise AttributeError(\n 'No fingerprint defined for issue with analyzer %s and code %s!'\n % (issue.get('analyzer', '(undefined)'), issue['code']))\n fp_code = '%s:%s' % (issue['fingerprint'], issue['code'])\n if fp_code in issues_by_fingerprint:\n grouped_issue = issues_by_fingerprint[fp_code]\n else:\n grouped_issue = issue.copy()\n grouped_issue['occurrences'] = []\n if 'location' in grouped_issue:\n del grouped_issue['location']\n issues_by_fingerprint[fp_code] = grouped_issue\n locations = issue.get('location', [])\n if locations:\n for i, start_stop in enumerate(locations):\n occurrence = {'from_row': None, 'to_row': None,\n 'from_column': None, 'to_column': None, 'sequence': i}\n grouped_issue['occurrences'].append(occurrence)\n if not isinstance(start_stop, (list, tuple)) or not len(\n start_stop) == 2:\n continue\n start, stop = start_stop\n if isinstance(start, (list, tuple)) and len(start) == 2:\n occurrence['from_row'] = start[0]\n occurrence['from_column'] = start[1]\n if isinstance(stop, (list, tuple)) and len(stop) == 2:\n occurrence['to_row'] = stop[0]\n occurrence['to_column'] = stop[1]\n grouped_issue['occurrences'] = sorted(grouped_issue[\n 'occurrences'], key=lambda x: (x['from_row'], x['from_column'])\n )\n return issues_by_fingerprint.values()\n", "role": "user" }, { "content": "group_issues_by_fingerprint", "role": "assistant" } ]
def x(self, backend=None, enabled=True, sort=None, **kwargs): if backend is None: backend = self.backend query = {'project_issue_classes.project': self} if enabled is not None: query['project_issue_classes.enabled'] = enabled issue_classes = backend.filter(self.IssueClass, query, **kwargs) if sort is not None: issue_classes = issue_classes.sort(sort) return issue_classes
get_issue_classes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, backend=None, enabled=True, sort=None, **kwargs):\n if backend is None:\n backend = self.backend\n query = {'project_issue_classes.project': self}\n if enabled is not None:\n query['project_issue_classes.enabled'] = enabled\n issue_classes = backend.filter(self.IssueClass, query, **kwargs)\n if sort is not None:\n issue_classes = issue_classes.sort(sort)\n return issue_classes\n", "role": "user" }, { "content": "get_issue_classes", "role": "assistant" } ]
def x(text): match_list = __RE_SYMBOL.findall(preprocess(text)) if match_list: raise InvalidCharError('invalid symbols found: {}'.format(match_list))
validate_symbol
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n match_list = __RE_SYMBOL.findall(preprocess(text))\n if match_list:\n raise InvalidCharError('invalid symbols found: {}'.format(match_list))\n", "role": "user" }, { "content": "validate_symbol", "role": "assistant" } ]
def x(text, replacement_text='', is_replace_consecutive_chars=False, is_strip=False): try: new_text = __RE_SYMBOL.sub(replacement_text, preprocess(text)) except (TypeError, AttributeError): raise TypeError('text must be a string') if not replacement_text: return new_text if is_replace_consecutive_chars: new_text = re.sub('{}+'.format(re.escape(replacement_text)), replacement_text, new_text) if is_strip: new_text = new_text.strip(replacement_text) return new_text
replace_symbol
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, replacement_text='', is_replace_consecutive_chars=False,\n is_strip=False):\n try:\n new_text = __RE_SYMBOL.sub(replacement_text, preprocess(text))\n except (TypeError, AttributeError):\n raise TypeError('text must be a string')\n if not replacement_text:\n return new_text\n if is_replace_consecutive_chars:\n new_text = re.sub('{}+'.format(re.escape(replacement_text)),\n replacement_text, new_text)\n if is_strip:\n new_text = new_text.strip(replacement_text)\n return new_text\n", "role": "user" }, { "content": "replace_symbol", "role": "assistant" } ]
def x(filename, platform=None, min_len=1, max_len=_DEFAULT_MAX_FILENAME_LEN): FileNameSanitizer(platform=platform, min_len=min_len, max_len=max_len ).validate(filename)
validate_filename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, platform=None, min_len=1, max_len=_DEFAULT_MAX_FILENAME_LEN):\n FileNameSanitizer(platform=platform, min_len=min_len, max_len=max_len\n ).validate(filename)\n", "role": "user" }, { "content": "validate_filename", "role": "assistant" } ]
def x(file_path, platform=None, min_len=1, max_len=None): FilePathSanitizer(platform=platform, min_len=min_len, max_len=max_len ).validate(file_path)
validate_filepath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_path, platform=None, min_len=1, max_len=None):\n FilePathSanitizer(platform=platform, min_len=min_len, max_len=max_len\n ).validate(file_path)\n", "role": "user" }, { "content": "validate_filepath", "role": "assistant" } ]
def x(filename, replacement_text='', platform=None, max_len= _DEFAULT_MAX_FILENAME_LEN): return FileNameSanitizer(platform=platform, max_len=max_len).sanitize( filename, replacement_text)
sanitize_filename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, replacement_text='', platform=None, max_len=\n _DEFAULT_MAX_FILENAME_LEN):\n return FileNameSanitizer(platform=platform, max_len=max_len).sanitize(\n filename, replacement_text)\n", "role": "user" }, { "content": "sanitize_filename", "role": "assistant" } ]
def x(file_path, replacement_text='', platform=None, max_len=None): return FilePathSanitizer(platform=platform, max_len=max_len).sanitize( file_path, replacement_text)
sanitize_filepath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_path, replacement_text='', platform=None, max_len=None):\n return FilePathSanitizer(platform=platform, max_len=max_len).sanitize(\n file_path, replacement_text)\n", "role": "user" }, { "content": "sanitize_filepath", "role": "assistant" } ]
def x(label): validate_null_string(label, error_msg='label is empty') match_list = __RE_INVALID_LTSV_LABEL.findall(preprocess(label)) if match_list: raise InvalidCharError( 'invalid character found for a LTSV format label: {}'.format( match_list))
validate_ltsv_label
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(label):\n validate_null_string(label, error_msg='label is empty')\n match_list = __RE_INVALID_LTSV_LABEL.findall(preprocess(label))\n if match_list:\n raise InvalidCharError(\n 'invalid character found for a LTSV format label: {}'.format(\n match_list))\n", "role": "user" }, { "content": "validate_ltsv_label", "role": "assistant" } ]
def x(label, replacement_text=''): validate_null_string(label, error_msg='label is empty') return __RE_INVALID_LTSV_LABEL.sub(replacement_text, preprocess(label))
sanitize_ltsv_label
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(label, replacement_text=''):\n validate_null_string(label, error_msg='label is empty')\n return __RE_INVALID_LTSV_LABEL.sub(replacement_text, preprocess(label))\n", "role": "user" }, { "content": "sanitize_ltsv_label", "role": "assistant" } ]
def x(self): try: self.parameters = self._main_url.split('?')[1] return self.parameters.split('&') except: return self.parameters
param
[ { "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 self.parameters = self._main_url.split('?')[1]\n return self.parameters.split('&')\n except:\n return self.parameters\n", "role": "user" }, { "content": "param", "role": "assistant" } ]
def x(self): remove_pac = self.cleanup.replace('https://', '').replace('http://', '' ).replace('www.', '') try: return remove_pac.split('/')[0] except: return None
domain
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n remove_pac = self.cleanup.replace('https://', '').replace('http://', ''\n ).replace('www.', '')\n try:\n return remove_pac.split('/')[0]\n except:\n return None\n", "role": "user" }, { "content": "domain", "role": "assistant" } ]
def x(self): root = ET.Element('entry') for x in self.xml_tags: if getattr(self, x): if x in ['episodes', 'scores', 'status', 'dates', 'storage', 'rewatched', 'flags', 'tags']: if x == 'episodes': if self.episodes.current: temp = ET.SubElement(root, 'episode') temp.text = str(self.episodes.current) elif x == 'scores': if self.scores.user: temp = ET.SubElement(root, 'score') temp.text = str(self.scores.user) elif x == 'status': if self.status.user: temp = ET.SubElement(root, 'status') temp.text = str(self.status.user) elif x == 'dates': if self.dates.user.start: start = ET.SubElement(root, 'date_start') start.text = format_date(self.dates.user.start) if self.dates.user.end: end = ET.SubElement(root, 'date_finish') end.text = format_date(self.dates.user.end) elif x == 'storage': if self.storage.type: stype = ET.SubElement(root, 'storage_type') stype.text = str(self.storage.type) if self.storage.value: sval = ET.SubElement(root, 'storage_value') sval.text = str(self.storage.value) elif x == 'rewatched': if self.rewatched.times: rt = ET.SubElement(root, 'times_rewatched') rt.text = str(self.rewatched.times) if self.rewatched.value: rv = ET.SubElement(root, 'rewatch_value') rv.text = str(self.rewatched.value) elif x == 'flags': if self.flags.discussion: df = ET.SubElement(root, 'enable_discussion') df.text = '1' if self.flags.discussion else '0' if self.flags.rewatching: rf = ET.SubElement(root, 'enable_rewatching') rf.text = '1' if self.flags.rewatching else '0' elif self.tags: temp = ET.SubElement(root, 'tags') temp.text = ','.join(self.tags) else: temp = ET.SubElement(root, x) temp.text = str(getattr(self, x)) return '<?xml version="1.0" encoding="UTF-8"?>{}'.format(ET.tostring( root, encoding='unicode'))
to_xml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n root = ET.Element('entry')\n for x in self.xml_tags:\n if getattr(self, x):\n if x in ['episodes', 'scores', 'status', 'dates', 'storage',\n 'rewatched', 'flags', 'tags']:\n if x == 'episodes':\n if self.episodes.current:\n temp = ET.SubElement(root, 'episode')\n temp.text = str(self.episodes.current)\n elif x == 'scores':\n if self.scores.user:\n temp = ET.SubElement(root, 'score')\n temp.text = str(self.scores.user)\n elif x == 'status':\n if self.status.user:\n temp = ET.SubElement(root, 'status')\n temp.text = str(self.status.user)\n elif x == 'dates':\n if self.dates.user.start:\n start = ET.SubElement(root, 'date_start')\n start.text = format_date(self.dates.user.start)\n if self.dates.user.end:\n end = ET.SubElement(root, 'date_finish')\n end.text = format_date(self.dates.user.end)\n elif x == 'storage':\n if self.storage.type:\n stype = ET.SubElement(root, 'storage_type')\n stype.text = str(self.storage.type)\n if self.storage.value:\n sval = ET.SubElement(root, 'storage_value')\n sval.text = str(self.storage.value)\n elif x == 'rewatched':\n if self.rewatched.times:\n rt = ET.SubElement(root, 'times_rewatched')\n rt.text = str(self.rewatched.times)\n if self.rewatched.value:\n rv = ET.SubElement(root, 'rewatch_value')\n rv.text = str(self.rewatched.value)\n elif x == 'flags':\n if self.flags.discussion:\n df = ET.SubElement(root, 'enable_discussion')\n df.text = '1' if self.flags.discussion else '0'\n if self.flags.rewatching:\n rf = ET.SubElement(root, 'enable_rewatching')\n rf.text = '1' if self.flags.rewatching else '0'\n elif self.tags:\n temp = ET.SubElement(root, 'tags')\n temp.text = ','.join(self.tags)\n else:\n temp = ET.SubElement(root, x)\n temp.text = str(getattr(self, x))\n return '<?xml version=\"1.0\" encoding=\"UTF-8\"?>{}'.format(ET.tostring(\n root, encoding='unicode'))\n", "role": "user" }, { "content": "to_xml", "role": "assistant" } ]
def x(self, term): r = requests.get(self.apiurl + '/users', params={'filter[name]': term}, headers=self.header) if r.status_code != 200: raise ServerError jsd = r.json() if jsd['meta']['count']: return SearchWrapper(jsd['data'], jsd['links']['next'] if 'next' in jsd['links'] else None, self.header) else: return None
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, term):\n r = requests.get(self.apiurl + '/users', params={'filter[name]': term},\n headers=self.header)\n if r.status_code != 200:\n raise ServerError\n jsd = r.json()\n if jsd['meta']['count']:\n return SearchWrapper(jsd['data'], jsd['links']['next'] if 'next' in\n jsd['links'] else None, self.header)\n else:\n return None\n", "role": "user" }, { "content": "search", "role": "assistant" } ]
def x(self, data): final_dict = {'data': {'type': 'users', 'attributes': data}} r = requests.post(self.apiurl + '/users', json=final_dict, headers=self .header) if r.status_code != 200: raise ServerError return r.json()
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n final_dict = {'data': {'type': 'users', 'attributes': data}}\n r = requests.post(self.apiurl + '/users', json=final_dict, headers=self\n .header)\n if r.status_code != 200:\n raise ServerError\n return r.json()\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(self, uid): r = requests.get(self.apiurl + '/users/{}'.format(uid), headers=self.header ) if r.status_code != 200: raise ServerError jsd = r.json() if jsd['data']: return jsd['data'] else: return None
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, uid):\n r = requests.get(self.apiurl + '/users/{}'.format(uid), headers=self.header\n )\n if r.status_code != 200:\n raise ServerError\n jsd = r.json()\n if jsd['data']:\n return jsd['data']\n else:\n return None\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, uid, data, token): final_dict = {'data': {'id': uid, 'type': 'users', 'attributes': data}} final_headers = self.header final_headers['Authorization'] = 'Bearer {}'.format(token) r = requests.patch(self.apiurl + '/users/{}'.format(uid), json= final_dict, headers=final_headers) if r.status_code != 200: raise ServerError return True
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, uid, data, token):\n final_dict = {'data': {'id': uid, 'type': 'users', 'attributes': data}}\n final_headers = self.header\n final_headers['Authorization'] = 'Bearer {}'.format(token)\n r = requests.patch(self.apiurl + '/users/{}'.format(uid), json=\n final_dict, headers=final_headers)\n if r.status_code != 200:\n raise ServerError\n return True\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, term, page=1, perpage=3): query_string = """ query ($query: String, $page: Int, $perpage: Int) { Page (page: $page, perPage: $perpage) { pageInfo { total currentPage lastPage hasNextPage } characters (search: $query) { id name { first last } image { large } } } } """ vars = {'query': term, 'page': page, 'perpage': perpage} r = requests.post(self.settings['apiurl'], headers=self.settings[ 'header'], json={'query': query_string, 'variables': vars}) jsd = r.text try: jsd = json.loads(jsd) except ValueError: return None else: return jsd
character
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, term, page=1, perpage=3):\n query_string = \"\"\" query ($query: String, $page: Int, $perpage: Int) {\n Page (page: $page, perPage: $perpage) {\n pageInfo {\n total\n currentPage\n lastPage\n hasNextPage\n }\n characters (search: $query) {\n id\n name {\n first\n last\n }\n image {\n large\n }\n }\n }\n }\n \"\"\"\n vars = {'query': term, 'page': page, 'perpage': perpage}\n r = requests.post(self.settings['apiurl'], headers=self.settings[\n 'header'], json={'query': query_string, 'variables': vars})\n jsd = r.text\n try:\n jsd = json.loads(jsd)\n except ValueError:\n return None\n else:\n return jsd\n", "role": "user" }, { "content": "character", "role": "assistant" } ]
def x(term, lang=None): r = requests.get('http://anisearch.outrance.pl/index.php', params={ 'task': 'search', 'query': term, 'langs': 'ja,x-jat,en' if lang is None else ','.join(lang)}) if r.status_code != 200: raise ServerError tree = ET.fromstring(r.text) root = tree.getroot() for item in root.iter('anime'): results[aid] = {} for title in item.iter('title'): if title.attrib['type'] in ['official', 'main']: results[aid][title.attrib['xml:lang']] = title.text return results
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(term, lang=None):\n r = requests.get('http://anisearch.outrance.pl/index.php', params={\n 'task': 'search', 'query': term, 'langs': 'ja,x-jat,en' if lang is\n None else ','.join(lang)})\n if r.status_code != 200:\n raise ServerError\n tree = ET.fromstring(r.text)\n root = tree.getroot()\n for item in root.iter('anime'):\n results[aid] = {}\n for title in item.iter('title'):\n if title.attrib['type'] in ['official', 'main']:\n results[aid][title.attrib['xml:lang']] = title.text\n return results\n", "role": "user" }, { "content": "search", "role": "assistant" } ]
def x(self, stype, flags, filters, options=None): if not isinstance(flags, str): if isinstance(flags, list): finflags = ','.join(flags) else: raise SyntaxError( 'Flags should be a list or comma separated string') else: finflags = flags if not isinstance(filters, str): raise SyntaxError( 'Filters needs to be a string in the format Filter<op>Value. The simplest form is search="<Term>".' ) if stype not in self.stypes: raise SyntaxError('{} not a valid Search type.'.format(stype)) if '"' not in filters or "'" not in filters: newfilters = self.helperpat.split(filters) newfilters = [x.strip() for x in newfilters] newfilters[1] = '"' + newfilters[1] + '"' op = self.helperpat.search(filters) newfilters = op.group(0).join(newfilters) command = '{} {} ({}){}'.format(stype, finflags, newfilters, ' ' + ujson.dumps(options) if options is not None else '') else: command = '{} {} ({}){}'.format(stype, finflags, filters, ' ' + ujson.dumps(options) if options is not None else '') data = self.connection.send_command('get', command) if 'id' in data: raise ServerError(data['msg'], data['id']) else: return {'pages': data.get('more', default=False), 'data': data['items'] }
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stype, flags, filters, options=None):\n if not isinstance(flags, str):\n if isinstance(flags, list):\n finflags = ','.join(flags)\n else:\n raise SyntaxError(\n 'Flags should be a list or comma separated string')\n else:\n finflags = flags\n if not isinstance(filters, str):\n raise SyntaxError(\n 'Filters needs to be a string in the format Filter<op>Value. The simplest form is search=\"<Term>\".'\n )\n if stype not in self.stypes:\n raise SyntaxError('{} not a valid Search type.'.format(stype))\n if '\"' not in filters or \"'\" not in filters:\n newfilters = self.helperpat.split(filters)\n newfilters = [x.strip() for x in newfilters]\n newfilters[1] = '\"' + newfilters[1] + '\"'\n op = self.helperpat.search(filters)\n newfilters = op.group(0).join(newfilters)\n command = '{} {} ({}){}'.format(stype, finflags, newfilters, ' ' +\n ujson.dumps(options) if options is not None else '')\n else:\n command = '{} {} ({}){}'.format(stype, finflags, filters, ' ' +\n ujson.dumps(options) if options is not None else '')\n data = self.connection.send_command('get', command)\n if 'id' in data:\n raise ServerError(data['msg'], data['id'])\n else:\n return {'pages': data.get('more', default=False), 'data': data['items']\n }\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, stype, sid, fields): if stype not in ['votelist', 'vnlist', 'wishlist']: raise SyntaxError( '{} is not a valid type for set. Should be one of: votelist, vnlist or wishlist.' .format(stype)) command = '{} {} {}'.format(stype, id, ujson.dumps(fields)) data = self.connection.send_command('set', command) if 'id' in data: raise ServerError(data['msg'], data['id']) else: return True
set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stype, sid, fields):\n if stype not in ['votelist', 'vnlist', 'wishlist']:\n raise SyntaxError(\n '{} is not a valid type for set. Should be one of: votelist, vnlist or wishlist.'\n .format(stype))\n command = '{} {} {}'.format(stype, id, ujson.dumps(fields))\n data = self.connection.send_command('set', command)\n if 'id' in data:\n raise ServerError(data['msg'], data['id'])\n else:\n return True\n", "role": "user" }, { "content": "set", "role": "assistant" } ]
def x(self, item_id): query_string = """ query ($id: Int) { Media(id: $id, type: ANIME) { title { romaji english } startDate { year month day } endDate { year month day } coverImage { large } bannerImage format status episodes season description averageScore meanScore genres synonyms nextAiringEpisode { airingAt timeUntilAiring episode } } } """ vars = {'id': item_id} r = requests.post(self.settings['apiurl'], headers=self.settings[ 'header'], json={'query': query_string, 'variables': vars}) jsd = r.text try: jsd = json.loads(jsd) except ValueError: return None else: return jsd
anime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item_id):\n query_string = \"\"\" query ($id: Int) {\n Media(id: $id, type: ANIME) {\n title {\n romaji\n english\n }\n startDate {\n year\n month\n day\n }\n endDate {\n year\n month\n day\n }\n coverImage {\n large\n }\n bannerImage\n format\n status\n episodes\n season\n description\n averageScore\n meanScore\n genres\n synonyms\n nextAiringEpisode {\n airingAt\n timeUntilAiring\n episode\n }\n }\n }\n \"\"\"\n vars = {'id': item_id}\n r = requests.post(self.settings['apiurl'], headers=self.settings[\n 'header'], json={'query': query_string, 'variables': vars})\n jsd = r.text\n try:\n jsd = json.loads(jsd)\n except ValueError:\n return None\n else:\n return jsd\n", "role": "user" }, { "content": "anime", "role": "assistant" } ]
def x(self, item_id, html=True): query_string = """ query ($id: Int, $html: Boolean) { Review (id: $id) { summary body(asHtml: $html) score rating ratingAmount createdAt updatedAt private media { id } user { id name avatar { large } } } } """ vars = {'id': item_id, 'html': html} r = requests.post(self.settings['apiurl'], headers=self.settings[ 'header'], json={'query': query_string, 'variables': vars}) jsd = r.text try: jsd = json.loads(jsd) except ValueError: return None else: return jsd
review
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item_id, html=True):\n query_string = \"\"\" query ($id: Int, $html: Boolean) {\n Review (id: $id) {\n summary\n body(asHtml: $html)\n score\n rating\n ratingAmount\n createdAt\n updatedAt\n private\n media {\n id\n }\n user {\n id\n name\n avatar {\n large\n }\n }\n }\n }\n \"\"\"\n vars = {'id': item_id, 'html': html}\n r = requests.post(self.settings['apiurl'], headers=self.settings[\n 'header'], json={'query': query_string, 'variables': vars})\n jsd = r.text\n try:\n jsd = json.loads(jsd)\n except ValueError:\n return None\n else:\n return jsd\n", "role": "user" }, { "content": "review", "role": "assistant" } ]
def x(self, external_site: str, external_id: int): r = requests.get(self.apiurl + '/mappings', params={ 'filter[externalSite]': external_site, 'filter[externalId]': external_id}, headers=self.header) if r.status_code != 200: raise ServerError jsd = r.json() if len(jsd['data']) < 1: return None r = requests.get(jsd['data'][0]['relationships']['item']['links'][ 'related'], headers=self.header) if r.status_code != 200: return jsd else: return r.json()
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, external_site: str, external_id: int):\n r = requests.get(self.apiurl + '/mappings', params={\n 'filter[externalSite]': external_site, 'filter[externalId]':\n external_id}, headers=self.header)\n if r.status_code != 200:\n raise ServerError\n jsd = r.json()\n if len(jsd['data']) < 1:\n return None\n r = requests.get(jsd['data'][0]['relationships']['item']['links'][\n 'related'], headers=self.header)\n if r.status_code != 200:\n return jsd\n else:\n return r.json()\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, username, password): r = requests.post(self.apiurl + '/token', params={'grant_type': 'password', 'username': username, 'password': password, 'client_id': self.cid, 'client_secret': self.csecret}) if r.status_code != 200: raise ServerError jsd = r.json() if self.remember: self.token_storage[username] = {'token': jsd['access_token'], 'refresh': jsd['refresh_token'], 'expiration': int(jsd[ 'created_at']) + int(jsd['expires_in'])} return jsd['access_token'], int(jsd['expires_in']) + int(jsd['created_at'] ), jsd['refresh_token']
authenticate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, password):\n r = requests.post(self.apiurl + '/token', params={'grant_type':\n 'password', 'username': username, 'password': password, 'client_id':\n self.cid, 'client_secret': self.csecret})\n if r.status_code != 200:\n raise ServerError\n jsd = r.json()\n if self.remember:\n self.token_storage[username] = {'token': jsd['access_token'],\n 'refresh': jsd['refresh_token'], 'expiration': int(jsd[\n 'created_at']) + int(jsd['expires_in'])}\n return jsd['access_token'], int(jsd['expires_in']) + int(jsd['created_at']\n ), jsd['refresh_token']\n", "role": "user" }, { "content": "authenticate", "role": "assistant" } ]
def x(self, refresh_token): r = requests.post(self.apiurl + '/token', params={'grant_type': 'refresh_token', 'client_id': self.cid, 'client_secret': self. csecret, 'refresh_token': refresh_token}) if r.status_code != 200: raise ServerError jsd = r.json() return jsd['access_token'], int(jsd['expires_in']) + int(jsd['created_at'])
refresh
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refresh_token):\n r = requests.post(self.apiurl + '/token', params={'grant_type':\n 'refresh_token', 'client_id': self.cid, 'client_secret': self.\n csecret, 'refresh_token': refresh_token})\n if r.status_code != 200:\n raise ServerError\n jsd = r.json()\n return jsd['access_token'], int(jsd['expires_in']) + int(jsd['created_at'])\n", "role": "user" }, { "content": "refresh", "role": "assistant" } ]
def x(self, username): if not self.remember: raise NotSaving if username not in self.token_storage: raise UserNotFound if self.token_storage[username]['expiration'] < time.time(): new_token = self.refresh(self.token_storage[username]['refresh']) self.token_storage[username]['token'] = new_token[0] self.token_storage[username]['expiration'] = new_token[1] return new_token[0] else: return self.token_storage[username]['token']
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username):\n if not self.remember:\n raise NotSaving\n if username not in self.token_storage:\n raise UserNotFound\n if self.token_storage[username]['expiration'] < time.time():\n new_token = self.refresh(self.token_storage[username]['refresh'])\n self.token_storage[username]['token'] = new_token[0]\n self.token_storage[username]['expiration'] = new_token[1]\n return new_token[0]\n else:\n return self.token_storage[username]['token']\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(url, destination): r = requests.get(url, stream=True) with open(destination, 'wb') as fd: for chunk in r.iter_content(chunk_size=128): fd.write(chunk)
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, destination):\n r = requests.get(url, stream=True)\n with open(destination, 'wb') as fd:\n for chunk in r.iter_content(chunk_size=128):\n fd.write(chunk)\n", "role": "user" }, { "content": "save", "role": "assistant" } ]
def x(which, destination=None): if destination: if not os.path.exists(destination): os.makedirs(destination) pthread = threading.Thread(target=save, args=(self.urls[which], os.path .join(destination, self.urls[which]))) pthread.start() return pthread
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(which, destination=None):\n if destination:\n if not os.path.exists(destination):\n os.makedirs(destination)\n pthread = threading.Thread(target=save, args=(self.urls[which], os.path\n .join(destination, self.urls[which])))\n pthread.start()\n return pthread\n", "role": "user" }, { "content": "download", "role": "assistant" } ]
def x(self, aid): r = requests.get(self.apiurl + '/manga/{}'.format(aid), headers=self.header ) if r.status_code != 200: if r.status_code == 404: return None else: raise ServerError return r.json()
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, aid):\n r = requests.get(self.apiurl + '/manga/{}'.format(aid), headers=self.header\n )\n if r.status_code != 200:\n if r.status_code == 404:\n return None\n else:\n raise ServerError\n return r.json()\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self): projects = [] r = requests.get(self.api, params={'action': 'query', 'list': 'categorymembers', 'cmpageid': self.active_id, 'cmtype': 'page', 'cmlimit': '500', 'format': 'json'}, headers=self.header) if r.status_code == 200: jsd = r.json() projects.append([(x['title'], x['pageid']) for x in jsd['query'][ 'categorymembers']]) if 'query-continue' in jsd: while True: r = requests.get(self.api, params={'action': 'query', 'list': 'categorymembers', 'cmpageid': self.active_id, 'cmtype': 'page', 'cmlimit': '500', 'cmcontinue': jsd[ 'query-continue']['categorymembers']['cmcontinue'], 'format': 'json'}, headers=self.header) if r.status_code == 200: jsd = r.json() projects.append([(x['title'], x['pageid']) for x in jsd ['query']['categorymembers']]) if 'query-continue' not in jsd: break else: break return projects[0]
active
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n projects = []\n r = requests.get(self.api, params={'action': 'query', 'list':\n 'categorymembers', 'cmpageid': self.active_id, 'cmtype': 'page',\n 'cmlimit': '500', 'format': 'json'}, headers=self.header)\n if r.status_code == 200:\n jsd = r.json()\n projects.append([(x['title'], x['pageid']) for x in jsd['query'][\n 'categorymembers']])\n if 'query-continue' in jsd:\n while True:\n r = requests.get(self.api, params={'action': 'query',\n 'list': 'categorymembers', 'cmpageid': self.active_id,\n 'cmtype': 'page', 'cmlimit': '500', 'cmcontinue': jsd[\n 'query-continue']['categorymembers']['cmcontinue'],\n 'format': 'json'}, headers=self.header)\n if r.status_code == 200:\n jsd = r.json()\n projects.append([(x['title'], x['pageid']) for x in jsd\n ['query']['categorymembers']])\n if 'query-continue' not in jsd:\n break\n else:\n break\n return projects[0]\n", "role": "user" }, { "content": "active", "role": "assistant" } ]
def x(self, language='English'): projects = [] r = requests.get(self.api, params={'action': 'query', 'list': 'categorymembers', 'cmtitle': 'Category:Light_novel_({})'.format( language.replace(' ', '_')), 'cmtype': 'page', 'cmlimit': '500', 'format': 'json'}, headers=self.header) if r.status_code == 200: jsd = r.json() projects.append([(x['title'], x['pageid']) for x in jsd['query'][ 'categorymembers']]) if 'query-continue' in jsd: while True: r = requests.get(self.api, params={'action': 'query', 'list': 'categorymembers', 'cmtitle': 'Category:Light_novel_({})'.format(language.replace(' ', '_')), 'cmtype': 'page', 'cmlimit': '500', 'cmcontinue': jsd['query-continue']['categorymembers']['cmcontinue'], 'format': 'json'}, headers=self.header) if r.status_code == 200: jsd = r.json() projects.append([(x['title'], x['pageid']) for x in jsd ['query']['categorymembers']]) if 'query-continue' not in jsd: break else: break return projects[0]
light_novels
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, language='English'):\n projects = []\n r = requests.get(self.api, params={'action': 'query', 'list':\n 'categorymembers', 'cmtitle': 'Category:Light_novel_({})'.format(\n language.replace(' ', '_')), 'cmtype': 'page', 'cmlimit': '500',\n 'format': 'json'}, headers=self.header)\n if r.status_code == 200:\n jsd = r.json()\n projects.append([(x['title'], x['pageid']) for x in jsd['query'][\n 'categorymembers']])\n if 'query-continue' in jsd:\n while True:\n r = requests.get(self.api, params={'action': 'query',\n 'list': 'categorymembers', 'cmtitle':\n 'Category:Light_novel_({})'.format(language.replace(' ',\n '_')), 'cmtype': 'page', 'cmlimit': '500', 'cmcontinue':\n jsd['query-continue']['categorymembers']['cmcontinue'],\n 'format': 'json'}, headers=self.header)\n if r.status_code == 200:\n jsd = r.json()\n projects.append([(x['title'], x['pageid']) for x in jsd\n ['query']['categorymembers']])\n if 'query-continue' not in jsd:\n break\n else:\n break\n return projects[0]\n", "role": "user" }, { "content": "light_novels", "role": "assistant" } ]
def x(self, title): r = requests.get('https://www.baka-tsuki.org/project/index.php?title={}' .format(title.replace(' ', '_')), headers=self.header) if r.status_code != 200: raise requests.HTTPError('Not Found') else: parsed = soup(r.text, 'html.parser') dd = parsed.find_all('a') volumes = [] for link in dd: if 'class' in link.attrs: if 'image' in link.get('class'): continue if 'href' in link.attrs: if re.search(self.chapter_regex, link.get('href') ) is not None and not link.get('href').startswith('#'): volumes.append(link) seplist = OrderedDict() for item in volumes: if 'title' in item.attrs: result = re.search(self.separate_regex, item.get('title'). lower()) else: result = re.search(self.separate_regex, item.text.lower()) if result and result.groups(): if result.group('chapter').lstrip('0') in seplist: seplist[result.group('chapter').lstrip('0')].append([ item.get('href'), item.get('title') if 'title' in item.attrs else item.text]) else: seplist[result.group('chapter').lstrip('0')] = [[item. get('href'), item.get('title') if 'title' in item. attrs else item.text]] return seplist
chapters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, title):\n r = requests.get('https://www.baka-tsuki.org/project/index.php?title={}'\n .format(title.replace(' ', '_')), headers=self.header)\n if r.status_code != 200:\n raise requests.HTTPError('Not Found')\n else:\n parsed = soup(r.text, 'html.parser')\n dd = parsed.find_all('a')\n volumes = []\n for link in dd:\n if 'class' in link.attrs:\n if 'image' in link.get('class'):\n continue\n if 'href' in link.attrs:\n if re.search(self.chapter_regex, link.get('href')\n ) is not None and not link.get('href').startswith('#'):\n volumes.append(link)\n seplist = OrderedDict()\n for item in volumes:\n if 'title' in item.attrs:\n result = re.search(self.separate_regex, item.get('title').\n lower())\n else:\n result = re.search(self.separate_regex, item.text.lower())\n if result and result.groups():\n if result.group('chapter').lstrip('0') in seplist:\n seplist[result.group('chapter').lstrip('0')].append([\n item.get('href'), item.get('title') if 'title' in\n item.attrs else item.text])\n else:\n seplist[result.group('chapter').lstrip('0')] = [[item.\n get('href'), item.get('title') if 'title' in item.\n attrs else item.text]]\n return seplist\n", "role": "user" }, { "content": "chapters", "role": "assistant" } ]
def x(self, pageid): r = requests.get(self.api, params={'action': 'query', 'prop': 'pageimages', 'pageids': pageid, 'format': 'json'}, headers=self.header ) jsd = r.json() image = 'File:' + jsd['query']['pages'][str(pageid)]['pageimage'] r = requests.get(self.api, params={'action': 'query', 'prop': 'imageinfo', 'iiprop': 'url', 'titles': image, 'format': 'json'}, headers=self.header) jsd = r.json() return jsd['query']['pages'][list(jsd['query']['pages'].keys())[0]][ 'imageinfo'][0]['url']
cover
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pageid):\n r = requests.get(self.api, params={'action': 'query', 'prop':\n 'pageimages', 'pageids': pageid, 'format': 'json'}, headers=self.header\n )\n jsd = r.json()\n image = 'File:' + jsd['query']['pages'][str(pageid)]['pageimage']\n r = requests.get(self.api, params={'action': 'query', 'prop':\n 'imageinfo', 'iiprop': 'url', 'titles': image, 'format': 'json'},\n headers=self.header)\n jsd = r.json()\n return jsd['query']['pages'][list(jsd['query']['pages'].keys())[0]][\n 'imageinfo'][0]['url']\n", "role": "user" }, { "content": "cover", "role": "assistant" } ]
def x(self, title): r = requests.get(self.api, params={'action': 'parse', 'page': title, 'format': 'json'}, headers=self.header) jsd = r.json() return jsd['parse']['text']['*']
get_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, title):\n r = requests.get(self.api, params={'action': 'parse', 'page': title,\n 'format': 'json'}, headers=self.header)\n jsd = r.json()\n return jsd['parse']['text']['*']\n", "role": "user" }, { "content": "get_text", "role": "assistant" } ]
def x(self): r = requests.get(self.apiurl + 'account/verify_credentials.xml', auth= HTTPBasicAuth(self._username, self._password), headers=self.header) if r.status_code != 200: raise UserLoginFailed('Username or Password incorrect.')
verify_credentials
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n r = requests.get(self.apiurl + 'account/verify_credentials.xml', auth=\n HTTPBasicAuth(self._username, self._password), headers=self.header)\n if r.status_code != 200:\n raise UserLoginFailed('Username or Password incorrect.')\n", "role": "user" }, { "content": "verify_credentials", "role": "assistant" } ]
def x(self, which, term): url = self.apiurl + '{}/search.xml'.format('anime' if which == 1 else 'manga') r = requests.get(url, params={'q': term}, auth=HTTPBasicAuth(self. _username, self._password), headers=self.header) if r.status_code != 200: return [] data = ET.fromstring(r.text) final_list = [] if which == 1: for item in data.findall('entry'): syn = item.find('synonyms').text.split(';') if item.find('synonyms' ).text else [] final_list.append(Anime(item.find('id').text, title=item.find( 'title').text, synonyms=syn.append(item.find('english'). text), episodes=item.find('episodes').text, average=item. find('score').text, anime_start=item.find('start_date'). text, anime_end=item.find('end_date').text, synopsis=html. unescape(item.find('synopsis').text.replace('<br />', '')) if item.find('synopsis').text else None, image=item.find( 'image').text, status_anime=item.find('status').text, type= item.find('type').text)) return NT_SEARCH_ANIME(airing=[x for x in final_list if x.status. series == 'Currently Airing'], finished=[x for x in final_list if x.status.series == 'Finished Airing'], unaired=[x for x in final_list if x.status.series == 'Not Yet Aired'], dropped=[x for x in final_list if x.status.series == 'Dropped'], planned=[x for x in final_list if x.status.series == 'Plan to Watch']) else: for item in data.findall('entry'): syn = item.find('synonyms').text.split(';') if item.find('synonyms' ).text else [] final_list.append(Manga(item.find('id').text, title=item.find( 'title').text, synonyms=syn.append(item.find('english'). text), chapters=item.find('chapters').text, volumes=item. find('volumes').text, average=item.find('score').text, manga_start=item.find('start_date').text, manga_end=item. find('end_date').text, synopsis=html.unescape(item.find( 'synopsis').text.replace('<br />', '')) if item.find( 'synopsis').text else None, image=item.find('image').text, status_manga=item.find('status').text, type=item.find( 'type').text)) return NT_SEARCH_MANGA(publishing=[x for x in final_list if x. status.series == 'Publishing'], finished=[x for x in final_list if x.status.series == 'Finished'], unpublished=[x for x in final_list if x.status.series == 'Not Yet Published'], dropped= [x for x in final_list if x.status.series == 'Dropped'], planned=[x for x in final_list if x.status.series == 'Plan to Read'])
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, which, term):\n url = self.apiurl + '{}/search.xml'.format('anime' if which == 1 else\n 'manga')\n r = requests.get(url, params={'q': term}, auth=HTTPBasicAuth(self.\n _username, self._password), headers=self.header)\n if r.status_code != 200:\n return []\n data = ET.fromstring(r.text)\n final_list = []\n if which == 1:\n for item in data.findall('entry'):\n syn = item.find('synonyms').text.split(';') if item.find('synonyms'\n ).text else []\n final_list.append(Anime(item.find('id').text, title=item.find(\n 'title').text, synonyms=syn.append(item.find('english').\n text), episodes=item.find('episodes').text, average=item.\n find('score').text, anime_start=item.find('start_date').\n text, anime_end=item.find('end_date').text, synopsis=html.\n unescape(item.find('synopsis').text.replace('<br />', '')) if\n item.find('synopsis').text else None, image=item.find(\n 'image').text, status_anime=item.find('status').text, type=\n item.find('type').text))\n return NT_SEARCH_ANIME(airing=[x for x in final_list if x.status.\n series == 'Currently Airing'], finished=[x for x in final_list if\n x.status.series == 'Finished Airing'], unaired=[x for x in\n final_list if x.status.series == 'Not Yet Aired'], dropped=[x for\n x in final_list if x.status.series == 'Dropped'], planned=[x for\n x in final_list if x.status.series == 'Plan to Watch'])\n else:\n for item in data.findall('entry'):\n syn = item.find('synonyms').text.split(';') if item.find('synonyms'\n ).text else []\n final_list.append(Manga(item.find('id').text, title=item.find(\n 'title').text, synonyms=syn.append(item.find('english').\n text), chapters=item.find('chapters').text, volumes=item.\n find('volumes').text, average=item.find('score').text,\n manga_start=item.find('start_date').text, manga_end=item.\n find('end_date').text, synopsis=html.unescape(item.find(\n 'synopsis').text.replace('<br />', '')) if item.find(\n 'synopsis').text else None, image=item.find('image').text,\n status_manga=item.find('status').text, type=item.find(\n 'type').text))\n return NT_SEARCH_MANGA(publishing=[x for x in final_list if x.\n status.series == 'Publishing'], finished=[x for x in final_list if\n x.status.series == 'Finished'], unpublished=[x for x in\n final_list if x.status.series == 'Not Yet Published'], dropped=\n [x for x in final_list if x.status.series == 'Dropped'],\n planned=[x for x in final_list if x.status.series ==\n 'Plan to Read'])\n", "role": "user" }, { "content": "search", "role": "assistant" } ]
def x(self, data): if isinstance(data, Anime): xmlstr = data.to_xml() r = requests.get(self.apiurl + 'animelist/add/{}.xml'.format(data. id), params={'data': xmlstr}, auth=HTTPBasicAuth(self._username, self._password), headers=self.header) if r.status_code != 201: raise ServerError(r.text, r.status_code) return True else: raise SyntaxError( 'Invalid type: data should be a Pymoe.Mal.Objects.Anime object. Got a {}' .format(type(data)))
anime_add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n if isinstance(data, Anime):\n xmlstr = data.to_xml()\n r = requests.get(self.apiurl + 'animelist/add/{}.xml'.format(data.\n id), params={'data': xmlstr}, auth=HTTPBasicAuth(self._username,\n self._password), headers=self.header)\n if r.status_code != 201:\n raise ServerError(r.text, r.status_code)\n return True\n else:\n raise SyntaxError(\n 'Invalid type: data should be a Pymoe.Mal.Objects.Anime object. Got a {}'\n .format(type(data)))\n", "role": "user" }, { "content": "anime_add", "role": "assistant" } ]
def x(self, name): anime_data = requests.get(self.apiusers, params={'u': name, 'status': 'all', 'type': 'anime'}, headers=self.header) if anime_data.status_code != 200: raise ConnectionError( """Anime Data Request failed. Please Open a bug on https://github.com/ccubed/Pymoe and include the following data. Status Code: {} Text:{}""" .format(anime_data.status_code, anime_data.text)) manga_data = requests.get(self.apiusers, params={'u': name, 'status': 'all', 'type': 'manga'}, headers=self.header) if manga_data.status_code != 200: raise ConnectionError( """Manga Data Request failed. Please Open a bug on https://github.com/ccubed/Pymoe and include the following data. Status Code: {} Text:{}""" .format(manga_data.status_code, manga_data.text)) root = ET.fromstring(anime_data.text) uid = root.find('myinfo').find('user_id').text uname = root.find('myinfo').find('user_name').text anime_object_list = self.parse_anime_data(anime_data.text) manga_object_list = self.parse_manga_data(manga_data.text) return User(uid=uid, name=uname, anime_list=NT_USER_ANIME(watching=[x for x in anime_object_list['data'] if x.status.user == 'Currently Watching'], completed=[x for x in anime_object_list[ 'data'] if x.status.user == 'Completed'], held=[x for x in anime_object_list['data'] if x.status.user == 'On Hold'], dropped=[ x for x in anime_object_list['data'] if x.status.user == 'Dropped'], planned=[x for x in anime_object_list['data'] if x.status.user == 'Plan to Watch']), anime_days=anime_object_list['days'], manga_list =NT_USER_MANGA(reading=[x for x in manga_object_list['data'] if x. status.user == 'Currently Reading'], completed=[x for x in manga_object_list['data'] if x.status.user == 'Completed'], held=[x for x in manga_object_list['data'] if x.status.user == 'On Hold'], dropped=[x for x in manga_object_list['data'] if x.status.user == 'Dropped'], planned=[x for x in manga_object_list['data'] if x. status.user == 'Plan to Read']), manga_days=manga_object_list['days'])
user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n anime_data = requests.get(self.apiusers, params={'u': name, 'status':\n 'all', 'type': 'anime'}, headers=self.header)\n if anime_data.status_code != 200:\n raise ConnectionError(\n \"\"\"Anime Data Request failed. Please Open a bug on https://github.com/ccubed/Pymoe and include the following data.\nStatus Code: {}\n\nText:{}\"\"\"\n .format(anime_data.status_code, anime_data.text))\n manga_data = requests.get(self.apiusers, params={'u': name, 'status':\n 'all', 'type': 'manga'}, headers=self.header)\n if manga_data.status_code != 200:\n raise ConnectionError(\n \"\"\"Manga Data Request failed. Please Open a bug on https://github.com/ccubed/Pymoe and include the following data.\nStatus Code: {}\n\nText:{}\"\"\"\n .format(manga_data.status_code, manga_data.text))\n root = ET.fromstring(anime_data.text)\n uid = root.find('myinfo').find('user_id').text\n uname = root.find('myinfo').find('user_name').text\n anime_object_list = self.parse_anime_data(anime_data.text)\n manga_object_list = self.parse_manga_data(manga_data.text)\n return User(uid=uid, name=uname, anime_list=NT_USER_ANIME(watching=[x for\n x in anime_object_list['data'] if x.status.user ==\n 'Currently Watching'], completed=[x for x in anime_object_list[\n 'data'] if x.status.user == 'Completed'], held=[x for x in\n anime_object_list['data'] if x.status.user == 'On Hold'], dropped=[\n x for x in anime_object_list['data'] if x.status.user == 'Dropped'],\n planned=[x for x in anime_object_list['data'] if x.status.user ==\n 'Plan to Watch']), anime_days=anime_object_list['days'], manga_list\n =NT_USER_MANGA(reading=[x for x in manga_object_list['data'] if x.\n status.user == 'Currently Reading'], completed=[x for x in\n manga_object_list['data'] if x.status.user == 'Completed'], held=[x for\n x in manga_object_list['data'] if x.status.user == 'On Hold'],\n dropped=[x for x in manga_object_list['data'] if x.status.user ==\n 'Dropped'], planned=[x for x in manga_object_list['data'] if x.\n status.user == 'Plan to Read']), manga_days=manga_object_list['days'])\n", "role": "user" }, { "content": "user", "role": "assistant" } ]
def x(self, username, password): finvars = self.clientvars if username and password: finvars['username'] = username finvars['password'] = password self.loggedin = True ret = self.send_command('login', ujson.dumps(finvars)) if not isinstance(ret, str): if self.loggedin: self.loggedin = False raise UserLoginFailed(ret['msg']) else: raise GeneralLoginError(ret['msg'])
login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, password):\n finvars = self.clientvars\n if username and password:\n finvars['username'] = username\n finvars['password'] = password\n self.loggedin = True\n ret = self.send_command('login', ujson.dumps(finvars))\n if not isinstance(ret, str):\n if self.loggedin:\n self.loggedin = False\n raise UserLoginFailed(ret['msg'])\n else:\n raise GeneralLoginError(ret['msg'])\n", "role": "user" }, { "content": "login", "role": "assistant" } ]
def x(self, command, args=None): if args: if isinstance(args, str): final_command = command + ' ' + args + '\x04' else: final_command = command + ' ' + ujson.dumps(args) + '\x04' else: final_command = command + '\x04' self.sslwrap.sendall(final_command.encode('utf-8')) return self._recv_data()
send_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command, args=None):\n if args:\n if isinstance(args, str):\n final_command = command + ' ' + args + '\\x04'\n else:\n final_command = command + ' ' + ujson.dumps(args) + '\\x04'\n else:\n final_command = command + '\\x04'\n self.sslwrap.sendall(final_command.encode('utf-8'))\n return self._recv_data()\n", "role": "user" }, { "content": "send_command", "role": "assistant" } ]
def x(self): temp = '' while True: self.data_buffer = self.sslwrap.recv(1024) if '\x04' in self.data_buffer.decode('utf-8', 'ignore'): temp += self.data_buffer.decode('utf-8', 'ignore') break else: temp += self.data_buffer.decode('utf-8', 'ignore') self.data_buffer = bytes(1024) temp = temp.replace('\x04', '') if 'Ok' in temp: return temp else: return ujson.loads(temp.split(' ', 1)[1])
recv_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n temp = ''\n while True:\n self.data_buffer = self.sslwrap.recv(1024)\n if '\\x04' in self.data_buffer.decode('utf-8', 'ignore'):\n temp += self.data_buffer.decode('utf-8', 'ignore')\n break\n else:\n temp += self.data_buffer.decode('utf-8', 'ignore')\n self.data_buffer = bytes(1024)\n temp = temp.replace('\\x04', '')\n if 'Ok' in temp:\n return temp\n else:\n return ujson.loads(temp.split(' ', 1)[1])\n", "role": "user" }, { "content": "recv_data", "role": "assistant" } ]
def x(self, uid, filters=None): filters = self.__format_filters(filters) r = requests.get(self.apiurl + '/users/{}/library-entries'.format(uid), headers=self.header, params=filters) if r.status_code != 200: raise ServerError jsd = r.json() if jsd['meta']['count']: return SearchWrapper(jsd['data'], jsd['links']['next'] if 'next' in jsd['links'] else None, self.header) else: return None
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, uid, filters=None):\n filters = self.__format_filters(filters)\n r = requests.get(self.apiurl + '/users/{}/library-entries'.format(uid),\n headers=self.header, params=filters)\n if r.status_code != 200:\n raise ServerError\n jsd = r.json()\n if jsd['meta']['count']:\n return SearchWrapper(jsd['data'], jsd['links']['next'] if 'next' in\n jsd['links'] else None, self.header)\n else:\n return None\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, user_id, media_id, item_type, token, data): final_dict = {'data': {'type': 'libraryEntries', 'attributes': data, 'relationships': {'user': {'data': {'id': user_id, 'type': 'users'} }, 'media': {'data': {'id': media_id, 'type': item_type}}}}} final_headers = self.header final_headers['Authorization'] = 'Bearer {}'.format(token) r = requests.post(self.apiurl + '/library-entries', json=final_dict, headers=final_headers) if r.status_code != 201: raise ConnectionError(r.text) jsd = r.json() return jsd['data']['id']
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_id, media_id, item_type, token, data):\n final_dict = {'data': {'type': 'libraryEntries', 'attributes': data,\n 'relationships': {'user': {'data': {'id': user_id, 'type': 'users'}\n }, 'media': {'data': {'id': media_id, 'type': item_type}}}}}\n final_headers = self.header\n final_headers['Authorization'] = 'Bearer {}'.format(token)\n r = requests.post(self.apiurl + '/library-entries', json=final_dict,\n headers=final_headers)\n if r.status_code != 201:\n raise ConnectionError(r.text)\n jsd = r.json()\n return jsd['data']['id']\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(self, eid, data, token): final_dict = {'data': {'id': eid, 'type': 'libraryEntries', 'attributes': data}} final_headers = self.header final_headers['Authorization'] = 'Bearer {}'.format(token) r = requests.patch(self.apiurl + '/library-entries/{}'.format(eid), json=final_dict, headers=final_headers) if r.status_code != 200: raise ConnectionError(r.text) return True
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, eid, data, token):\n final_dict = {'data': {'id': eid, 'type': 'libraryEntries',\n 'attributes': data}}\n final_headers = self.header\n final_headers['Authorization'] = 'Bearer {}'.format(token)\n r = requests.patch(self.apiurl + '/library-entries/{}'.format(eid),\n json=final_dict, headers=final_headers)\n if r.status_code != 200:\n raise ConnectionError(r.text)\n return True\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, eid, token): final_headers = self.header final_headers['Authorization'] = 'Bearer {}'.format(token) r = requests.delete(self.apiurl + '/library-entries/{}'.format(eid), headers=final_headers) if r.status_code != 204: print(r.status_code) raise ConnectionError(r.text) return True
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, eid, token):\n final_headers = self.header\n final_headers['Authorization'] = 'Bearer {}'.format(token)\n r = requests.delete(self.apiurl + '/library-entries/{}'.format(eid),\n headers=final_headers)\n if r.status_code != 204:\n print(r.status_code)\n raise ConnectionError(r.text)\n return True\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(filters): if filters is not None: for k in filters: if 'filter[' not in k: filters['filter[{}]'.format(k)] = filters.pop(k) return filters
format_filters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filters):\n if filters is not None:\n for k in filters:\n if 'filter[' not in k:\n filters['filter[{}]'.format(k)] = filters.pop(k)\n return filters\n", "role": "user" }, { "content": "format_filters", "role": "assistant" } ]
def x(func): @functools.wraps(func) def x(self, *args, **kwargs): result = func(self, *args, **kwargs) if result is not None: if isinstance(result, dict): return _record(result) return (_record(i) for i in result) return result return wrapper
convert_to_record
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @functools.wraps(func)\n def x(self, *args, **kwargs):\n result = func(self, *args, **kwargs)\n if result is not None:\n if isinstance(result, dict):\n return _record(result)\n return (_record(i) for i in result)\n return result\n return wrapper\n", "role": "user" }, { "content": "convert_to_record", "role": "assistant" } ]
def x(cls, value, *args, **kwargs): if kwargs.get('wrapper'): return cls._wrapper_to_one_str(value) return _es.to_dict_str(value)
to_one_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, value, *args, **kwargs):\n if kwargs.get('wrapper'):\n return cls._wrapper_to_one_str(value)\n return _es.to_dict_str(value)\n", "role": "user" }, { "content": "to_one_str", "role": "assistant" } ]
def x(cls, values, callback=None): if callback and callable(callback): if isinstance(values, dict): return callback(_es.to_str(values)) return [callback(_es.to_str(i)) for i in values] return _es.to_str(values)
to_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, values, callback=None):\n if callback and callable(callback):\n if isinstance(values, dict):\n return callback(_es.to_str(values))\n return [callback(_es.to_str(i)) for i in values]\n return _es.to_str(values)\n", "role": "user" }, { "content": "to_str", "role": "assistant" } ]
def x(cls, name): if not cls._instance.get(name): model_name = name.split('.') ins_name = '.'.join(['models', model_name[0], 'model', model_name[1]]) cls._instance[name] = cls.import_model(ins_name)() return cls._instance[name]
instance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name):\n if not cls._instance.get(name):\n model_name = name.split('.')\n ins_name = '.'.join(['models', model_name[0], 'model', model_name[1]])\n cls._instance[name] = cls.import_model(ins_name)()\n return cls._instance[name]\n", "role": "user" }, { "content": "instance", "role": "assistant" } ]
def x(cls, ins_name): try: package_space = getattr(cls, 'package_space') except AttributeError: raise ValueError('package_space not exist') else: return import_object(ins_name, package_space)
import_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, ins_name):\n try:\n package_space = getattr(cls, 'package_space')\n except AttributeError:\n raise ValueError('package_space not exist')\n else:\n return import_object(ins_name, package_space)\n", "role": "user" }, { "content": "import_model", "role": "assistant" } ]
def x(app_name, app_setting, web_application_setting, mainfile, package_space): from turbo import log app_config.app_name = app_name app_config.app_setting = app_setting app_config.project_name = os.path.basename(get_base_dir(mainfile, 2)) app_config.web_application_setting.update(web_application_setting) if app_setting.get('session_config'): app_config.session_config.update(app_setting['session_config']) log.getLogger(**app_setting.log) _install_app(package_space)
register_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app_name, app_setting, web_application_setting, mainfile, package_space):\n from turbo import log\n app_config.app_name = app_name\n app_config.app_setting = app_setting\n app_config.project_name = os.path.basename(get_base_dir(mainfile, 2))\n app_config.web_application_setting.update(web_application_setting)\n if app_setting.get('session_config'):\n app_config.session_config.update(app_setting['session_config'])\n log.getLogger(**app_setting.log)\n _install_app(package_space)\n", "role": "user" }, { "content": "register_app", "role": "assistant" } ]
def x(url, handler, name=None, kwargs=None): if name is None and kwargs is None: app_config.urls.append((url, handler)) return if name is None: app_config.urls.append((url, handler, kwargs)) return app_config.urls.append((url, handler, kwargs, name))
register_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, handler, name=None, kwargs=None):\n if name is None and kwargs is None:\n app_config.urls.append((url, handler))\n return\n if name is None:\n app_config.urls.append((url, handler, kwargs))\n return\n app_config.urls.append((url, handler, kwargs, name))\n", "role": "user" }, { "content": "register_url", "role": "assistant" } ]
def x(self, status_code, **kwargs): super(BaseHandler, self).write_error(status_code, **kwargs)
write_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, status_code, **kwargs):\n super(BaseHandler, self).write_error(status_code, **kwargs)\n", "role": "user" }, { "content": "write_error", "role": "assistant" } ]
def x(self): method = self.request.method.lower() arguments = self.request.arguments files = self.request.files rpd = {} def x(key, tp, default=None): if tp not in self._types: raise ValueError('%s parameter expected types %s' % (key, self. _types)) if not isinstance(tp, file_types): if key not in arguments: rpd[key] = default return if tp in [ObjectId, int, float, bool]: rpd[key] = getattr(self, 'to_%s' % getattr(tp, '__name__'). lower())(self.get_argument(key)) return if tp == basestring_type or issubclass(tp, basestring_type): rpd[key] = self.get_argument(key, strip=False) return if tp == list: rpd[key] = self.get_arguments(key) return if tp == file: if key not in files: rpd[key] = [] return rpd[key] = self.request.files[key] required_params = getattr(self, '_required_params', None) if isinstance(required_params, list): for key, tp, default in required_params: filter_parameter(key, tp, default) method_required_params = getattr(self, '_%s_required_params' % method, None ) if isinstance(method_required_params, list): for key, tp, default in method_required_params: filter_parameter(key, tp, default) params = getattr(self, '_%s_params' % method, None) if params is None: return rpd try: for key, tp in params.get('need', []): if tp == list: filter_parameter(key, tp, []) else: filter_parameter(key, tp) except ValueError as e: app_log.error('%s request need arguments parse error: %s' % (method, e) ) raise ValueError(e) except Exception as e: app_log.error('%s request need arguments parse error: %s' % (method, e) ) raise e for key, tp, default in params.get('option', []): filter_parameter(key, tp, default) return rpd
parameter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n method = self.request.method.lower()\n arguments = self.request.arguments\n files = self.request.files\n rpd = {}\n\n def x(key, tp, default=None):\n if tp not in self._types:\n raise ValueError('%s parameter expected types %s' % (key, self.\n _types))\n if not isinstance(tp, file_types):\n if key not in arguments:\n rpd[key] = default\n return\n if tp in [ObjectId, int, float, bool]:\n rpd[key] = getattr(self, 'to_%s' % getattr(tp, '__name__').\n lower())(self.get_argument(key))\n return\n if tp == basestring_type or issubclass(tp, basestring_type):\n rpd[key] = self.get_argument(key, strip=False)\n return\n if tp == list:\n rpd[key] = self.get_arguments(key)\n return\n if tp == file:\n if key not in files:\n rpd[key] = []\n return\n rpd[key] = self.request.files[key]\n required_params = getattr(self, '_required_params', None)\n if isinstance(required_params, list):\n for key, tp, default in required_params:\n filter_parameter(key, tp, default)\n method_required_params = getattr(self, '_%s_required_params' % method, None\n )\n if isinstance(method_required_params, list):\n for key, tp, default in method_required_params:\n filter_parameter(key, tp, default)\n params = getattr(self, '_%s_params' % method, None)\n if params is None:\n return rpd\n try:\n for key, tp in params.get('need', []):\n if tp == list:\n filter_parameter(key, tp, [])\n else:\n filter_parameter(key, tp)\n except ValueError as e:\n app_log.error('%s request need arguments parse error: %s' % (method, e)\n )\n raise ValueError(e)\n except Exception as e:\n app_log.error('%s request need arguments parse error: %s' % (method, e)\n )\n raise e\n for key, tp, default in params.get('option', []):\n filter_parameter(key, tp, default)\n return rpd\n", "role": "user" }, { "content": "parameter", "role": "assistant" } ]
def x(self, resp): if self._data is not None: resp['res'] = self.to_str(self._data) return self.wo_json(resp)
wo_resp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, resp):\n if self._data is not None:\n resp['res'] = self.to_str(self._data)\n return self.wo_json(resp)\n", "role": "user" }, { "content": "wo_resp", "role": "assistant" } ]
def x(self, doc_or_docs, **kwargs): check = kwargs.pop('check', True) if isinstance(doc_or_docs, dict): if check is True: doc_or_docs = self._valid_record(doc_or_docs) result = self.__collect.insert_one(doc_or_docs, **kwargs) return result.inserted_id else: if check is True: for d in doc_or_docs: d = self._valid_record(d) result = self.__collect.insert_many(doc_or_docs, **kwargs) return result.inserted_ids
insert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, doc_or_docs, **kwargs):\n check = kwargs.pop('check', True)\n if isinstance(doc_or_docs, dict):\n if check is True:\n doc_or_docs = self._valid_record(doc_or_docs)\n result = self.__collect.insert_one(doc_or_docs, **kwargs)\n return result.inserted_id\n else:\n if check is True:\n for d in doc_or_docs:\n d = self._valid_record(d)\n result = self.__collect.insert_many(doc_or_docs, **kwargs)\n return result.inserted_ids\n", "role": "user" }, { "content": "insert", "role": "assistant" } ]
def x(self, to_save, **kwargs): check = kwargs.pop('check', True) if check: self._valid_record(to_save) if '_id' in to_save: self.__collect.replace_one({'_id': to_save['_id']}, to_save, **kwargs) return to_save['_id'] else: result = self.__collect.insert_one(to_save, **kwargs) return result.inserted_id
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, to_save, **kwargs):\n check = kwargs.pop('check', True)\n if check:\n self._valid_record(to_save)\n if '_id' in to_save:\n self.__collect.replace_one({'_id': to_save['_id']}, to_save, **kwargs)\n return to_save['_id']\n else:\n result = self.__collect.insert_one(to_save, **kwargs)\n return result.inserted_id\n", "role": "user" }, { "content": "save", "role": "assistant" } ]
def x(self, filter_, document, multi=False, **kwargs): self._valide_update_document(document) if multi: return self.__collect.update_many(filter_, document, **kwargs) else: return self.__collect.update_one(filter_, document, **kwargs)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filter_, document, multi=False, **kwargs):\n self._valide_update_document(document)\n if multi:\n return self.__collect.update_many(filter_, document, **kwargs)\n else:\n return self.__collect.update_one(filter_, document, **kwargs)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, filter_=None, **kwargs): if isinstance(filter_, dict) and filter_ == {}: raise ValueError('not allowed remove all documents') if filter_ is None: raise ValueError('not allowed remove all documents') if kwargs.pop('multi', False) is True: return self.__collect.delete_many(filter_, **kwargs) else: return self.__collect.delete_one(filter_, **kwargs)
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filter_=None, **kwargs):\n if isinstance(filter_, dict) and filter_ == {}:\n raise ValueError('not allowed remove all documents')\n if filter_ is None:\n raise ValueError('not allowed remove all documents')\n if kwargs.pop('multi', False) is True:\n return self.__collect.delete_many(filter_, **kwargs)\n else:\n return self.__collect.delete_one(filter_, **kwargs)\n", "role": "user" }, { "content": "remove", "role": "assistant" } ]
def x(self, doc_or_docs, **kwargs): check = kwargs.pop('check', True) if check is True: self._valid_record(doc_or_docs) return self.__collect.insert_one(doc_or_docs, **kwargs)
insert_one
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, doc_or_docs, **kwargs):\n check = kwargs.pop('check', True)\n if check is True:\n self._valid_record(doc_or_docs)\n return self.__collect.insert_one(doc_or_docs, **kwargs)\n", "role": "user" }, { "content": "insert_one", "role": "assistant" } ]
def x(self, doc_or_docs, **kwargs): check = kwargs.pop('check', True) if check is True: for i in doc_or_docs: i = self._valid_record(i) return self.__collect.insert_many(doc_or_docs, **kwargs)
insert_many
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, doc_or_docs, **kwargs):\n check = kwargs.pop('check', True)\n if check is True:\n for i in doc_or_docs:\n i = self._valid_record(i)\n return self.__collect.insert_many(doc_or_docs, **kwargs)\n", "role": "user" }, { "content": "insert_many", "role": "assistant" } ]
def x(self, filter_=None, *args, **kwargs): wrapper = kwargs.pop('wrapper', False) if wrapper is True: return self._wrapper_find_one(filter_, *args, **kwargs) return self.__collect.find_one(filter_, *args, **kwargs)
find_one
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filter_=None, *args, **kwargs):\n wrapper = kwargs.pop('wrapper', False)\n if wrapper is True:\n return self._wrapper_find_one(filter_, *args, **kwargs)\n return self.__collect.find_one(filter_, *args, **kwargs)\n", "role": "user" }, { "content": "find_one", "role": "assistant" } ]
def x(self, *args, **kwargs): wrapper = kwargs.pop('wrapper', False) if wrapper is True: return self._wrapper_find(*args, **kwargs) return self.__collect.find(*args, **kwargs)
find
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n wrapper = kwargs.pop('wrapper', False)\n if wrapper is True:\n return self._wrapper_find(*args, **kwargs)\n return self.__collect.find(*args, **kwargs)\n", "role": "user" }, { "content": "find", "role": "assistant" } ]
def x(self, filter_=None, *args, **kwargs): return self.__collect.find_one(filter_, *args, **kwargs)
wrapper_find_one
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filter_=None, *args, **kwargs):\n return self.__collect.find_one(filter_, *args, **kwargs)\n", "role": "user" }, { "content": "wrapper_find_one", "role": "assistant" } ]
def x(self, filter_, document, **kwargs): self._valide_update_document(document) return self.__collect.update_one(filter_, document, **kwargs)
update_one
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filter_, document, **kwargs):\n self._valide_update_document(document)\n return self.__collect.update_one(filter_, document, **kwargs)\n", "role": "user" }, { "content": "update_one", "role": "assistant" } ]
def x(self, _id, projection=None): if isinstance(_id, list) or isinstance(_id, tuple): return list(self.__collect.find({'_id': {'$in': [self. _to_primary_key(i) for i in _id]}}, projection)) document_id = self._to_primary_key(_id) if document_id is None: return None return self.__collect.find_one({'_id': document_id}, projection)
find_by_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, _id, projection=None):\n if isinstance(_id, list) or isinstance(_id, tuple):\n return list(self.__collect.find({'_id': {'$in': [self.\n _to_primary_key(i) for i in _id]}}, projection))\n document_id = self._to_primary_key(_id)\n if document_id is None:\n return None\n return self.__collect.find_one({'_id': document_id}, projection)\n", "role": "user" }, { "content": "find_by_id", "role": "assistant" } ]
def x(cls, name, field=None): if field: attrs = {'name': name, 'field': field} else: attrs = {'name': name, 'field': {'_id': ObjectId()}} return type(str(name), (cls,), attrs)()
create_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name, field=None):\n if field:\n attrs = {'name': name, 'field': field}\n else:\n attrs = {'name': name, 'field': {'_id': ObjectId()}}\n return type(str(name), (cls,), attrs)()\n", "role": "user" }, { "content": "create_model", "role": "assistant" } ]
def x(value, encode=None): result = [] for index, v in enumerate(value): if isinstance(v, dict): result.append(to_dict_str(v, encode)) continue if isinstance(v, list): result.append(to_list_str(v, encode)) continue if encode: result.append(encode(v)) else: result.append(default_encode(v)) return result
to_list_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, encode=None):\n result = []\n for index, v in enumerate(value):\n if isinstance(v, dict):\n result.append(to_dict_str(v, encode))\n continue\n if isinstance(v, list):\n result.append(to_list_str(v, encode))\n continue\n if encode:\n result.append(encode(v))\n else:\n result.append(default_encode(v))\n return result\n", "role": "user" }, { "content": "to_list_str", "role": "assistant" } ]
def x(origin_value, encode=None): value = copy.deepcopy(origin_value) for k, v in value.items(): if isinstance(v, dict): value[k] = to_dict_str(v, encode) continue if isinstance(v, list): value[k] = to_list_str(v, encode) continue if encode: value[k] = encode(v) else: value[k] = default_encode(v) return value
to_dict_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(origin_value, encode=None):\n value = copy.deepcopy(origin_value)\n for k, v in value.items():\n if isinstance(v, dict):\n value[k] = to_dict_str(v, encode)\n continue\n if isinstance(v, list):\n value[k] = to_list_str(v, encode)\n continue\n if encode:\n value[k] = encode(v)\n else:\n value[k] = default_encode(v)\n return value\n", "role": "user" }, { "content": "to_dict_str", "role": "assistant" } ]
def x(v): if isinstance(v, ObjectId): return unicode_type(v) if isinstance(v, datetime): return format_time(v) if isinstance(v, date): return format_time(v) return v
default_encode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(v):\n if isinstance(v, ObjectId):\n return unicode_type(v)\n if isinstance(v, datetime):\n return format_time(v)\n if isinstance(v, date):\n return format_time(v)\n return v\n", "role": "user" }, { "content": "default_encode", "role": "assistant" } ]
def x(v, encode=None): if isinstance(v, basestring_type): return v if isinstance(v, dict): return to_dict_str(v, encode) if isinstance(v, Iterable): return to_list_str(v, encode) if encode: return encode(v) else: return default_encode(v)
to_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(v, encode=None):\n if isinstance(v, basestring_type):\n return v\n if isinstance(v, dict):\n return to_dict_str(v, encode)\n if isinstance(v, Iterable):\n return to_list_str(v, encode)\n if encode:\n return encode(v)\n else:\n return default_encode(v)\n", "role": "user" }, { "content": "to_str", "role": "assistant" } ]
def x(objid): if objid is None: return objid try: objid = ObjectId(objid) except: util_log.error('%s is invalid objectid' % objid) return None return objid
to_objectid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(objid):\n if objid is None:\n return objid\n try:\n objid = ObjectId(objid)\n except:\n util_log.error('%s is invalid objectid' % objid)\n return None\n return objid\n", "role": "user" }, { "content": "to_objectid", "role": "assistant" } ]
def x(currfile, dir_level_num=3): root_path = os.path.abspath(currfile) for i in range(0, dir_level_num): root_path = os.path.dirname(root_path) return root_path
get_base_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(currfile, dir_level_num=3):\n root_path = os.path.abspath(currfile)\n for i in range(0, dir_level_num):\n root_path = os.path.dirname(root_path)\n return root_path\n", "role": "user" }, { "content": "get_base_dir", "role": "assistant" } ]
def x(currfile, dir_level_num=3): if os.path.isdir(currfile): root_path = currfile else: root_path = get_base_dir(currfile, dir_level_num) sys.path.append(root_path)
join_sys_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(currfile, dir_level_num=3):\n if os.path.isdir(currfile):\n root_path = currfile\n else:\n root_path = get_base_dir(currfile, dir_level_num)\n sys.path.append(root_path)\n", "role": "user" }, { "content": "join_sys_path", "role": "assistant" } ]