source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(dev, opts): try: parent = os.readlink(f'/sys/class/block/{dev}').rsplit('/', 2)[1] with open(f'/sys/block/{parent}/removable') as f: return f.read() == '1\n' except IndexError as err: if opts.debug: print('ERROR: parent block device not found.', err) except IOError as err: if opts.debug: print('ERROR:', err)
check_removable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dev, opts):\n try:\n parent = os.readlink(f'/sys/class/block/{dev}').rsplit('/', 2)[1]\n with open(f'/sys/block/{parent}/removable') as f:\n ...
def x(mntp): import re replacements = {'\\\\040': ' ', '\\\\011': '\t', '\\\\012': '\n', '\\\\134': '\\'} pattern = re.compile('|'.join(replacements.keys())) return pattern.sub(lambda m: replacements[re.escape(m.group(0))], mntp)
decode_mntp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mntp):\n import re\n replacements = {'\\\\\\\\040': ' ', '\\\\\\\\011': '\\t', '\\\\\\\\012': '\\n',\n '\\\\\\\\134': '\\\\'}\n pattern = re.co...
def x(opts): results = {} try: for entry in os.scandir(diskdir): target = normpath(join(diskdir, os.readlink(entry.path))) decoded_name = entry.name.encode('utf8').decode('unicode_escape') results[target] = decoded_name if opts.debug: print('\n\nlabel_map:', results) except FileNotFoundError: pass return results
get_label_map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(opts):\n results = {}\n try:\n for entry in os.scandir(diskdir):\n target = normpath(join(diskdir, os.readlink(entry.path)))\n ...
def x(opts, show_all=False, local_only=False): disks = [] outunit = opts.outunit label_map = get_label_map(opts) try: with open(mntfname) as infile: lines = infile.readlines() lines.sort() except IOError: return None for i, line in enumerate(lines): device, mntp, fmt, mntops, *_ = line.split() if device in ('cgroup',): continue disk = DiskInfo() dev = basename(device) disk.isnet = ':' in device if local_only and disk.isnet: continue disk.isimg = is_img = dev.startswith('loop') is_tmpfs = device == 'tmpfs' for selector in selectors: if selector in device: if show_all: if is_tmpfs: disk.isram = True elif is_img or is_tmpfs or mntp == '/boot/efi': continue break else: continue disk.dev = dev disk.fmt = fmt disk.mntp = mntp = decode_mntp(mntp) if '\\' in mntp else mntp disk.ismntd = bool(mntp) disk.isopt = check_optical(disk) if device[0] == '/': disk.isrem = check_removable(dev, opts) disk.label = label_map.get(device) stat = os.statvfs(mntp) disk.ocap = stat.f_frsize * stat.f_blocks disk.cap = disk.ocap / outunit disk.free = stat.f_frsize * stat.f_bavail / outunit disk.oused = stat.f_frsize * (stat.f_blocks - stat.f_bfree) disk.used = disk.oused / outunit disk.pcnt = disk.oused / disk.ocap * 100 if mntops.startswith('rw'): disk.rw = True elif mntops.startswith('ro'): disk.rw = False else: disk.rw = not bool(stat.f_flag & os.ST_RDONLY) disks.append(disk) if show_all: for devname in label_map: dev = basename(devname) exists = [disk for disk in disks if disk.dev == dev] if not exists: disk = DiskInfo(cap=0, free=0, ocap=0, pcnt=0, used=0, dev= dev, ismntd=False, mntp='', isnet=False, isopt= check_optical(DiskInfo(dev=dev, fmt=None)), isram=False, isrem=check_removable(dev, opts), label=label_map[ devname], rw=None) disks.append(disk) disks.sort(key=lambda disk: disk.dev) if opts.debug: print() for disk in disks: print(disk.dev, disk) print() return disks
get_diskinfo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(opts, show_all=False, local_only=False):\n disks = []\n outunit = opts.outunit\n label_map = get_label_map(opts)\n try:\n with open(mntfname...
def x(opts): meminfo = MemInfo() outunit = opts.outunit try: with open(memfname) as infile: lines = infile.readlines() except IOError: return None for line in lines: tokens = line.split() if tokens: name, value = tokens[0][:-1].lower(), tokens[1] if len(tokens) == 2: continue unit = tokens[2].lower() value = int(value) if unit == 'kb': value = value * 1024 elif unit == 'b': value = value elif unit == 'mb': value = value * 1024 * 1024 elif unit == 'gb': value = value * 1024 * 1024 * 1024 setattr(meminfo, name, value / outunit) cache = meminfo.cached + meminfo.buffers meminfo.used = meminfo.memtotal - meminfo.memfree - cache meminfo.swapused = (meminfo.swaptotal - meminfo.swapcached - meminfo. swapfree) return meminfo
get_meminfo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(opts):\n meminfo = MemInfo()\n outunit = opts.outunit\n try:\n with open(memfname) as infile:\n lines = infile.readlines()\n exce...
def x(func): @wraps(func) def x(*args, **kwargs): start = time.time() result = func(*args, **kwargs) elapsed = time.time() - start LOGGER.info('%s took %s seconds to complete', func.__name__, round( elapsed, 2)) return result return _wrapper
timeit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @wraps(func)\n def x(*args, **kwargs):\n start = time.time()\n result = func(*args, **kwargs)\n elapsed = time.time() - s...
def x(): global _dbConnectString from peek_platform.file_config.PeekFileConfigABC import PeekFileConfigABC from peek_platform.file_config.PeekFileConfigSqlAlchemyMixin import PeekFileConfigSqlAlchemyMixin from peek_platform import PeekPlatformConfig class _WorkerTaskConfigMixin(PeekFileConfigABC, PeekFileConfigSqlAlchemyMixin): pass PeekPlatformConfig.componentName = peekWorkerName _dbConnectString = _WorkerTaskConfigMixin().dbConnectString
setConnStringForWindows
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n global _dbConnectString\n from peek_platform.file_config.PeekFileConfigABC import PeekFileConfigABC\n from peek_platform.file_config.PeekFileConf...
def x(Declarative, count) ->Optional[Iterable[int]]: return _commonPrefetchDeclarativeIds(getDbEngine(), _sequenceMutex, Declarative, count)
prefetchDeclarativeIds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(Declarative, count) ->Optional[Iterable[int]]:\n return _commonPrefetchDeclarativeIds(getDbEngine(), _sequenceMutex,\n Declarative, count)\n", "r...
def x(gemname, version=None, conservative=True, ri=False, rdoc=False, development=False, format_executable=False, force=False, gem_source=None): cmdline = ['gem', 'install'] if conservative: cmdline.append('--conservative') if ri: cmdline.append('--ri') else: cmdline.append('--no-ri') if rdoc: cmdline.append('--rdoc') else: cmdline.append('--no-rdoc') if development: cmdline.append('--development') if format_executable: cmdline.append('--format-executable') if force: cmdline.append('--force') if version: cmdline.extend(['--version', version]) cmdline.extend(['--clear-sources', '--source', gem_source or RubyGems() .gem_source]) cmdline.append(gemname) msg = 'Installing ruby gem: %s' % gemname if version: msg += ' Version requested: %s' % version log.debug(msg) try: subprocess.check_output(cmdline, shell=False) except (OSError, subprocess.CalledProcessError) as err: raise error.ButcherError( 'Gem install failed. Error was: %s. Output: %s' % (err, err.output) )
install_gem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gemname, version=None, conservative=True, ri=False, rdoc=False,\n development=False, format_executable=False, force=False, gem_source=None):\n cmdline = ...
def x(gemname, version=None): cmdline = ['gem', 'list', '-i', gemname] if version: cmdline.extend(['-v', version]) try: subprocess.check_output(cmdline, shell=False) return True except (OSError, subprocess.CalledProcessError) as err: if err.returncode == 1: return False else: raise error.ButcherError( 'Failure running gem. Error was: %s. Output: %s', err, err. output)
is_installed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gemname, version=None):\n cmdline = ['gem', 'list', '-i', gemname]\n if version:\n cmdline.extend(['-v', version])\n try:\n subprocess.c...
def x(self, other_node, merge_same_value_targets=False): for other_link in other_node.link_list: for existing_link in self.link_list: if merge_same_value_targets: if other_link.target.value == existing_link.target.value: existing_link.weight += other_link.weight break elif other_link.target == existing_link.target: existing_link.weight += other_link.weight break else: self.add_link(other_link.target, other_link.weight)
merge_links_from
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other_node, merge_same_value_targets=False):\n for other_link in other_node.link_list:\n for existing_link in self.link_list:\n if m...
def x(self, target_node): try: return next(l for l in self.link_list if l.target == target_node) except StopIteration: return None
find_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target_node):\n try:\n return next(l for l in self.link_list if l.target == target_node)\n except StopIteration:\n return None\n", ...
def x(self, targets, weight): if not isinstance(targets, list): target_list = [targets] else: target_list = targets for target in target_list: for existing_link in self.link_list: if existing_link.target == target: existing_link.weight += weight break else: self.link_list.append(Link(target, weight))
add_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, targets, weight):\n if not isinstance(targets, list):\n target_list = [targets]\n else:\n target_list = targets\n for target in ta...
def x(self, source, weight): if not isinstance(source, list): source = [source] for source_node in source: source_node.add_link(self, weight=weight)
add_link_to_self
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, source, weight):\n if not isinstance(source, list):\n source = [source]\n for source_node in source:\n source_node.add_link(self, wei...
def x(self, target, weight): if not isinstance(target, list): target_list = [target] else: target_list = target for t in target_list: self.add_link(t, weight) t.add_link(self, weight)
add_reciprocal_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target, weight):\n if not isinstance(target, list):\n target_list = [target]\n else:\n target_list = target\n for t in target_list...
def x(self): self.link_list = [link for link in self.link_list if link.target != self]
remove_links_to_self
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.link_list = [link for link in self.link_list if link.target != self]\n", "role": "user" }, { "content": "remove_links_to_self", ...
def x(self, source_code, post_treatment=''.join): structure = self._structure(source_code) values = self._struct_to_values(structure, source_code) obj_code = langspec.translated(structure, values, self.target_lang_spec) return obj_code if post_treatment is None else post_treatment(obj_code)
compile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, source_code, post_treatment=''.join):\n structure = self._structure(source_code)\n values = self._struct_to_values(structure, source_code)\n obj...
def x(self): self.table_struct, self.idnt_struct_size = self._create_struct_table() self.table_values, self.idnt_values_size = self._create_values_table()
initialize_tables
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.table_struct, self.idnt_struct_size = self._create_struct_table()\n self.table_values, self.idnt_values_size = self._create_values_table()\...
def x(self, source_code): def x(seq, block_size): for index in range(0, len(seq), block_size): lexem = seq[index:index + block_size] if len(lexem) == block_size: yield self.table_struct[seq[index:index + block_size]] return tuple(cutter(source_code, self.idnt_struct_size))
structure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, source_code):\n\n def x(seq, block_size):\n for index in range(0, len(seq), block_size):\n lexem = seq[index:index + block_size]\n ...
def x(self, lexem_type, source_code, source_code_size): def x(seq, block_size): identificator = '' for char in source_code: if len(identificator) == self.idnt_values_size[lexem_type]: yield self.table_values[lexem_type][identificator] identificator = '' identificator += char lexem_reader = reader(source_code, self.idnt_values_size) lexem = None time_out = 0 while lexem == None and time_out < 2 * source_code_size: lexem = next(lexem_reader) time_out += 1 return lexem
next_lexem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lexem_type, source_code, source_code_size):\n\n def x(seq, block_size):\n identificator = ''\n for char in source_code:\n if ...
def x(self, source_code, source_code_size): lexems = tuple((self._next_lexem(LEXEM_TYPE_COMPARISON, source_code, source_code_size), self._next_lexem(LEXEM_TYPE_OPERATOR, source_code, source_code_size), self._next_lexem( LEXEM_TYPE_COMPARISON, source_code, source_code_size))) if None in lexems: return None else: return ' '.join(lexems)
next_condition_lexems
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, source_code, source_code_size):\n lexems = tuple((self._next_lexem(LEXEM_TYPE_COMPARISON, source_code,\n source_code_size), self._next_lexem(LE...
def x(self, s): base = len(self.alphabet) return sum(self._letter_to_int(l) * base ** lsb for lsb, l in enumerate(s))
string_to_int
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, s):\n base = len(self.alphabet)\n return sum(self._letter_to_int(l) * base ** lsb for lsb, l in enumerate(s))\n", "role": "user" }, { "...
def x(self, structure, source_code): iter_source_code = itertools.cycle(source_code) values = [] for lexem_type in (l for l in structure if l is not 'D'): if lexem_type is LEXEM_TYPE_CONDITION: new_value = self._next_condition_lexems(iter_source_code, len( source_code)) else: new_value = self._next_lexem(lexem_type, iter_source_code, len( source_code)) if new_value is None: if lexem_type in (LEXEM_TYPE_PREDICAT, LEXEM_TYPE_CONDITION): new_value = self.neutral_value_condition else: new_value = self.neutral_value_action values.append(new_value) return values
struct_to_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, structure, source_code):\n iter_source_code = itertools.cycle(source_code)\n values = []\n for lexem_type in (l for l in structure if l is not '...
def x(self): len_alph = len(self.alphabet) len_vocb = len(self.voc_structure) identificator_size = ceil(log(len_vocb, len_alph)) num2alph = lambda x, n: self.alphabet[x // len_alph ** n % len_alph] identificators = [[str(num2alph(x, n)) for n in range( identificator_size)] for x in range(len_vocb)] identificators_table = {} zip_id_voc = zip_longest(identificators, self.voc_structure, fillvalue=None ) for idt, word in zip_id_voc: identificators_table[''.join(idt)] = word return identificators_table, identificator_size
create_struct_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n len_alph = len(self.alphabet)\n len_vocb = len(self.voc_structure)\n identificator_size = ceil(log(len_vocb, len_alph))\n num2alph = lambd...
def x(self): len_alph = len(self.alphabet) identificators_table = {k: {} for k in self.voc_values.keys()} identificators_sizes = {k: (-1) for k in self.voc_values.keys()} for lexem_type, vocabulary in self.voc_values.items(): len_vocb = len(vocabulary) identificators_sizes[lexem_type] = ceil(log(len_vocb, len_alph)) num2alph = lambda x, n: self.alphabet[x // len_alph ** n % len_alph] identificators = [[str(num2alph(x, n)) for n in range( identificators_sizes[lexem_type])] for x in range(len_alph ** identificators_sizes[lexem_type])] zip_id_voc = zip_longest(identificators, vocabulary, fillvalue=None) for idt, voc in zip_id_voc: identificators_table[lexem_type][''.join(idt)] = voc return identificators_table, identificators_sizes
create_values_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n len_alph = len(self.alphabet)\n identificators_table = {k: {} for k in self.voc_values.keys()}\n identificators_sizes = {k: (-1) for k in sel...
def x(self, pluginSubPath: bytes, resource: BasicResource) ->None: pluginSubPath = pluginSubPath.strip(b'/') self.__rootDesktopResource.putChild(pluginSubPath, resource)
addDesktopResource
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pluginSubPath: bytes, resource: BasicResource) ->None:\n pluginSubPath = pluginSubPath.strip(b'/')\n self.__rootDesktopResource.putChild(pluginSubP...
def x(funcname, *args): hasstr = hasbytes = False for arg in args: if isinstance(arg, str): hasstr = True elif isinstance(arg, bytes): hasbytes = True else: raise TypeError('{0}() argument must be str or bytes, not {1}'. format(funcname, arg.__class__.__name__)) if hasstr and hasbytes: raise TypeError("Can't mix strings and bytes in path components")
check_arg_types
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(funcname, *args):\n hasstr = hasbytes = False\n for arg in args:\n if isinstance(arg, str):\n hasstr = True\n elif isinstance(ar...
def x(paths): if not paths: raise ValueError('commonpath() arg is an empty sequence') check_arg_types('commonpath', *paths) if isinstance(paths[0], bytes): sep = b'/' curdir = b'.' else: sep = '/' curdir = '.' split_paths = [path.split(sep) for path in paths] try: isabs, = set(p[:1] == sep for p in paths) except ValueError: raise ValueError("Can't mix absolute and relative paths") split_paths = [[c for c in s if c and c != curdir] for s in split_paths] s_min = min(split_paths) s_max = max(split_paths) common = s_min for i, run_c in enumerate(s_min): if run_c != s_max[i]: common = s_min[:i] break prefix = sep if isabs else sep[:0] return prefix + sep.join(common)
posix_commonpath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(paths):\n if not paths:\n raise ValueError('commonpath() arg is an empty sequence')\n check_arg_types('commonpath', *paths)\n if isinstance(pat...
def x(paths): from ntpath import splitdrive if not paths: raise ValueError('commonpath() arg is an empty sequence') check_arg_types('commonpath', *paths) if isinstance(paths[0], bytes): sep = b'\\' altsep = b'/' curdir = b'.' else: sep = '\\' altsep = '/' curdir = '.' drivesplits = [splitdrive(p.replace(altsep, sep).lower()) for p in paths] split_paths = [p.split(sep) for d, p in drivesplits] try: isabs, = set(p[:1] == sep for d, p in drivesplits) except ValueError: raise ValueError("Can't mix absolute and relative paths") if len(set(d for d, p in drivesplits)) != 1: raise ValueError("Paths don't have the same drive") drive, path = splitdrive(paths[0].replace(altsep, sep)) common = path.split(sep) common = [c for c in common if c and c != curdir] split_paths = [[c for c in s if c and c != curdir] for s in split_paths] s_min = min(split_paths) s_max = max(split_paths) for i, run_c in enumerate(s_min): if run_c != s_max[i]: common = common[:i] break else: common = common[:len(s_min)] prefix = drive + sep if isabs else drive return prefix + sep.join(common)
nt_commonpath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(paths):\n from ntpath import splitdrive\n if not paths:\n raise ValueError('commonpath() arg is an empty sequence')\n check_arg_types('commonpa...
def x(self, limit=None): return self._reddit._limit_get(self.permalink, limit=limit)[1]
comments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=None):\n return self._reddit._limit_get(self.permalink, limit=limit)[1]\n", "role": "user" }, { "content": "comments", "role": "...
def x(self, how=True): return self._reddit.distinguish(self.name, how=how)
distinguish
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, how=True):\n return self._reddit.distinguish(self.name, how=how)\n", "role": "user" }, { "content": "distinguish", "role": "assistant"...
def x(self, limit=None): if self.after: return self._reddit._limit_get(self._path, params={'after': self. after}, limit=limit or self._limit) elif self._has_literally_more: more = self[-1] data = dict(link_id=self[0].parent_id, id=more.name, children=','. join(more.children)) j = self._reddit.post('api', 'morechildren', data=data) d = j['json'] d['kind'] = 'Listing' d['data']['children'] = d['data']['things'] del d['data']['things'] return self._reddit._thingify(d, path=self._path) else: raise NoMoreError('no more items')
next_listing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=None):\n if self.after:\n return self._reddit._limit_get(self._path, params={'after': self.\n after}, limit=limit or self._lim...
def x(self, limit=None): if self.before: return self._reddit._limit_get(self._path, eparams={'before': self. before}, limit=limit or self._limit) else: raise NoMoreError('no previous items')
prev_listing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=None):\n if self.before:\n return self._reddit._limit_get(self._path, eparams={'before': self.\n before}, limit=limit or self....
def x(self, limit=None): return self._reddit.hot(self.display_name, limit=limit)
hot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=None):\n return self._reddit.hot(self.display_name, limit=limit)\n", "role": "user" }, { "content": "hot", "role": "assistant" ...
def x(self, limit=None): return self._reddit.new(self.display_name, limit=limit)
new
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=None):\n return self._reddit.new(self.display_name, limit=limit)\n", "role": "user" }, { "content": "new", "role": "assistant" ...
def x(self, limit=None): return self._reddit.top(self.display_name, limit=limit)
top
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=None):\n return self._reddit.top(self.display_name, limit=limit)\n", "role": "user" }, { "content": "top", "role": "assistant" ...
def x(self, limit=None): return self._reddit.controversial(self.display_name, limit=limit)
controversial
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=None):\n return self._reddit.controversial(self.display_name, limit=limit)\n", "role": "user" }, { "content": "controversial", "...
def x(self, limit=None): return self._reddit.comments(self.display_name, limit=limit)
comments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=None):\n return self._reddit.comments(self.display_name, limit=limit)\n", "role": "user" }, { "content": "comments", "role": "as...
def x(self, title, url): return self._reddit.submit_link(self.display_name, title, url)
submit_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, title, url):\n return self._reddit.submit_link(self.display_name, title, url)\n", "role": "user" }, { "content": "submit_link", "role"...
def x(self, title, text): return self._reddit.submit_text(self.display_name, title, text)
submit_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, title, text):\n return self._reddit.submit_text(self.display_name, title, text)\n", "role": "user" }, { "content": "submit_text", "rol...
def x(self, limit=None): return self._reddit.moderators(self.display_name, limit=limit)
moderators
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=None):\n return self._reddit.moderators(self.display_name, limit=limit)\n", "role": "user" }, { "content": "moderators", "role":...
def x(self, name, text, css_class): return self._reddit.flair(self.display_name, name, text, css_class)
flair
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, text, css_class):\n return self._reddit.flair(self.display_name, name, text, css_class)\n", "role": "user" }, { "content": "flair", ...
def x(self, limit=1000, after=None, before=None): return self._reddit.flairlist(self.display_name, limit=limit, after= after, before=before)
flairlist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=1000, after=None, before=None):\n return self._reddit.flairlist(self.display_name, limit=limit, after=\n after, before=before)\n", "r...
def x(self, limit=None): return self._reddit.contributors(self.display_name, limit=limit)
contributors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=None):\n return self._reddit.contributors(self.display_name, limit=limit)\n", "role": "user" }, { "content": "contributors", "ro...
def x(self, text): data = {'thing_id': self.name, 'id': '#commentreply_{0}'.format(self. name), 'text': text} j = self._reddit.post('api', 'comment', data=data) try: return self._reddit._thingify(j['json']['data']['things'][0], path= self._path) except Exception: raise UnexpectedResponse(j)
reply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text):\n data = {'thing_id': self.name, 'id': '#commentreply_{0}'.format(self.\n name), 'text': text}\n j = self._reddit.post('api', 'commen...
def x(self, limit=None): return self._reddit.user_overview(self.name, limit=limit)
overview
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=None):\n return self._reddit.user_overview(self.name, limit=limit)\n", "role": "user" }, { "content": "overview", "role": "assis...
def x(self, limit=None): return self._reddit.user_comments(self.name, limit=limit)
comments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=None):\n return self._reddit.user_comments(self.name, limit=limit)\n", "role": "user" }, { "content": "comments", "role": "assis...
def x(self, limit=None): return self._reddit.user_submitted(self.name, limit=limit)
submitted
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=None):\n return self._reddit.user_submitted(self.name, limit=limit)\n", "role": "user" }, { "content": "submitted", "role": "ass...
def x(self, subject, text): return self._reddit.compose(self.name, subject, text)
message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subject, text):\n return self._reddit.compose(self.name, subject, text)\n", "role": "user" }, { "content": "message", "role": "assista...
def x(exc): if not __CHECKING__: return lambda f: f def x(f): def x(*args, **kwd): res = f(*args, **kwd) exc_checker.throwing(exc) return res call.__name__ = f.__name__ return call return wrap
throws
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(exc):\n if not __CHECKING__:\n return lambda f: f\n\n def x(f):\n\n def x(*args, **kwd):\n res = f(*args, **kwd)\n ex...
def x(self): conn = self._get_connection() try: self._lock(conn) yield conn finally: self._unlock(conn)
locked
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n conn = self._get_connection()\n try:\n self._lock(conn)\n yield conn\n finally:\n self._unlock(conn)\n", "role": "us...
def x(self, sql, *args, **kwargs): with self.locked() as conn: for row in conn.query(sql, *args, **kwargs): yield row
query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sql, *args, **kwargs):\n with self.locked() as conn:\n for row in conn.query(sql, *args, **kwargs):\n yield row\n", "role": "use...
def x(self, sql, *args, **kwargs): with self.locked() as conn: return conn.execute(sql, *args, **kwargs)
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sql, *args, **kwargs):\n with self.locked() as conn:\n return conn.execute(sql, *args, **kwargs)\n", "role": "user" }, { "content":...
def x(self, sql, *args, **kwargs): with self.locked() as conn: return conn.query(sql, *args, **kwargs).fetch()
fetch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sql, *args, **kwargs):\n with self.locked() as conn:\n return conn.query(sql, *args, **kwargs).fetch()\n", "role": "user" }, { "con...
def x(self, sql, *args, **kwargs): with self.locked() as conn: return conn.query(sql, *args, **kwargs).fetch_all()
fetch_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sql, *args, **kwargs):\n with self.locked() as conn:\n return conn.query(sql, *args, **kwargs).fetch_all()\n", "role": "user" }, { ...
def x(self, sql, *args, **kwargs): with self.locked() as conn: return conn.query(sql, *args, **kwargs).fetch_column()
fetch_column
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sql, *args, **kwargs):\n with self.locked() as conn:\n return conn.query(sql, *args, **kwargs).fetch_column()\n", "role": "user" }, { ...
def x(self, table, values): with self.locked() as conn: return conn.insert(table, values)
insert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table, values):\n with self.locked() as conn:\n return conn.insert(table, values)\n", "role": "user" }, { "content": "insert", ...
def x(self, table, values, identifier): with self.locked() as conn: return conn.update(table, values, identifier)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table, values, identifier):\n with self.locked() as conn:\n return conn.update(table, values, identifier)\n", "role": "user" }, { "...
def x(self, table, identifier): with self.locked() as conn: return conn.delete(table, identifier)
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table, identifier):\n with self.locked() as conn:\n return conn.delete(table, identifier)\n", "role": "user" }, { "content": "delet...
def x(data: Union[str, bytes]) ->bytes: if isinstance(data, str): return bytes(data, 'utf-8') return data
ensure_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data: Union[str, bytes]) ->bytes:\n if isinstance(data, str):\n return bytes(data, 'utf-8')\n return data\n", "role": "user" }, { "con...
def x(data: Union[str, bytes]) ->str: if isinstance(data, bytes): return str(data, 'utf-8') return data
ensure_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data: Union[str, bytes]) ->str:\n if isinstance(data, bytes):\n return str(data, 'utf-8')\n return data\n", "role": "user" }, { "conte...
def x(b1: bytes, b2: bytes) ->bytearray: result = bytearray() for i1, i2 in zip(b1, b2): result.append(i1 ^ i2) return result
xor_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(b1: bytes, b2: bytes) ->bytearray:\n result = bytearray()\n for i1, i2 in zip(b1, b2):\n result.append(i1 ^ i2)\n return result\n", "role":...
def x(self, name, params): if params: if isinstance(params, (list, tuple)): params = [jabsorb.from_jabsorb(param) for param in params] else: params = {key: jabsorb.from_jabsorb(value) for key, value in params.items()} return super(JabsorbRpcDispatcher, self)._simple_dispatch(name, params)
simple_dispatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, params):\n if params:\n if isinstance(params, (list, tuple)):\n params = [jabsorb.from_jabsorb(param) for param in params]\n ...
def x(src, raw=False, filename='<compiler>', loader=None, **kwargs): parser = Parser(src, loader=loader) parser.load_library('knights.tags') parser.load_library('knights.helpers') parser.build_method('_root') if parser.parent: parser.methods = [method for method in parser.methods if method. name != '_root'] klass = parser.build_class() inst = ast.Module(body=[klass]) ast.fix_missing_locations(inst) if kwargs.get('astor', False): import astor print(astor.to_source(inst)) code = compile(inst, filename=filename, mode='exec', optimize=2) g = {'_': Helpers(parser.helpers), 'parent': parser.parent, 'ContextScope': ContextScope} eval(code, g) klass = g['Template'] if raw: return klass return klass()
kompile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(src, raw=False, filename='<compiler>', loader=None, **kwargs):\n parser = Parser(src, loader=loader)\n parser.load_library('knights.tags')\n parser.lo...
def x(source_string): countTo = int(len(source_string) / 2) * 2 sum = 0 count = 0 loByte = 0 hiByte = 0 while count < countTo: if sys.byteorder == 'little': loByte = source_string[count] hiByte = source_string[count + 1] else: loByte = source_string[count + 1] hiByte = source_string[count] sum = sum + (ord(hiByte) * 256 + ord(loByte)) count += 2 if countTo < len(source_string): loByte = source_string[len(source_string) - 1] sum += ord(loByte) sum &= 4294967295 sum = (sum >> 16) + (sum & 65535) sum += sum >> 16 answer = ~sum & 65535 answer = socket.htons(answer) return answer
calculate_checksum
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source_string):\n countTo = int(len(source_string) / 2) * 2\n sum = 0\n count = 0\n loByte = 0\n hiByte = 0\n while count < countTo:\n ...
def x(self, signum, frame): self.print_exit() print('\n(Terminated with signal %d)\n' % signum) sys.exit(0)
signal_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, signum, frame):\n self.print_exit()\n print('\\n(Terminated with signal %d)\\n' % signum)\n sys.exit(0)\n", "role": "user" }, { "con...
def x(self, names, struct_format, data): unpacked_data = struct.unpack(struct_format, data) return dict(zip(names, unpacked_data))
header2dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, names, struct_format, data):\n unpacked_data = struct.unpack(struct_format, data)\n return dict(zip(names, unpacked_data))\n", "role": "user" ...
def x(self, current_socket): checksum = 0 header = struct.pack('!BBHHH', ICMP_ECHO, 0, checksum, self.own_id, self.seq_number) padBytes = [] startVal = 66 for i in range(startVal, startVal + self.packet_size): padBytes += [i & 255] data = bytes(padBytes) checksum = calculate_checksum(header + data) header = struct.pack('!BBHHH', ICMP_ECHO, 0, checksum, self.own_id, self.seq_number) packet = header + data send_time = default_timer() try: current_socket.sendto(packet, (self.destination, 1)) except socket.error as e: print('General failure (%s)' % e.args[1]) current_socket.close() return return send_time
send_one_ping
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, current_socket):\n checksum = 0\n header = struct.pack('!BBHHH', ICMP_ECHO, 0, checksum, self.own_id,\n self.seq_number)\n padBytes = []\...
def x(self, current_socket): timeout = self.timeout / 1000.0 while True: select_start = default_timer() inputready, outputready, exceptready = select.select([ current_socket], [], [], timeout) select_duration = default_timer() - select_start if inputready == []: return None, 0, 0, 0, 0 receive_time = default_timer() packet_data, address = current_socket.recvfrom(ICMP_MAX_RECV) icmp_header = self.header2dict(names=['type', 'code', 'checksum', 'packet_id', 'seq_number'], struct_format='!BBHHH', data= packet_data[20:28]) if icmp_header['packet_id'] == self.own_id: ip_header = self.header2dict(names=['version', 'type', 'length', 'id', 'flags', 'ttl', 'protocol', 'checksum', 'src_ip', 'dest_ip'], struct_format='!BBHHHBBHII', data=packet_data[:20]) packet_size = len(packet_data) - 28 ip = socket.inet_ntoa(struct.pack('!I', ip_header['src_ip'])) return receive_time, packet_size, ip, ip_header, icmp_header timeout = timeout - select_duration if timeout <= 0: return None, 0, 0, 0, 0
receive_one_ping
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, current_socket):\n timeout = self.timeout / 1000.0\n while True:\n select_start = default_timer()\n inputready, outputready, exceptre...
def x(self, peer): for access in peer.accesses: if access.type == 'mqtt': break else: return None server = access.server.host, access.server.port with self.__lock: try: return self._links[server] except KeyError: link = self._links[server] = MQTTLink(access) return link
get_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, peer):\n for access in peer.accesses:\n if access.type == 'mqtt':\n break\n else:\n return None\n server = access.serve...
def x(exit_code=0): core.processExitHooks() if state.isExitHooked and not hasattr(sys, 'exitfunc'): sys.stderr.flush() sys.stdout.flush() os._exit(exit_code) sys.exit(exit_code)
exit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(exit_code=0):\n core.processExitHooks()\n if state.isExitHooked and not hasattr(sys, 'exitfunc'):\n sys.stderr.flush()\n sys.stdout.flush()...
def x(Argv): first_kwarg_pos = 0 for arg in Argv: if KWARG_VALIDATOR.search(arg): break else: first_kwarg_pos += 1 for arg in Argv[first_kwarg_pos:]: if not KWARG_VALIDATOR.search(arg): raise HandledException('Could not parse the arg "%s".' % arg) return Argv[:first_kwarg_pos], list2dict(Argv[first_kwarg_pos:])
getDigestableArgs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(Argv):\n first_kwarg_pos = 0\n for arg in Argv:\n if KWARG_VALIDATOR.search(arg):\n break\n else:\n first_kwarg_pos +...
def x(TargetGroup): Members = [] for Member in TargetGroup.Members.values(): if Member not in Members: Members.append(Member) Ret = [] for Member in Members: Config = Member.Config Ret.append(('%s%s' % (Config['name'], ', %s' % Config['alias'] if 'alias' in Config else ''), Config.get('desc', ''))) return Ret
listMemberHelps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(TargetGroup):\n Members = []\n for Member in TargetGroup.Members.values():\n if Member not in Members:\n Members.append(Member)\n Re...
def x(_type): if isinstance(_type, CustomType): return str(_type) if hasattr(_type, '__name__'): return _type.__name__ return ''
getTypeStr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(_type):\n if isinstance(_type, CustomType):\n return str(_type)\n if hasattr(_type, '__name__'):\n return _type.__name__\n return ''\n",...
def x(ArgConfig): _type = ArgConfig.get('type') if _type: if hasattr(_type, '__ec_config__'): _type.__ec_config__(ArgConfig) if not 'type_str' in ArgConfig: ArgConfig['type_str'] = (_type.__name__ if isinstance(_type, type) else 'unspecified type') if _type else 'str' if not 'desc' in ArgConfig: ArgConfig['desc'] = ArgConfig['name'] return ArgConfig
reconfigArg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ArgConfig):\n _type = ArgConfig.get('type')\n if _type:\n if hasattr(_type, '__ec_config__'):\n _type.__ec_config__(ArgConfig)\n if ...
def x(**Config): _type = Config.get('type') while True: try: got = raw_input('%s: ' % getLabel(Config)) except EOFError: got = None if not got and 'default' in Config: return Config['default'] try: return _type(got) if _type else got except ValueError as e: err(str(e) or '<invalid value>') except TypeError: err(str(e) or '<invalid value>')
gatherInput
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**Config):\n _type = Config.get('type')\n while True:\n try:\n got = raw_input('%s: ' % getLabel(Config))\n except EOFError:\n ...
def x(_Task): Ret = [] for k in ['name', 'desc']: v = _Task.Config.get(k) if v is not None: Ret.append('%s: %s' % (k, v)) Args = _Task.Args if Args: Ret.append('\nArgs:') for argName, Arg in Args.items(): Ret.append(' %s: %s' % (argName, Arg.get('desc', Arg['type_str'])) ) Ret.append('') return '\n'.join(Ret).rstrip()
getTaskHelp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(_Task):\n Ret = []\n for k in ['name', 'desc']:\n v = _Task.Config.get(k)\n if v is not None:\n Ret.append('%s: %s' % (k, v))\n ...
def x(venv, base, site_packages, args): if base and not os.path.isabs(venv) and not venv.startswith('~'): base = os.path.expanduser(base) if os.path.isabs(base): venv = os.path.join(base, venv) if venv.startswith('~'): venv = os.path.expanduser(venv) if not os.path.exists(venv): try: import virtualenv except ImportError: print('The virtual environment does not exist: %s' % venv) print( 'and virtualenv is not installed, so a new environment cannot be created' ) sys.exit(3) print('Creating new virtualenv environment in %s' % venv) virtualenv.logger = logger logger.indent += 2 virtualenv.create_environment(venv, site_packages=site_packages) if sys.platform == 'win32': python = os.path.join(venv, 'Scripts', 'python.exe') if not os.path.exists(python): python = os.path.join(venv, 'bin', 'python.exe') else: python = os.path.join(venv, 'bin', 'python') if not os.path.exists(python): python = venv if not os.path.exists(python): raise BadCommand( 'Cannot find virtual environment interpreter at %s' % python) base = os.path.dirname(os.path.dirname(python)) file = os.path.join(os.path.dirname(__file__), 'runner.py') if file.endswith('.pyc'): file = file[:-1] proc = subprocess.Popen([python, file] + args + [base, '___VENV_RESTART___']) proc.wait() sys.exit(proc.returncode)
restart_in_venv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(venv, base, site_packages, args):\n if base and not os.path.isabs(venv) and not venv.startswith('~'):\n base = os.path.expanduser(base)\n if o...
async def history(client: Client, pubkey: str) ->dict: """ Get transactions history of public key :param client: Client to connect to the api :param pubkey: Public key :return: """ return await client.get(MODULE + '/history/%s' % pubkey, schema= HISTORY_SCHEMA)
history
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def history(client: Client, pubkey: str) ->dict:\n \"\"\"\n Get transactions history of public key\n\n :param client: Client to connect to the api\n ...
async def process(client: Client, transaction_signed_raw: str ) ->ClientResponse: """ POST a transaction raw document :param client: Client to connect to the api :param transaction_signed_raw: Transaction signed raw document :return: """ return await client.post(MODULE + '/process', {'transaction': transaction_signed_raw}, rtype=RESPONSE_AIOHTTP)
process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def process(client: Client, transaction_signed_raw: str\n ) ->ClientResponse:\n \"\"\"\n POST a transaction raw document\n\n :param client: Client ...
async def sources(client: Client, pubkey: str) ->dict: """ GET transaction sources :param client: Client to connect to the api :param pubkey: Public key :return: """ return await client.get(MODULE + '/sources/%s' % pubkey, schema= SOURCES_SCHEMA)
sources
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def sources(client: Client, pubkey: str) ->dict:\n \"\"\"\n GET transaction sources\n\n :param client: Client to connect to the api\n :param pubkey...
async def blocks(client: Client, pubkey: str, start: int, end: int) ->dict: """ GET public key transactions history between start and end block number :param client: Client to connect to the api :param pubkey: Public key :param start: Start from block number :param end: End to block number :return: """ return await client.get(MODULE + '/history/%s/blocks/%s/%s' % (pubkey, start, end), schema=HISTORY_SCHEMA)
blocks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def blocks(client: Client, pubkey: str, start: int, end: int) ->dict:\n \"\"\"\n GET public key transactions history between start and end block number\n...
def x(self, root, parents): parser = root.add_parser('report', parents=parents) parser.set_defaults(func=self) parser.add_argument('--auth', dest='auth', action='store', help= 'Path to the authorized credentials file (analytics.dat).') parser.add_argument('--title', dest='title', action='store', help= 'User-friendly title for your report.') parser.add_argument('--property-id', dest='property-id', action='store', help='Google Analytics ID of the property to query.') parser.add_argument('--start-date', dest='start-date', action='store', help='Start date for the query in YYYY-MM-DD format.') parser.add_argument('--end-date', dest='end-date', action='store', help ='End date for the query in YYYY-MM-DD format. Supersedes --ndays.') parser.add_argument('--ndays', dest='ndays', action='store', type=int, help= 'The number of days from the start-date to query. Requires start-date. Superseded by end-date.' ) parser.add_argument('--domain', dest='domain', action='store', help= 'Restrict results to only urls with this domain.') parser.add_argument('--prefix', dest='prefix', action='store', help= 'Restrict results to only urls with this prefix.') parser.add_argument('input_path', action='store', help= 'Path to either a YAML configuration file or pre-reported JSON data.') parser.add_argument('output_path', action='store', help= 'Path to output either an HTML report or a JSON data file.') return parser
add_argparser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, root, parents):\n parser = root.add_parser('report', parents=parents)\n parser.set_defaults(func=self)\n parser.add_argument('--auth', dest='aut...
def x(self, start_date, ndays): if not getattr(self.args, 'start-date') and not self.config.get( 'start-date', None): raise Exception('start-date must be provided when ndays is used.') d = date(*map(int, start_date.split('-'))) d += timedelta(days=ndays) return d.strftime('%Y-%m-%d')
ndays
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start_date, ndays):\n if not getattr(self.args, 'start-date') and not self.config.get(\n 'start-date', None):\n raise Exception('start-d...
def x(self, start_date=None, end_date=None, ndays=None, metrics=[], dimensions=[], filters=None, segment=None, sort=[], start_index=1, max_results=10): if start_date: start_date = start_date elif getattr(self.args, 'start-date'): start_date = getattr(self.args, 'start-date') elif self.config.get('start-date', None): start_date = self.config['start-date'] else: start_date = '2005-01-01' if end_date: end_date = end_date elif getattr(self.args, 'end-date'): end_date = getattr(self.args, 'end-date') elif self.config.get('end-date', None): end_date = self.config['end-date'] elif ndays: end_date = self._ndays(start_date, ndays) elif self.args.ndays: end_date = self._ndays(start_date, self.args.ndays) elif self.config.get('ndays', None): end_date = self._ndays(start_date, self.config['ndays']) else: end_date = 'today' if self.args.domain: domain = self.args.domain elif self.config.get('domain', None): domain = self.config['domain'] else: domain = None if domain: domain_filter = 'ga:hostname==%s' % domain if filters: filters = '%s;%s' % (domain_filter, filters) else: filters = domain_filter if self.args.prefix: prefix = self.args.prefix elif self.config.get('prefix', None): prefix = self.config['prefix'] else: prefix = None if prefix: prefix_filter = 'ga:pagePath=~^%s' % prefix if filters: filters = '%s;%s' % (prefix_filter, filters) else: filters = prefix_filter return self.service.data().ga().get(ids='ga:' + self.config[ 'property-id'], start_date=start_date, end_date=end_date, metrics= ','.join(metrics) or None, dimensions=','.join(dimensions) or None, filters=filters, segment=segment, sort=','.join(sort) or None, start_index=str(start_index), max_results=str(max_results)).execute()
query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start_date=None, end_date=None, ndays=None, metrics=[],\n dimensions=[], filters=None, segment=None, sort=[], start_index=1,\n max_results=10):\n ...
def x(self, report, f): env = Environment(loader=PackageLoader('clan', 'templates')) template = env.get_template('report.html') context = {'report': report, 'GLOBAL_ARGUMENTS': GLOBAL_ARGUMENTS, 'field_definitions': self.field_definitions, 'format_comma': format_comma, 'format_duration': format_duration, 'format_percent': format_percent} f.write(template.render(**context).encode('utf-8'))
html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, report, f):\n env = Environment(loader=PackageLoader('clan', 'templates'))\n template = env.get_template('report.html')\n context = {'report': r...
def x(exe_name: str, *paths: str): if not elib_run.find_executable(exe_name, *paths): LOGGER.error('could not find "%s.exe" on this system', exe_name) sys.exit(-1)
ensure_exe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(exe_name: str, *paths: str):\n if not elib_run.find_executable(exe_name, *paths):\n LOGGER.error('could not find \"%s.exe\" on this system', exe_name...
def x(self, query_params: dict, html: str, login_data: dict ) ->requests.Response: check_url = get_base_url(html) captcha_url = '{}?s={}&sid={}'.format(self.CAPTCHA_URI, query_params[ 's'], query_params['sid']) login_data['captcha_sid'] = query_params['sid'] login_data['captcha_key'] = input(self.CAPTCHA_INPUT_PROMPT.format( captcha_url)) return self.post(check_url, login_data)
handle_captcha
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query_params: dict, html: str, login_data: dict\n ) ->requests.Response:\n check_url = get_base_url(html)\n captcha_url = '{}?s={}&sid={}'.forma...
def x(self, html: str) ->requests.Response: action_url = get_base_url(html) code = input(self.TWO_FACTOR_PROMPT).strip() data = {'code': code, '_ajax': '1', 'remember': '1'} post_url = '/'.join((self.LOGIN_URL, action_url)) return self.post(post_url, data)
handle_two_factor_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, html: str) ->requests.Response:\n action_url = get_base_url(html)\n code = input(self.TWO_FACTOR_PROMPT).strip()\n data = {'code': code, '_ajax'...
def x(self, html: str) ->requests.Response: action_url = get_base_url(html) phone_number = input(self.PHONE_PROMPT) url_params = get_url_params(action_url) data = {'code': phone_number, 'act': 'security_check', 'hash': url_params['hash']} post_url = '/'.join((self.LOGIN_URL, action_url)) return self.post(post_url, data)
handle_phone_number_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, html: str) ->requests.Response:\n action_url = get_base_url(html)\n phone_number = input(self.PHONE_PROMPT)\n url_params = get_url_params(action...
def x(self, url_params: dict, html: str, login_data: dict) ->None: action_response = '' if 'sid' in url_params: action_response = self.handle_captcha(url_params, html, login_data) elif 'authcheck' in url_params: action_response = self.handle_two_factor_check(html) elif 'security_check' in url_params: action_response = self.handle_phone_number_check(html) if action_response: check_page_for_warnings(action_response.text)
check_for_additional_actions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url_params: dict, html: str, login_data: dict) ->None:\n action_response = ''\n if 'sid' in url_params:\n action_response = self.handle_capt...
def x(self) ->bool: response = self.get(self.LOGIN_URL) login_url = get_base_url(response.text) login_data = {'email': self._login, 'pass': self._password} login_response = self.post(login_url, login_data) url_params = get_url_params(login_response.url) self.check_for_additional_actions(url_params, login_response.text, login_data) if 'remixsid' in self.cookies or 'remixsid6' in self.cookies: return True
login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->bool:\n response = self.get(self.LOGIN_URL)\n login_url = get_base_url(response.text)\n login_data = {'email': self._login, 'pass': self._pass...
def x(self) ->dict: oauth_data = {'client_id': self._app_id, 'display': 'mobile', 'response_type': 'token', 'scope': '+66560', 'v': self.API_VERSION} response = self.post(self.OAUTH_URL, oauth_data) url_params = get_url_params(response.url, fragment=True) if 'access_token' in url_params: return url_params action_url = get_base_url(response.text) if action_url: response = self.get(action_url) return get_url_params(response.url) response_json = response.json() if 'error' in response_json['error']: exception_msg = '{}: {}'.format(response_json['error'], response_json['error_description']) raise VVKAuthException(exception_msg)
auth_oauth2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->dict:\n oauth_data = {'client_id': self._app_id, 'display': 'mobile',\n 'response_type': 'token', 'scope': '+66560', 'v': self.API_VERSION}\n...
def x(self) ->str: if self._service_token: return self._service_token if self._app_id and self._login and self._password: try: if self.login(): url_params = self.auth_oauth2() if 'access_token' in url_params: return url_params['access_token'] finally: self.close()
get_access_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n if self._service_token:\n return self._service_token\n if self._app_id and self._login and self._password:\n try:\n ...
def x(self, method: str, method_params: dict) ->dict: url = '/'.join((self.METHOD_URL, method)) method_params['v'] = self.API_VERSION if self._access_token: method_params['access_token'] = self._access_token response = self.post(url, method_params, timeout=10) response.raise_for_status() return json.loads(response.text)
send_method_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method: str, method_params: dict) ->dict:\n url = '/'.join((self.METHOD_URL, method))\n method_params['v'] = self.API_VERSION\n if self._access_...
def x(self, net_sizes, epochs, batchsize): self.trainer = ClassificationTrainer(self.data, self.targets, net_sizes) self.trainer.learn(epochs, batchsize) return self.trainer.evaluate(batchsize)
train
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, net_sizes, epochs, batchsize):\n self.trainer = ClassificationTrainer(self.data, self.targets, net_sizes)\n self.trainer.learn(epochs, batchsize)\n...
def x(self, phrase, cut_to_len=True): if len(phrase) > self.max_phrase_len: if not cut_to_len: raise Exception('Phrase too long.') phrase = phrase[0:self.max_phrase_len] if self.trainer == None: raise Exception( 'Must train the classifier at least once before classifying') numbers = self.trainer.classify(stringToVector(phrase, self.vocab, self .max_vector_len)) return zip(self.targetTranslate, numbers)
classify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, phrase, cut_to_len=True):\n if len(phrase) > self.max_phrase_len:\n if not cut_to_len:\n raise Exception('Phrase too long.')\n ...
def x(self, phrase, cut_to_len=True): if len(phrase) > self.max_phrase_len: if not cut_to_len: raise Exception('Phrase too long.') phrase = phrase[0:self.max_phrase_len] numbers = self.classifier.classify(stringToVector(phrase, self.vocab, self.max_vector_len)) return zip(self.targets, numbers)
classify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, phrase, cut_to_len=True):\n if len(phrase) > self.max_phrase_len:\n if not cut_to_len:\n raise Exception('Phrase too long.')\n ...
def x(cmd, path=None, pathext=None): if path is None: path = os.environ.get('PATH', '').split(os.pathsep) if isinstance(path, string_types): path = [path] if pathext is None: pathext = os.environ.get('PATHEXT', '.COM;.EXE;.BAT;.CMD') pathext = pathext.split(os.pathsep) for ext in pathext: if cmd.endswith(ext): pathext = [''] break for p in path: f = os.path.join(p, cmd) if os.path.isfile(f): return f for ext in pathext: fext = f + ext if os.path.isfile(fext): return fext return None
find_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cmd, path=None, pathext=None):\n if path is None:\n path = os.environ.get('PATH', '').split(os.pathsep)\n if isinstance(path, string_types):\n ...
def x(extensions=None, ignored=None): extensions = extensions or () ignored = ignored or ('py',) ext_list = [] for ext in extensions: ext_list.extend(ext.replace(' ', '').split(',')) for i, ext in enumerate(ext_list): if not ext.startswith('.'): ext_list[i] = '.%s' % ext_list[i] return set([x for x in ext_list if x.strip('.') not in ignored])
handle_extensions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(extensions=None, ignored=None):\n extensions = extensions or ()\n ignored = ignored or ('py',)\n ext_list = []\n for ext in extensions:\n ex...