source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(parent): components = [] for tag in parent.children: matched = parse_tag(tag) if matched: components.append(matched) elif hasattr(tag, 'contents'): components += parse_children(tag) return components
parse_children
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parent):\n components = []\n for tag in parent.children:\n matched = parse_tag(tag)\n if matched:\n components.append(matched)\n...
def x(self, path): file_handle = open(path, 'wb') file_handle.write(self._file_contents) file_handle.close()
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n file_handle = open(path, 'wb')\n file_handle.write(self._file_contents)\n file_handle.close()\n", "role": "user" }, { "cont...
def x(self, assignment_id, end_time=None, start_time=None): path = {} data = {} params = {} """ID""" path['assignment_id'] = assignment_id """The beginning of the time range from which you want events.""" if start_time is not None: params['start_time'] = start_time """The end of the time range from which you want events.""" if end_time is not None: params['end_time'] = end_time self.logger.debug( 'GET /api/v1/audit/grade_change/assignments/{assignment_id} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/audit/grade_change/assignments/{assignment_id}'.format(** path), data=data, params=params, all_pages=True)
query_by_assignment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, assignment_id, end_time=None, start_time=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['assignment_id'] = assignmen...
def x(self, student_id, end_time=None, start_time=None): path = {} data = {} params = {} """ID""" path['student_id'] = student_id """The beginning of the time range from which you want events.""" if start_time is not None: params['start_time'] = start_time """The end of the time range from which you want events.""" if end_time is not None: params['end_time'] = end_time self.logger.debug( 'GET /api/v1/audit/grade_change/students/{student_id} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/audit/grade_change/students/{student_id}'.format(**path), data=data, params=params, all_pages=True)
query_by_student
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, student_id, end_time=None, start_time=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['student_id'] = student_id\n ...
def x(self, grader_id, end_time=None, start_time=None): path = {} data = {} params = {} """ID""" path['grader_id'] = grader_id """The beginning of the time range from which you want events.""" if start_time is not None: params['start_time'] = start_time """The end of the time range from which you want events.""" if end_time is not None: params['end_time'] = end_time self.logger.debug( 'GET /api/v1/audit/grade_change/graders/{grader_id} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/audit/grade_change/graders/{grader_id}'.format(**path), data=data, params=params, all_pages=True)
query_by_grader
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, grader_id, end_time=None, start_time=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['grader_id'] = grader_id\n \"...
def x(argv=None): if argv is None: argv = sys.argv[1:] usage = '\n\n\n'.join(__doc__.split('\n\n\n')[1:]) version = 'Nosey ' + __version__ args = docopt(usage, argv=argv, version=version) return watch(args['<directory>'], args['--clear'])
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(argv=None):\n if argv is None:\n argv = sys.argv[1:]\n usage = '\\n\\n\\n'.join(__doc__.split('\\n\\n\\n')[1:])\n version = 'Nosey ' + __versio...
def x(self, mime_type): if isinstance(self._app_iter, BinaryResponse): self.logger.info('ignoring setting serializer for binary response') return for available_serializer in self._serializers: if available_serializer.content_type() == mime_type: self._selected_serializer = available_serializer self.logger.info('set serializer for mime type: %s' % mime_type) return self.logger.info('could not find serializer for mime type: %s' % mime_type) raise exception.UnsupportedVocabularyError(mime_type, self. supported_mime_types_str)
set_serializer_by_mime_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mime_type):\n if isinstance(self._app_iter, BinaryResponse):\n self.logger.info('ignoring setting serializer for binary response')\n ret...
def x(self, serializers): for new_serializer in serializers: if not isinstance(new_serializer, serializer.Base): msg = ( 'registered serializer %s.%s does not inherit from prestans.serializer.Serializer' % (new_serializer.__module__, new_serializer.__class__. __name__)) raise TypeError(msg) self._serializers = self._serializers + serializers
register_serializers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, serializers):\n for new_serializer in serializers:\n if not isinstance(new_serializer, serializer.Base):\n msg = (\n ...
def x(self): if not self.total: return False if not self.contributor.freelanceprofile.is_freelance: return False return True
is_valid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.total:\n return False\n if not self.contributor.freelanceprofile.is_freelance:\n return False\n return True\n", ...
def x(self): if self._contributions is None: self._contributions = self.contributor.contributions.filter( content__published__gte=self.start, content__published__lt=self.end ) return self._contributions
contributions
[ { "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._contributions is None:\n self._contributions = self.contributor.contributions.filter(\n content__published__gte=self.sta...
def x(self): if self._line_items is None: self._line_items = self.contributor.line_items.filter( payment_date__range=(self.start, self.end)) return self._line_items
line_items
[ { "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._line_items is None:\n self._line_items = self.contributor.line_items.filter(\n payment_date__range=(self.start, self.end...
def x(self): if not self._deadline: self._deadline = self.now + timezone.timedelta(days=1) return self._deadline
deadline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self._deadline:\n self._deadline = self.now + timezone.timedelta(days=1)\n return self._deadline\n", "role": "user" }, { ...
def x(self, contributor): ContributorReport(contributor, month=self.month, year=self.year, deadline=self._deadline, start=self._start, end=self._end).send()
send_contributor_email
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, contributor):\n ContributorReport(contributor, month=self.month, year=self.year,\n deadline=self._deadline, start=self._start, end=self._end).s...
def x(self): for contributor in self.contributors: if contributor.email not in EMAIL_SETTINGS.get('EXCLUDED', []): self.send_contributor_email(contributor)
send_mass_contributor_emails
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for contributor in self.contributors:\n if contributor.email not in EMAIL_SETTINGS.get('EXCLUDED', []):\n self.send_contributor_e...
def x(self): return User.objects.filter(freelanceprofile__is_freelance=True).filter( contributions__content__published__gte=self.start, contributions__content__published__lt=self.end).distinct()
get_contributors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return User.objects.filter(freelanceprofile__is_freelance=True).filter(\n contributions__content__published__gte=self.start,\n contri...
def x(self): if not self._contributors: self._contributors = self.get_contributors() return self._contributors
contributors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self._contributors:\n self._contributors = self.get_contributors()\n return self._contributors\n", "role": "user" }, { ...
def x(self, size=0, configure=None): self._strategies = [] clingo = gringo.Control(['-c maxsize=%s' % size]) clingo.conf.solve.models = '0' if configure: def x(args, proxy): for i in xrange(args.threads): proxy.solver[i].no_lookback = 'false' proxy.solver[i].heuristic = 'domain' proxy.solver[i].dom_mod = '5,16' configure(clingo.conf, overwrite) else: clingo.conf.solver.no_lookback = 'false' clingo.conf.solver.heuristic = 'domain' clingo.conf.solver.dom_mod = '5,16' clingo.conf.solve.enum_mode = 'domRec' clingo.add('base', [], self.instance) clingo.load(self.encodings['control']) clingo.ground([('base', [])]) clingo.solve(on_model=self.__save__) self.stats['time_optimum'] = clingo.stats['time_solve'] self.stats['time_enumeration'] = clingo.stats['time_total'] self._logger.info('%s optimal intervention strategies found in %.4fs', len(self._strategies), self.stats['time_enumeration']) self.strategies = core.ClampingList(self._strategies)
control
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, size=0, configure=None):\n self._strategies = []\n clingo = gringo.Control(['-c maxsize=%s' % size])\n clingo.conf.solve.models = '0'\n if co...
def x(self, url, stale_after, parse_as_html=True, **kwargs): _LOGGER.info('open_url() received url: %s', url) today = datetime.date.today() threshold_date = today - datetime.timedelta(stale_after) downloaded = False with self._get_conn() as conn: rs = conn.execute( """ select content from cache where url = ? and date > ? """ , (url, _date_to_sqlite_str(threshold_date))) row = rs.fetchone() retry_run = kwargs.get('retry_run', False) assert not retry_run or retry_run and row is None if row is None: file_obj = self._download(url).get_file_obj() downloaded = True else: file_obj = cStringIO.StringIO(zlib.decompress(row[0])) if parse_as_html: tree = lxml.html.parse(file_obj) tree.getroot().url = url appears_to_be_banned = False if self.does_show_ban(tree.getroot()): appears_to_be_banned = True if downloaded: message = ( 'Function {f} claims we have been banned, it was called with an element parsed from url (downloaded, not from cache): {u}' .format(f=self.does_show_ban, u=url)) _LOGGER.error(message) _LOGGER.info( 'Deleting url %s from the cache (if it exists) because it triggered ban page cache poisoning exception' , url) with self._get_conn() as conn: conn.execute('delete from cache where url = ?', [str(url)]) if downloaded: raise BannedException(message) else: return self.open_url(url, stale_after, retry_run=True) else: tree = file_obj.read() if downloaded: if parse_as_html: tree.getroot().make_links_absolute(tree.getroot().base_url) to_store = lxml.html.tostring(tree, pretty_print=True, encoding ='utf-8') else: to_store = tree to_store = zlib.compress(to_store, 8) with self._get_conn() as conn: conn.execute( """ insert or replace into cache (url, date, content) values (?, ?, ?) """ , (str(url), _date_to_sqlite_str(today), sqlite3.Binary( to_store))) return tree
open_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, stale_after, parse_as_html=True, **kwargs):\n _LOGGER.info('open_url() received url: %s', url)\n today = datetime.date.today()\n threshold_...
def x(self, xpaths): for xpathi, xpath in enumerate(xpaths): try: return self.xpath(xpath, [1, 1])[0] except UnexpectedContentException as e: if xpathi == len(xpaths) - 1: raise
xpath_pick_one
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, xpaths):\n for xpathi, xpath in enumerate(xpaths):\n try:\n return self.xpath(xpath, [1, 1])[0]\n except UnexpectedContentExc...
def x(self, obj): return Content.objects.get(id=obj.content.id).title
get_content_title
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj):\n return Content.objects.get(id=obj.content.id).title\n", "role": "user" }, { "content": "get_content_title", "role": "assistant...
def x(self): dt = DATA_TYPES['date'] if type(self.data) is dt['type'] and '-' in str(self.data) and str(self .data).count('-') == 2: date_split = str(self.data).split('-') y, m, d = date_split[0], date_split[1], date_split[2] valid_year, valid_months, valid_days = int(y) in YEARS, int(m ) in MONTHS, int(d) in DAYS if all(i is True for i in (valid_year, valid_months, valid_days)): self.type = 'date'.upper() self.len = None return True
is_date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n dt = DATA_TYPES['date']\n if type(self.data) is dt['type'] and '-' in str(self.data) and str(self\n .data).count('-') == 2:\n date...
def x(self): dt = DATA_TYPES['time'] if type(self.data) is dt['type'] and ':' in str(self.data) and str(self .data).count(':') == 2: date_split = str(self.data).split(':') h, m, s = date_split[0], date_split[1], date_split[2] valid_hour, valid_min, valid_sec = int(h) in HOURS, int(m ) in MINUTES, int(float(s)) in SECONDS if all(i is True for i in (valid_hour, valid_min, valid_sec)): self.type = 'time'.upper() self.len = None return True
is_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n dt = DATA_TYPES['time']\n if type(self.data) is dt['type'] and ':' in str(self.data) and str(self\n .data).count(':') == 2:\n date...
def x(self): dt = DATA_TYPES['year'] if dt['min'] and dt['max']: if type(self.data) is dt['type'] and dt['min'] < self.data < dt['max']: self.type = 'year'.upper() self.len = None return True
is_year
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n dt = DATA_TYPES['year']\n if dt['min'] and dt['max']:\n if type(self.data) is dt['type'] and dt['min'] < self.data < dt['max']:\n ...
def x(self, data_type): dt = DATA_TYPES[data_type] if isinstance(self.data, dt['type']): self.type = data_type.upper() self.len = None return True
is_date_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data_type):\n dt = DATA_TYPES[data_type]\n if isinstance(self.data, dt['type']):\n self.type = data_type.upper()\n self.len = None\n ...
def x(self, timeout=None): if timeout is None: timeout = self._timeout with self._cond: self._enter() index = self._count self._count += 1 try: if index + 1 == self._parties: self._release() else: self._wait(timeout) return index finally: self._count -= 1 self._exit()
wait
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=None):\n if timeout is None:\n timeout = self._timeout\n with self._cond:\n self._enter()\n index = self._count\n ...
def x(self): with self._cond: if self._count > 0: if self._state == 0: self._state = -1 elif self._state == -2: self._state = -1 else: self._state = 0 self._cond.notify_all()
reset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._cond:\n if self._count > 0:\n if self._state == 0:\n self._state = -1\n elif self._state == ...
def x(self, request, *args, **kwargs): self.object = self.get_object() allow_anonymous = kwargs.get('allow_anonymous', False) if self.redirect_correct_path and not allow_anonymous: if self.request.path != self.object.get_absolute_url(): return HttpResponsePermanentRedirect(self.object.get_absolute_url() ) context = self.get_context_data(object=self.object) response = self.render_to_response(context) if self.object.published is None or self.object.published > timezone.now(): if not request.user.is_staff and not allow_anonymous: response = redirect_unpublished_to_login_or_404(request=request, next_url=self.object.get_absolute_url(), next_params= request.GET) add_never_cache_headers(response) else: response['Vary'] = 'Accept-Encoding' return response
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, *args, **kwargs):\n self.object = self.get_object()\n allow_anonymous = kwargs.get('allow_anonymous', False)\n if self.redirect_correct...
def x(value): if not value: return True, '' try: host, port = value.split(':') except ValueError as _: return False, 'value needs to be <host>:<port>' try: int(port) except ValueError as _: return False, 'port component of the host address needs to be a number' return True, ''
host
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if not value:\n return True, ''\n try:\n host, port = value.split(':')\n except ValueError as _:\n return False, 'value...
def x(): desktop_env = system.get_name() if desktop_env in ['gnome', 'unity', 'cinnamon', 'pantheon', 'mate']: SCHEMA = 'org.gnome.desktop.background' KEY = 'picture-uri' if desktop_env == 'mate': SCHEMA = 'org.mate.background' KEY = 'picture-filename' try: from gi.repository import Gio gsettings = Gio.Settings.new(SCHEMA) return gsettings.get_string(KEY).replace('file://', '') except ImportError: try: return system.get_cmd_out(['gsettings', 'get', SCHEMA, KEY] ).replace('file://', '') except: return system.get_cmd_out(['mateconftool-2', '-t', 'string', '--get', '/desktop/mate/background/picture_filename'] ).replace('file://', '') elif desktop_env == 'gnome2': args = ['gconftool-2', '-t', 'string', '--get', '/desktop/gnome/background/picture_filename'] return system.get_cmd_out(args).replace('file://', '') elif desktop_env == 'kde': conf_file = directories.get_config_file( 'plasma-org.kde.plasma.desktop-appletsrc')[0] with open(conf_file) as f: contents = f.read() contents = contents.splitlines() contents = contents[contents.index( '[Containments][8][Wallpaper][org.kde.image][General]') + 1].split( '=', 1) return contents[len(contents) - 1].strip().replace('file://', '') elif desktop_env == 'xfce4': list_of_properties = system.get_cmd_out(['xfconf-query', '-R', '-l', '-c', 'xfce4-desktop', '-p', '/backdrop']) for i in list_of_properties.split('\n'): if i.endswith('last-image') and 'workspace' in i: return system.get_cmd_out(['xfconf-query', '-c', 'xfce4-desktop', '-p', i]) elif desktop_env == 'razor-qt': desktop_conf = configparser.ConfigParser() desktop_conf_file = os.path.join(get_config_dir('razor')[0], 'desktop.conf') if os.path.isfile(desktop_conf_file): config_option = 'screens\\1\\desktops\\1\\wallpaper' else: desktop_conf_file = os.path.join(os.path.expanduser('~'), '.razor/desktop.conf') config_option = 'desktops\\1\\wallpaper' desktop_conf.read(os.path.join(desktop_conf_file)) try: if desktop_conf.has_option('razor', config_option): return desktop_conf.get('razor', config_option) except: pass elif desktop_env in ['fluxbox', 'jwm', 'openbox', 'afterstep', 'i3']: with open(os.path.expanduser('~/.fehbg')) as f: fehbg = f.read() fehbg = fehbg.split('\n') for line in fehbg: if '#!' in line: fehbg.remove(line) fehbg = fehbg[0] for i in fehbg.split(' '): if not i.startswith('-'): if not i.startswith('feh'): if not i in ['', ' ', ' ', '\n']: return i.replace("'", '') elif desktop_env == 'icewm': with open(os.path.expanduser('~/.icewm/preferences')) as f: for line in f: if line.startswith('DesktopBackgroundImage'): return os.path.expanduser(line.strip().split('=', 1)[1] .strip().replace('"', '').replace("'", '')) elif desktop_env == 'awesome': conf_file = os.path.join(directories.get_config_dir('awesome')[0], 'rc.lua') with open(conf_file) as f: for line in f: if line.startswith('theme_path'): awesome_theme = line.strip().split('=', 1) awesome_theme = awesome_theme[len(awesome_theme) - 1 ].strip().replace('"', '').replace("'", '') with open(os.path.expanduser(awesome_theme)) as f: for line in f: if line.startswith('theme.wallpaper'): awesome_wallpaper = line.strip().split('=', 1) awesome_wallpaper = awesome_wallpaper[len( awesome_wallpaper) - 1].strip().replace('"', '' ).replace("'", '') return os.path.expanduser(awesome_wallpaper) elif desktop_env == 'windows': WINDOWS_SCRIPT = ( 'reg query "HKEY_CURRENT_USER\\Control Panel\\Desktop\\Desktop"') return system.get_cmd_out(WINDOWS_SCRIPT) elif desktop_env == 'mac': try: from appscript import app app('Finder').desktop_picture.get() except ImportError: OSX_SCRIPT = ( 'tell app "finder" to get posix path of (get desktop picture as alias)' ) return system.get_cmd_out(['osascript', OSX_SCRIPT])
get_wallpaper
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n desktop_env = system.get_name()\n if desktop_env in ['gnome', 'unity', 'cinnamon', 'pantheon', 'mate']:\n SCHEMA = 'org.gnome.desktop.backgro...
def x(self, quiz_id, course_id, includes_all_versions=None): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """ID""" path['quiz_id'] = quiz_id """Whether to retrieve reports that consider all the submissions or only the most recent. Defaults to false, ignored for item_analysis reports.""" if includes_all_versions is not None: params['includes_all_versions'] = includes_all_versions self.logger.debug( 'GET /api/v1/courses/{course_id}/quizzes/{quiz_id}/reports with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/courses/{course_id}/quizzes/{quiz_id}/reports'.format(** path), data=data, params=params, all_pages=True)
retrieve_all_quiz_reports
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, quiz_id, course_id, includes_all_versions=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n ...
def x(self, quiz_id, course_id, quiz_report_report_type, include=None, quiz_report_includes_all_versions=None): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """ID""" path['quiz_id'] = quiz_id """The type of report to be generated.""" self._validate_enum(quiz_report_report_type, ['student_analysis', 'item_analysis']) data['quiz_report[report_type]'] = quiz_report_report_type """Whether the report should consider all submissions or only the most recent. Defaults to false, ignored for item_analysis.""" if quiz_report_includes_all_versions is not None: data['quiz_report[includes_all_versions]' ] = quiz_report_includes_all_versions """Whether the output should include documents for the file and/or progress objects associated with this report. (Note: JSON-API only)""" if include is not None: self._validate_enum(include, ['file', 'progress']) data['include'] = include self.logger.debug( 'POST /api/v1/courses/{course_id}/quizzes/{quiz_id}/reports with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/courses/{course_id}/quizzes/{quiz_id}/reports'.format(** path), data=data, params=params, single_item=True)
create_quiz_report
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, quiz_id, course_id, quiz_report_report_type, include=None,\n quiz_report_includes_all_versions=None):\n path = {}\n data = {}\n params = {}\n...
def x(self, cues=None): s = cues or list(self.stimuli + self.inhibitors) clampings = it.chain.from_iterable(it.combinations(s, r) for r in xrange(len(s) + 1)) literals_tpl = {} for stimulus in self.stimuli: literals_tpl[stimulus] = -1 for c in clampings: literals = literals_tpl.copy() for cues in c: if cues in self.stimuli: literals[cues] = 1 else: literals[cues] = -1 yield Clamping(literals.iteritems())
clampings_iter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cues=None):\n s = cues or list(self.stimuli + self.inhibitors)\n clampings = it.chain.from_iterable(it.combinations(s, r) for r in\n xrange(...
def x(self): fs = set(gringo.Fun('stimulus', [str(var)]) for var in self.stimuli) fs = fs.union(gringo.Fun('inhibitor', [str(var)]) for var in self. inhibitors) fs = fs.union(gringo.Fun('readout', [str(var)]) for var in self.readouts) return fs
to_funset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n fs = set(gringo.Fun('stimulus', [str(var)]) for var in self.stimuli)\n fs = fs.union(gringo.Fun('inhibitor', [str(var)]) for var in self.\n ...
def x(cls, filename): with open(filename) as fp: raw = json.load(fp) return cls(raw['stimuli'], raw['inhibitors'], raw['readouts'])
from_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, filename):\n with open(filename) as fp:\n raw = json.load(fp)\n return cls(raw['stimuli'], raw['inhibitors'], raw['readouts'])\n", "role"...
def x(self, filename): with open(filename, 'w') as fp: json.dump(dict(stimuli=self.stimuli, inhibitors=self.inhibitors, readouts=self.readouts), fp)
to_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n with open(filename, 'w') as fp:\n json.dump(dict(stimuli=self.stimuli, inhibitors=self.inhibitors,\n readouts=self.read...
def x(self, networks): cues = self.stimuli + self.inhibitors active_cues = set() active_readouts = set() for clause, var in networks.mappings: active_cues = active_cues.union(l for l, s in clause if l in cues) if var in self.readouts: active_readouts.add(var) return Setup(active_cues.intersection(self.stimuli), active_cues. intersection(self.inhibitors), active_readouts)
filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, networks):\n cues = self.stimuli + self.inhibitors\n active_cues = set()\n active_readouts = set()\n for clause, var in networks.mappings:\n ...
def x(self, rename_inhibitors=False): if rename_inhibitors: return self.stimuli + [(i + 'i') for i in self.inhibitors] else: return self.stimuli + self.inhibitors
cues
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rename_inhibitors=False):\n if rename_inhibitors:\n return self.stimuli + [(i + 'i') for i in self.inhibitors]\n else:\n return self....
def x(self, course_id, include_parents=None, search_term=None, selectable=None ): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """The partial name of the tools to match and return.""" if search_term is not None: params['search_term'] = search_term """If true, then only tools that are meant to be selectable are returned""" if selectable is not None: params['selectable'] = selectable """If true, then include tools installed in all accounts above the current context""" if include_parents is not None: params['include_parents'] = include_parents self.logger.debug( 'GET /api/v1/courses/{course_id}/external_tools with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/courses/{course_id}/external_tools'.format(**path), data= data, params=params, no_data=True)
list_external_tools_courses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, course_id, include_parents=None, search_term=None, selectable=None\n ):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['...
def x(self, account_id, include_parents=None, search_term=None, selectable=None ): path = {} data = {} params = {} """ID""" path['account_id'] = account_id """The partial name of the tools to match and return.""" if search_term is not None: params['search_term'] = search_term """If true, then only tools that are meant to be selectable are returned""" if selectable is not None: params['selectable'] = selectable """If true, then include tools installed in all accounts above the current context""" if include_parents is not None: params['include_parents'] = include_parents self.logger.debug( 'GET /api/v1/accounts/{account_id}/external_tools with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/accounts/{account_id}/external_tools'.format(**path), data =data, params=params, no_data=True)
list_external_tools_accounts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account_id, include_parents=None, search_term=None, selectable=None\n ):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path[...
def x(self, group_id, include_parents=None, search_term=None, selectable=None): path = {} data = {} params = {} """ID""" path['group_id'] = group_id """The partial name of the tools to match and return.""" if search_term is not None: params['search_term'] = search_term """If true, then only tools that are meant to be selectable are returned""" if selectable is not None: params['selectable'] = selectable """If true, then include tools installed in all accounts above the current context""" if include_parents is not None: params['include_parents'] = include_parents self.logger.debug( 'GET /api/v1/groups/{group_id}/external_tools with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/groups/{group_id}/external_tools'.format(**path), data= data, params=params, no_data=True)
list_external_tools_groups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, group_id, include_parents=None, search_term=None, selectable=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['group_i...
def x(self, course_id, assignment_id=None, id=None, launch_type=None, module_item_id=None, url=None): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """The external id of the tool to launch.""" if id is not None: params['id'] = id """The LTI launch url for the external tool.""" if url is not None: params['url'] = url """The assignment id for an assignment launch. Required if launch_type is set to "assessment".""" if assignment_id is not None: params['assignment_id'] = assignment_id """The assignment id for a module item launch. Required if launch_type is set to "module_item".""" if module_item_id is not None: params['module_item_id'] = module_item_id """The type of launch to perform on the external tool. Placement names (eg. "course_navigation") can also be specified to use the custom launch url for that placement; if done, the tool id must be provided.""" if launch_type is not None: self._validate_enum(launch_type, ['assessment', 'module_item']) params['launch_type'] = launch_type self.logger.debug( 'GET /api/v1/courses/{course_id}/external_tools/sessionless_launch with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/courses/{course_id}/external_tools/sessionless_launch'. format(**path), data=data, params=params, no_data=True)
get_sessionless_launch_url_for_external_tool_courses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, course_id, assignment_id=None, id=None, launch_type=None,\n module_item_id=None, url=None):\n path = {}\n data = {}\n params = {}\n \"\"\"...
def x(self, course_id, external_tool_id): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """ID""" path['external_tool_id'] = external_tool_id self.logger.debug( 'GET /api/v1/courses/{course_id}/external_tools/{external_tool_id} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/courses/{course_id}/external_tools/{external_tool_id}'. format(**path), data=data, params=params, no_data=True)
get_single_external_tool_courses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, course_id, external_tool_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n \"\"\"ID\"\"\"\n...
def x(self, account_id, external_tool_id): path = {} data = {} params = {} """ID""" path['account_id'] = account_id """ID""" path['external_tool_id'] = external_tool_id self.logger.debug( 'GET /api/v1/accounts/{account_id}/external_tools/{external_tool_id} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/accounts/{account_id}/external_tools/{external_tool_id}'. format(**path), data=data, params=params, no_data=True)
get_single_external_tool_accounts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account_id, external_tool_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['account_id'] = account_id\n \"\"\"ID\"\"\...
def x(self, key, value): self._find_lte(key) node = self._create_node(key, value) self._insert(node)
insert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, value):\n self._find_lte(key)\n node = self._create_node(key, value)\n self._insert(node)\n", "role": "user" }, { "content": "i...
def x(self, key, value): self._find_lt(key) node = self._path[0][2] if node is self._tail or key < node[0]: node = self._create_node(key, value) self._insert(node) else: node[1] = value
replace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, value):\n self._find_lt(key)\n node = self._path[0][2]\n if node is self._tail or key < node[0]:\n node = self._create_node(key, val...
def x(self): for i in range(self.maxlevel): self._head[2 + i] = self._tail self._tail[-1] = 0 self._level = 1
clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for i in range(self.maxlevel):\n self._head[2 + i] = self._tail\n self._tail[-1] = 0\n self._level = 1\n", "role": "user" },...
def x(self, start=None, stop=None): if start is None: node = self._head[2] else: self._find_lt(start) node = self._path[0][2] while node is not self._tail and (stop is None or node[0] < stop): yield node[0], node[1] node = node[2]
items
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start=None, stop=None):\n if start is None:\n node = self._head[2]\n else:\n self._find_lt(start)\n node = self._path[0][2]\n ...
def x(self, start=None, stop=None): return (item[0] for item in self.items(start, stop))
keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start=None, stop=None):\n return (item[0] for item in self.items(start, stop))\n", "role": "user" }, { "content": "keys", "role": "ass...
def x(self, start=None, stop=None): return (item[1] for item in self.items(start, stop))
values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start=None, stop=None):\n return (item[1] for item in self.items(start, stop))\n", "role": "user" }, { "content": "values", "role": "a...
def x(self): node = self._head[2] if node is self._tail: raise KeyError('list is empty') self._find_lt(node[0]) self._remove(node) return node[0], node[1]
popitem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n node = self._head[2]\n if node is self._tail:\n raise KeyError('list is empty')\n self._find_lt(node[0])\n self._remove(node)\n ...
def x(self, key, default=None): self._find_lt(key) node = self._path[0][2] if node is self._tail or key < node[0]: return default return node[1]
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, default=None):\n self._find_lt(key)\n node = self._path[0][2]\n if node is self._tail or key < node[0]:\n return default\n return...
def x(self, key): self._find_lt(key) node = self._path[0][2] if node is self._tail or key < node[0]: raise KeyError('{!r} is not in list'.format(key)) self._remove(node)
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n self._find_lt(key)\n node = self._path[0][2]\n if node is self._tail or key < node[0]:\n raise KeyError('{!r} is not in list'.for...
def x(self, key, default=UNSET): self._find_lt(key) node = self._path[0][2] if node is self._tail or key < node[0]: if default is self.UNSET: raise KeyError('key {!r} not in list') return default self._remove(node) return node[1]
pop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, default=UNSET):\n self._find_lt(key)\n node = self._path[0][2]\n if node is self._tail or key < node[0]:\n if default is self.UNSET:...
def x(self, key, default=UNSET): self._find_lt(key) node = self._path[0][2] if node is self._tail or key < node[0]: if default is self.UNSET: raise KeyError('key {!r} not in list'.format(key)) return default return self._distance[0]
index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, default=UNSET):\n self._find_lt(key)\n node = self._path[0][2]\n if node is self._tail or key < node[0]:\n if default is self.UNSET:...
def x(self, key): count = 0 pos = self.index(key, -1) if pos == -1: return count count += 1 for i in range(pos + 1, len(self)): if self[i][0] != key: break count += 1 return count
count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n count = 0\n pos = self.index(key, -1)\n if pos == -1:\n return count\n count += 1\n for i in range(pos + 1, len(self)):\n ...
def x(self, tab_id, course_id, hidden=None, position=None): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """ID""" path['tab_id'] = tab_id """The new position of the tab, 1-based""" if position is not None: data['position'] = position """no description""" if hidden is not None: data['hidden'] = hidden self.logger.debug( 'PUT /api/v1/courses/{course_id}/tabs/{tab_id} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('PUT', '/api/v1/courses/{course_id}/tabs/{tab_id}'.format(**path), data= data, params=params, single_item=True)
update_tab_for_course
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tab_id, course_id, hidden=None, position=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n ...
def x(self, table, limit=MAX_ROWS_PER_QUERY, execute=True): num_rows = self.count_rows(table) if num_rows > limit: return self._select_batched(table, '*', num_rows, limit, execute= execute) else: return self.select(table, '*', execute=execute)
select_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table, limit=MAX_ROWS_PER_QUERY, execute=True):\n num_rows = self.count_rows(table)\n if num_rows > limit:\n return self._select_batched(tab...
def x(self, table, cols='*', execute=True): return self.select(table, cols, execute, select_type='SELECT DISTINCT')
select_distinct
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table, cols='*', execute=True):\n return self.select(table, cols, execute, select_type='SELECT DISTINCT')\n", "role": "user" }, { "content...
def x(self, table, cols, execute=True, select_type='SELECT', return_type=list): select_type = select_type.upper() assert select_type in SELECT_QUERY_TYPES statement = '{0} {1} FROM {2}'.format(select_type, join_cols(cols), wrap(table)) if not execute: return statement values = self.fetch(statement) return self._return_rows(table, cols, values, return_type)
select
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table, cols, execute=True, select_type='SELECT', return_type=list):\n select_type = select_type.upper()\n assert select_type in SELECT_QUERY_TYPES\...
def x(self, table1, table2, cols, table1_col, table2_col=None, join_type=None): if isinstance(cols[0], tuple): cols = join_cols(['{0}.{1}'.format(tbl, col) for tbl, col in cols]) else: cols = join_cols(['{0}.{1}'.format(table1, col) for col in cols]) join_type = join_type.lower().split(' ', 1)[0].upper( ) + ' JOIN' if join_type else 'LEFT JOIN' assert join_type in JOIN_QUERY_TYPES table2_col = table2_col if table2_col else table1_col statement = ( """ SELECT {columns} FROM {table1} {join_type} {table2} ON {table1}.{table1_col} = {table2}.{table2_col} """ .format(table1=wrap(table1), table2=wrap(table2), columns=cols, table1_col=table1_col, table2_col=table2_col, join_type=join_type)) return self.fetch(statement)
select_join
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table1, table2, cols, table1_col, table2_col=None, join_type=None):\n if isinstance(cols[0], tuple):\n cols = join_cols(['{0}.{1}'.format(tbl, ...
def x(self, table, cols='*', offset=0, limit=MAX_ROWS_PER_QUERY): return self.fetch(self._select_limit_statement(table, cols, offset, limit))
select_limit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table, cols='*', offset=0, limit=MAX_ROWS_PER_QUERY):\n return self.fetch(self._select_limit_statement(table, cols, offset, limit))\n", "role": "u...
def x(self, table, cols, where, return_type=list): if isinstance(where, (list, set)): clauses = [self._where_clause(clause) for clause in where] where_statement = ' AND '.join(clauses) else: where_statement = self._where_clause(where) statement = 'SELECT {0} FROM {1} WHERE {2}'.format(join_cols(cols), wrap(table), where_statement) values = self.fetch(statement) return self._return_rows(table, cols, values, return_type)
select_where
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table, cols, where, return_type=list):\n if isinstance(where, (list, set)):\n clauses = [self._where_clause(clause) for clause in where]\n ...
def x(self, table, cols, where_col, between): min_val, max_val = between statement = 'SELECT {0} FROM {1} WHERE {2} BETWEEN {3} AND {4}'.format( join_cols(cols), wrap(table), where_col, min_val, max_val) return self.fetch(statement)
select_where_between
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table, cols, where_col, between):\n min_val, max_val = between\n statement = 'SELECT {0} FROM {1} WHERE {2} BETWEEN {3} AND {4}'.format(\n j...
def x(self, table, cols, where_col, start=None, end=None, anywhere=None, index=(None, None), length=None): pattern = self._like_pattern(start, end, anywhere, index, length) statement = "SELECT {0} FROM {1} WHERE {2} LIKE '{3}'".format(join_cols (cols), wrap(table), where_col, pattern) return self.fetch(statement)
select_where_like
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table, cols, where_col, start=None, end=None, anywhere=None,\n index=(None, None), length=None):\n pattern = self._like_pattern(start, end, anywher...
def x(where): assert isinstance(where, tuple) if len(where) == 3: where_col, operator, where_val = where else: where_col, where_val = where operator = '=' assert operator in SELECT_WHERE_OPERATORS return "{0}{1}'{2}'".format(where_col, operator, where_val)
where_clause
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(where):\n assert isinstance(where, tuple)\n if len(where) == 3:\n where_col, operator, where_val = where\n else:\n where_col, where_val ...
def x(self, table, cols, values, return_type): if return_type is dict: cols = self.get_columns(table) if cols is '*' else cols if len(values) > 0 and isinstance(values[0], (set, list, tuple)): return [dict(zip(cols, row)) for row in values] else: return dict(zip(cols, values)) elif return_type is tuple: return [tuple(row) for row in values] else: return values
return_rows
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table, cols, values, return_type):\n if return_type is dict:\n cols = self.get_columns(table) if cols is '*' else cols\n if len(values) ...
def x(self, table, cols, num_rows, limit, queries_per_batch=3, execute=True): commands, offset = [], 0 while num_rows > 0: _limit = min(limit, num_rows) commands.append(self._select_limit_statement(table, cols=cols, offset=offset, limit=limit)) offset += _limit num_rows += -_limit if execute: rows = [] til_reconnect = queries_per_batch for c in commands: if til_reconnect == 0: self.disconnect() self.reconnect() til_reconnect = queries_per_batch rows.extend(self.fetch(c, False)) til_reconnect += -1 del commands return rows else: return commands
select_batched
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table, cols, num_rows, limit, queries_per_batch=3, execute=True):\n commands, offset = [], 0\n while num_rows > 0:\n _limit = min(limit, num...
def x(table, cols='*', offset=0, limit=MAX_ROWS_PER_QUERY): return 'SELECT {0} FROM {1} LIMIT {2}, {3}'.format(join_cols(cols), wrap(table), offset, limit)
select_limit_statement
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(table, cols='*', offset=0, limit=MAX_ROWS_PER_QUERY):\n return 'SELECT {0} FROM {1} LIMIT {2}, {3}'.format(join_cols(cols),\n wrap(table), offset, li...
def x(start, end, anywhere, index, length): index_num, index_char = index index = None if all(i for i in [start, end, anywhere]) and not any(i for i in [index, length]): return '{start}%{anywhere}%{end}'.format(start=start, end=end, anywhere=anywhere) elif all(i for i in [start, end]) and not any(i for i in [anywhere, index, length]): return '{start}%{end}'.format(start=start, end=end) elif all(i for i in [start, anywhere]) and not any(i for i in [end, index, length]): return '{start}%{anywhere}%'.format(start=start, anywhere=anywhere) elif all(i for i in [end, anywhere]) and not any(i for i in [start, index, length]): return '%{anywhere}%{end}'.format(end=end, anywhere=anywhere) elif start and not any(i for i in [end, anywhere, index, length]): return '{start}%'.format(start=start) elif end and not any(i for i in [start, anywhere, index, length]): return '%{end}'.format(end=end) elif anywhere and not any(i for i in [start, end, index, length]): return '%{anywhere}%'.format(anywhere=anywhere) elif index_num and index_char and not any(i for i in [start, end, anywhere, length]): return '{index_num}{index_char}%'.format(index_num='_' * (index_num + 1), index_char=index_char) elif length and not any(i for i in [start, end, anywhere, index]): return '{length}'.format(length='_%' * length) else: return None
like_pattern
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start, end, anywhere, index, length):\n index_num, index_char = index\n index = None\n if all(i for i in [start, end, anywhere]) and not any(i for i i...
def x(table, columns, values): if not all(isinstance(r, (list, set, tuple)) for r in values): values = [[r] for r in values] rows = [] for row in values: new_row = [] for col in row: if col is None: new_col = 'NULL' elif isinstance(col, (int, float, Decimal)): new_col = str(MySQLConverterBase().to_mysql(col)) else: string = str(MySQLConverterBase().to_mysql(col)) if "'" in string: new_col = '"' + string + '"' else: new_col = "'" + string + "'" new_row.append(new_col) rows.append(', '.join(new_row)) vals = '(' + '),\n\t('.join(rows) + ')' statement = 'INSERT INTO\n\t{0} ({1}) \nVALUES\n\t{2}'.format(wrap( table), cols_str(columns), vals) return statement
insert_statement
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(table, columns, values):\n if not all(isinstance(r, (list, set, tuple)) for r in values):\n values = [[r] for r in values]\n rows = []\n for ro...
def x(self, table, drop_statement=True): create_statement = self.get_table_definition(table) data = self.select_all(table) statements = ['\n', sql_file_comment(''), sql_file_comment( 'Table structure and data dump for {0}'.format(table)), sql_file_comment('')] if drop_statement: statements.append('\nDROP TABLE IF EXISTS {0};'.format(wrap(table))) statements.append('{0};\n'.format(create_statement)) if len(data) > 0: statements.append('{0};'.format(insert_statement(table, self. get_columns(table), data))) return '\n'.join(statements)
dump_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table, drop_statement=True):\n create_statement = self.get_table_definition(table)\n data = self.select_all(table)\n statements = ['\\n', sql_fi...
def x(self, file_path, database=None, tables=None): if database: self.change_db(database) if not tables: tables = self.tables statements = [self.dump_table(table) for table in tqdm(tables, total= len(tables), desc='Generating dump files')] dump = 'SET FOREIGN_KEY_CHECKS=0;' + '\n'.join(statements ) + '\nSET FOREIGN_KEY_CHECKS=1;' file_path = file_path if file_path.endswith('.sql') else file_path + '.sql' write_text(dump, file_path) return file_path
dump_database
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_path, database=None, tables=None):\n if database:\n self.change_db(database)\n if not tables:\n tables = self.tables\n statem...
def x(method): def x(self, *args, **kwargs): attempt_number = 1 while attempt_number < self.retries: try: return method(self, *args, **kwargs) except HasOffersException as exc: if 'API usage exceeded rate limit' not in str(exc): raise exc self.logger.debug('Retrying due: %s', exc) time.sleep(self.retry_timeout) except requests.exceptions.ConnectionError: self.logger.debug('Recreating session due to ConnectionError') self._session = requests.Session() attempt_number += 1 raise MaxRetriesExceeded return inner
retry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method):\n\n def x(self, *args, **kwargs):\n attempt_number = 1\n while attempt_number < self.retries:\n try:\n retu...
def x(self): self._managers = {} for manager_class in MODEL_MANAGERS: instance = manager_class(self) if not instance.forbid_registration and not isinstance(instance, ApplicationManager) or instance.__class__ is ApplicationManager: setattr(self, instance.name, instance) if instance.model: self._managers[instance.model.__name__] = instance if instance.model_aliases: for alias in instance.model_aliases: self._managers[alias] = instance
setup_managers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._managers = {}\n for manager_class in MODEL_MANAGERS:\n instance = manager_class(self)\n if not instance.forbid_registration ...
def x(self, target, method, target_class=None, single_result=True, raw= False, files=None, **kwargs): if target_class is None: target_class = target params = prepare_query_params(NetworkToken=self.network_token, NetworkId=self.network_id, Target=target, Method=method, **kwargs) kwargs = {'url': self.endpoint, 'params': params, 'verify': self.verify, 'method': 'GET'} if files: kwargs.update({'method': 'POST', 'files': files}) self.logger.debug('Request parameters: %s', params) response = self.session.request(**kwargs) self.logger.debug('Response [%s]: %s', response.status_code, response.text) response.raise_for_status() data = response.json(object_pairs_hook=OrderedDict) return self.handle_response(data, target=target_class, single_result= single_result, raw=raw)
call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target, method, target_class=None, single_result=True, raw=\n False, files=None, **kwargs):\n if target_class is None:\n target_class = targ...
def x(self, content, target=None, single_result=True, raw=False): response = content['response'] self.check_errors(response) data = response.get('data') if is_empty(data): return data elif is_paginated(data): if 'count' in data and not data['count']: return data['data'] data = data['data'] if raw: return data return self.init_all_objects(data, target=target, single_result= single_result)
handle_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, content, target=None, single_result=True, raw=False):\n response = content['response']\n self.check_errors(response)\n data = response.get('data...
def x(self, data, target=None, single_result=True): if single_result: return self.init_target_object(target, data) return list(self.expand_models(target, data))
init_all_objects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, target=None, single_result=True):\n if single_result:\n return self.init_target_object(target, data)\n return list(self.expand_models(...
def x(self, target, data): target_object = self.init_single_object(target, data.pop(target, data)) for key, item in data.items(): key_alias = MANAGER_ALIASES.get(key, key) if item: if isinstance(item, str): children = item else: first_key = list(item.keys())[0] if isinstance(item[first_key], OrderedDict): instances = item.values() if len(instances) > 1: children = [self.init_single_object(key_alias, instance) for instance in instances] else: children = self.init_single_object(key_alias, list( instances)[0]) else: children = self.init_single_object(key_alias, item) setattr(target_object, key.lower(), children) else: setattr(target_object, key.lower(), None) return target_object
init_target_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target, data):\n target_object = self.init_single_object(target, data.pop(target, data))\n for key, item in data.items():\n key_alias = MANA...
def x(self, target, data): if isinstance(data, dict): data = data.values() for chunk in data: if target in chunk: yield self.init_target_object(target, chunk) else: for key, item in chunk.items(): yield self.init_single_object(key, item)
expand_models
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target, data):\n if isinstance(data, dict):\n data = data.values()\n for chunk in data:\n if target in chunk:\n yield self...
def x(dominant_name, deprecated_name): dominant_qs = ContributorRole.objects.filter(name=dominant_name) if not dominant_qs.exists() or dominant_qs.count() != 1: return dominant = dominant_qs.first() deprecated_qs = ContributorRole.objects.filter(name=deprecated_name) if not deprecated_qs.exists() or deprecated_qs.count() != 1: return deprecated = deprecated_qs.first() if not dominant.flat_rates.exists() and deprecated.flat_rates.exists(): flat_rate = deprecated.flat_rates.first() flat_rate.role = dominant flat_rate.save() if not dominant.hourly_rates.exists() and deprecated.hourly_rates.exists(): hourly_rate = deprecated.hourly_rates.first() hourly_rate.role = dominant hourly_rate.save() for ft_rate in deprecated.feature_type_rates.all(): dom_ft_rate = dominant.feature_type_rates.filter(feature_type= ft_rate.feature_type) if dom_ft_rate.exists() and dom_ft_rate.first().rate == 0: dom_ft_rate.first().delete() if not dom_ft_rate.exists(): ft_rate.role = dominant ft_rate.save() for contribution in deprecated.contribution_set.all(): contribution.role = dominant contribution.save() for override in deprecated.overrides.all(): dom_override_qs = dominant.overrides.filter(contributor=override. contributor) if not dom_override_qs.exists(): override.role = dominant override.save() else: dom_override = dom_override_qs.first() for flat_override in override.override_flatrate.all(): flat_override.profile = dom_override flat_override.save() for hourly_override in override.override_hourly.all(): hourly_override.profile = dom_override hourly_override.save() for feature_type_override in override.override_feature_type.all(): feature_type_override.profile = dom_override feature_type_override.save()
merge_roles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dominant_name, deprecated_name):\n dominant_qs = ContributorRole.objects.filter(name=dominant_name)\n if not dominant_qs.exists() or dominant_qs.count() ...
def x(self, terms): assert type(terms) is str p = [{'quicksearch': terms}] return self.search_bugs(p)
quick_search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, terms):\n assert type(terms) is str\n p = [{'quicksearch': terms}]\n return self.search_bugs(p)\n", "role": "user" }, { "content": "...
def x(self, terms): params = '' for i in terms: k = i.popitem() params = '{p}&{new}={value}'.format(p=params, new=quote_url(k[0]), value=quote_url(k[1])) return DotDict(self._get('bug', params=params))
search_bugs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, terms):\n params = ''\n for i in terms:\n k = i.popitem()\n params = '{p}&{new}={value}'.format(p=params, new=quote_url(k[0]),\n ...
def x(self, attachmentid, attachment_update): assert type(attachment_update) is DotDict if not 'ids' in attachment_update: attachment_update.ids = [attachmentid] return self._put('bug/attachment/{attachmentid}'.format(attachmentid= attachmentid), json.dumps(attachment_update))
put_attachment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attachmentid, attachment_update):\n assert type(attachment_update) is DotDict\n if not 'ids' in attachment_update:\n attachment_update.ids =...
def x(self, bugid, bug_update): assert type(bug_update) is DotDict if not 'ids' in bug_update: bug_update.ids = [bugid] return self._put('bug/{bugid}'.format(bugid=bugid), json.dumps(bug_update))
put_bug
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bugid, bug_update):\n assert type(bug_update) is DotDict\n if not 'ids' in bug_update:\n bug_update.ids = [bugid]\n return self._put('bug...
def x(self, bugid, attachment): assert type(attachment) is DotDict assert 'data' in attachment assert 'file_name' in attachment assert 'summary' in attachment if not 'content_type' in attachment: attachment.content_type = 'text/plain' attachment.ids = bugid attachment.data = base64.standard_b64encode(bytearray(attachment.data, 'ascii')).decode('ascii') return self._post('bug/{bugid}/attachment'.format(bugid=bugid), json. dumps(attachment))
post_attachment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bugid, attachment):\n assert type(attachment) is DotDict\n assert 'data' in attachment\n assert 'file_name' in attachment\n assert 'summary' ...
def x(self, bug): assert type(bug) is DotDict assert 'product' in bug assert 'component' in bug assert 'summary' in bug if not 'version' in bug: bug.version = 'other' if not 'op_sys' in bug: bug.op_sys = 'All' if not 'platform' in bug: bug.platform = 'All' return self._post('bug', json.dumps(bug))
post_bug
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bug):\n assert type(bug) is DotDict\n assert 'product' in bug\n assert 'component' in bug\n assert 'summary' in bug\n if not 'version' in ...
def x(self, bugid, comment): data = {'id': bugid, 'comment': comment} return self._post('bug/{bugid}/comment'.format(bugid=bugid), json.dumps (data))
post_comment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bugid, comment):\n data = {'id': bugid, 'comment': comment}\n return self._post('bug/{bugid}/comment'.format(bugid=bugid), json.dumps\n (dat...
def x(self, q, params=''): if q[-1] == '/': q = q[:-1] headers = {'Content-Type': 'application/json'} r = requests.get('{url}{q}?api_key={key}{params}'.format(url=self.url, q=q, key=self.api_key, params=params), headers=headers) ret = DotDict(r.json()) if not r.ok or 'error' in ret and ret.error == True: raise Exception(r.url, r.reason, r.status_code, r.json()) return DotDict(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, q, params=''):\n if q[-1] == '/':\n q = q[:-1]\n headers = {'Content-Type': 'application/json'}\n r = requests.get('{url}{q}?api_key={key...
def x(self, q, payload='', params=''): if q[-1] == '/': q = q[:-1] headers = {'Content-Type': 'application/json'} r = requests.post('{url}{q}?api_key={key}{params}'.format(url=self.url, q=q, key=self.api_key, params=params), headers=headers, data=payload) ret = DotDict(r.json()) if not r.ok or 'error' in ret and ret.error == True: raise Exception(r.url, r.reason, r.status_code, r.json()) return DotDict(r.json())
post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, q, payload='', params=''):\n if q[-1] == '/':\n q = q[:-1]\n headers = {'Content-Type': 'application/json'}\n r = requests.post('{url}{q}...
def x(self, *objects): self.control.bind_keys(objects) self.objects += objects
bind_objects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *objects):\n self.control.bind_keys(objects)\n self.objects += objects\n", "role": "user" }, { "content": "bind_objects", "role": "...
def x(self, time_delta): self.control.update(self, time_delta) for object in self.objects: object.update(time_delta) for controller in self.controllers: controller(time_delta, self)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_delta):\n self.control.update(self, time_delta)\n for object in self.objects:\n object.update(time_delta)\n for controller in self.c...
def x(self): glPushAttrib(GL_ALL_ATTRIB_BITS) self.draw_score() for sprite in self: sprite.draw() glPopAttrib()
draw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n glPushAttrib(GL_ALL_ATTRIB_BITS)\n self.draw_score()\n for sprite in self:\n sprite.draw()\n glPopAttrib()\n", "role": "user" ...
def x(self, x, y): self.sprite.position.x = x self.sprite.position.y = y
reset_ball
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x, y):\n self.sprite.position.x = x\n self.sprite.position.y = y\n", "role": "user" }, { "content": "reset_ball", "role": "assistan...
def x(self, td): self.sprite.last_position = self.sprite.position self.sprite.last_velocity = self.sprite.velocity if self.particle_group != None: self.update_particle_group(td)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, td):\n self.sprite.last_position = self.sprite.position\n self.sprite.last_velocity = self.sprite.velocity\n if self.particle_group != None:\n ...
def x(self): x, y, z = self.point1 return x + self.size_x * random(), y + self.size_y * random( ), z + self.size_z * random()
generate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n x, y, z = self.point1\n return x + self.size_x * random(), y + self.size_y * random(\n ), z + self.size_z * random()\n", "role": "use...
def x(self, start_point, end_point): sx, sy, sz = start_point ex, ey, ez = end_point p1x, p1y, p1z = self.point1 p2x, p2y, p2z = self.point2 start_inside = start_point in self end_inside = end_point in self if start_inside != end_inside: if end_inside and sy > p2y or (start_inside and ey >= p2y ) and ey != sy: t = (sy - p2y) / (ey - sy) ix = (ex - sx) * t + sx iy = p2y iz = (ez - sz) * t + sz if p1x <= ix <= p2x and p1z <= iz <= p2z: return (ix, iy, iz), (0.0, (sy > p2y) * 2.0 - 1.0, 0.0) if end_inside and sx < p1x or (start_inside and ex <= p1x ) and ex != sx: t = (sx - p1x) / (ex - sx) ix = p1x iy = (ey - sy) * t + sy iz = (ez - sz) * t + sz if p1y <= iy <= p2y and p1z <= iz <= p2z: return (ix, iy, iz), ((sx > p1x) * 2.0 - 1.0, 0.0, 0.0) if end_inside and sy < p1y or (start_inside and ey <= p1y ) and ey != sy: t = (sy - p1y) / (ey - sy) ix = (ex - sx) * t + sx iy = p1y iz = (ez - sz) * t + sz if p1x <= ix <= p2x and p1z <= iz <= p2z: return (ix, iy, iz), (0.0, (sy > p1y) * 2.0 - 1.0, 0.0) if end_inside and sx > p2x or (start_inside and ex >= p2x ) and ex != sx: t = (sx - p2x) / (ex - sx) ix = p2x iy = (ey - sy) * t + sy iz = (ez - sz) * t + sz if p1y <= iy <= p2y and p1z <= iz <= p2z: return (ix, iy, iz), ((sx > p2x) * 2.0 - 1.0, 0.0, 0.0) if end_inside and sz > p2z or (start_inside and ez >= p2z ) and ez != sz: t = (sz - p2z) / (ez - sz) ix = (ex - sx) * t + sx iy = (ey - sy) * t + sy iz = p2z if p1y <= iy <= p2y and p1x <= ix <= p2x: return (ix, iy, iz), (0.0, 0.0, (sz > p2z) * 2.0 - 1.0) if end_inside and sz < p1z or (start_inside and ez <= p1z ) and ez != sz: t = (sz - p1z) / (ez - sz) ix = (ex - sx) * t + sx iy = (ey - sy) * t + sy iz = p1z if p1y <= iy <= p2y and p1x <= ix <= p2x: return (ix, iy, iz), (0.0, 0.0, (sz > p1z) * 2.0 - 1.0) return None, None
intersect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start_point, end_point):\n sx, sy, sz = start_point\n ex, ey, ez = end_point\n p1x, p1y, p1z = self.point1\n p2x, p2y, p2z = self.point2\n ...
def x(model, query, preview=False, published=False, id_field='id', sort_pinned=True, field_map={}): if preview: func = preview_filter_from_query else: func = filter_from_query f = func(query, id_field=id_field, field_map=field_map) if published: if f: f &= Range(published={'lte': timezone.now()}) else: f = Range(published={'lte': timezone.now()}) qs = model.search_objects.search(published=False) if f: qs = qs.filter(f) if query.get('query'): qs = qs.query('match', _all=query['query']) pinned_ids = query.get('pinned_ids') if pinned_ids and sort_pinned: pinned_query = es_query.FunctionScore(boost_mode='multiply', functions=[{'filter': Terms(id=pinned_ids), 'weight': 2}]) qs = qs.query(pinned_query) qs = qs.sort('_score', '-published') else: qs = qs.sort('-published') return qs
custom_search_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(model, query, preview=False, published=False, id_field='id',\n sort_pinned=True, field_map={}):\n if preview:\n func = preview_filter_from_query\n...
def x(query, id_field='id', field_map={}): f = groups_filter_from_query(query, field_map=field_map) included_ids = query.get('included_ids') if included_ids: if f: f |= Terms(pk=included_ids) else: f = Terms(pk=included_ids) return f
preview_filter_from_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(query, id_field='id', field_map={}):\n f = groups_filter_from_query(query, field_map=field_map)\n included_ids = query.get('included_ids')\n if includ...
def x(query, id_field='id', field_map={}): f = groups_filter_from_query(query, field_map=field_map) excluded_ids = query.get('excluded_ids') included_ids = query.get('included_ids') if included_ids: if f is None: f = Terms(pk=included_ids) else: f |= Terms(pk=included_ids) if excluded_ids: if f is None: f = MatchAll() f &= ~Terms(pk=excluded_ids) return f
filter_from_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(query, id_field='id', field_map={}):\n f = groups_filter_from_query(query, field_map=field_map)\n excluded_ids = query.get('excluded_ids')\n included_...
def x(condition, field_map={}): field_name = condition.get('field') field_name = field_map.get(field_name, field_name) operation = condition['type'] values = condition['values'] condition_filter = MatchAll() if values: values = [v['value'] for v in values] if operation == 'all': for value in values: if '.' in field_name: path = field_name.split('.')[0] condition_filter &= Nested(path=path, filter=Term(**{ field_name: value})) else: condition_filter &= Term(**{field_name: value}) elif operation == 'any': if '.' in field_name: path = field_name.split('.')[0] condition_filter &= Nested(path=path, filter=Terms(**{ field_name: values})) else: condition_filter &= Terms(**{field_name: values}) elif operation == 'none': if '.' in field_name: path = field_name.split('.')[0] condition_filter &= ~Nested(path=path, filter=Terms(**{ field_name: values})) else: condition_filter &= ~Terms(**{field_name: values}) else: raise ValueError( "ES conditions must be one of the following values: ['all', 'any', 'none']" ) return condition_filter
get_condition_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(condition, field_map={}):\n field_name = condition.get('field')\n field_name = field_map.get(field_name, field_name)\n operation = condition['type']\n...