source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(cls, ball_diam, rolling_radius, min_gap=0.0): min_arc = asin((ball_diam + min_gap) / 2 / rolling_radius) * 2 return int(2 * pi / min_arc)
get_max_ballcount
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, ball_diam, rolling_radius, min_gap=0.0):\n min_arc = asin((ball_diam + min_gap) / 2 / rolling_radius) * 2\n return int(2 * pi / min_arc)\n", "role": "user" }, { "content": "get_max_ballcount", "role": "assistant" } ]
def x(**kwargs): def x(cls): global display_environments assert issubclass(cls, DisplayEnvironment ), 'can only map DisplayEnvironment classes' add_to = kwargs.pop('add_to', {}) add_to[cls.__name__] = cls disp_env = cls(**kwargs) try: i = display_environments.index(disp_env) raise RuntimeError('environment %r already mapped, ' % display_environments[i] + "can't map duplicate %r" % disp_env) except ValueError: pass display_environments = sorted(display_environments + [disp_env]) return cls return inner
map_environment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**kwargs):\n\n def x(cls):\n global display_environments\n assert issubclass(cls, DisplayEnvironment\n ), 'can only map DisplayEnvironment classes'\n add_to = kwargs.pop('add_to', {})\n add_to[cls.__name__] = cls\n disp_env = cls(**kwargs)\n try:\n i = display_environments.index(disp_env)\n raise RuntimeError('environment %r already mapped, ' %\n display_environments[i] + \"can't map duplicate %r\" % disp_env)\n except ValueError:\n pass\n display_environments = sorted(display_environments + [disp_env])\n return cls\n return inner\n", "role": "user" }, { "content": "map_environment", "role": "assistant" } ]
def x(self, component, **kwargs): if type(self) is DisplayEnvironment: raise RuntimeError('%r is not a functional display environment, ' % type(self) + "it's meant to be inherited by an implemented environment") raise NotImplementedError( 'display_callback function not overridden by %r' % type(self))
display_callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, component, **kwargs):\n if type(self) is DisplayEnvironment:\n raise RuntimeError('%r is not a functional display environment, ' %\n type(self) +\n \"it's meant to be inherited by an implemented environment\")\n raise NotImplementedError(\n 'display_callback function not overridden by %r' % type(self))\n", "role": "user" }, { "content": "display_callback", "role": "assistant" } ]
def x(self, x, y, z): self.vert_data.write(struct.pack('<f', x) + struct.pack('<f', y) + struct.pack('<f', z)) self.vert_min = _list3_min(self.vert_min, (x, y, z)) self.vert_max = _list3_max(self.vert_max, (x, y, z))
add_vertex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x, y, z):\n self.vert_data.write(struct.pack('<f', x) + struct.pack('<f', y) +\n struct.pack('<f', z))\n self.vert_min = _list3_min(self.vert_min, (x, y, z))\n self.vert_max = _list3_max(self.vert_max, (x, y, z))\n", "role": "user" }, { "content": "add_vertex", "role": "assistant" } ]
def x(self, i, j, k): self.idx_data.write(struct.pack(self.idx_fmt, i) + struct.pack(self. idx_fmt, j) + struct.pack(self.idx_fmt, k))
add_poly_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, i, j, k):\n self.idx_data.write(struct.pack(self.idx_fmt, i) + struct.pack(self.\n idx_fmt, j) + struct.pack(self.idx_fmt, k))\n", "role": "user" }, { "content": "add_poly_index", "role": "assistant" } ]
def x(self, block_size=1024): streams = self.vert_data, self.idx_data for stream in streams: stream.seek(0) while True: chunk = stream.read(block_size) if chunk: yield chunk else: break
buffer_iter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block_size=1024):\n streams = self.vert_data, self.idx_data\n for stream in streams:\n stream.seek(0)\n while True:\n chunk = stream.read(block_size)\n if chunk:\n yield chunk\n else:\n break\n", "role": "user" }, { "content": "buffer_iter", "role": "assistant" } ]
def x(self): buffer = BytesIO() for chunk in self.buffer_iter(): log.debug('buffer.write(%r)', chunk) buffer.write(chunk) buffer.seek(0) return buffer.read()
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n buffer = BytesIO()\n for chunk in self.buffer_iter():\n log.debug('buffer.write(%r)', chunk)\n buffer.write(chunk)\n buffer.seek(0)\n return buffer.read()\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(self): if self.component is None: return copy(self.local_coords) else: cmp_origin = self.component.world_coords if cmp_origin is None: raise ValueError( "mate's component does not have world coordinates; cannot get mate's world coordinates" ) return cmp_origin + self.local_coords
world_coords
[ { "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.component is None:\n return copy(self.local_coords)\n else:\n cmp_origin = self.component.world_coords\n if cmp_origin is None:\n raise ValueError(\n \"mate's component does not have world coordinates; cannot get mate's world coordinates\"\n )\n return cmp_origin + self.local_coords\n", "role": "user" }, { "content": "world_coords", "role": "assistant" } ]
def x(self): complex_obj = self.make() bb = complex_obj.findSolid().BoundingBox() simple_obj = cadquery.Workplane('XY', origin=(bb.xmin, bb.ymin, bb.zmin) ).box(bb.xlen, bb.ylen, bb.zlen, centered=(False, False, False)) return simple_obj
make_simple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n complex_obj = self.make()\n bb = complex_obj.findSolid().BoundingBox()\n simple_obj = cadquery.Workplane('XY', origin=(bb.xmin, bb.ymin, bb.zmin)\n ).box(bb.xlen, bb.ylen, bb.zlen, centered=(False, False, False))\n return simple_obj\n", "role": "user" }, { "content": "make_simple", "role": "assistant" } ]
def x(self): if self._local_obj is None: if self._simple: value = self.make_simple() else: value = self.make() if not isinstance(value, cadquery.CQ): raise MakeError('invalid object type returned by make(): %r' % value) self._local_obj = value return self._local_obj
local_obj
[ { "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._local_obj is None:\n if self._simple:\n value = self.make_simple()\n else:\n value = self.make()\n if not isinstance(value, cadquery.CQ):\n raise MakeError('invalid object type returned by make(): %r' %\n value)\n self._local_obj = value\n return self._local_obj\n", "role": "user" }, { "content": "local_obj", "role": "assistant" } ]
def x(self): if self._world_obj is None: local_obj = self.local_obj world_coords = self.world_coords if local_obj is not None and world_coords is not None: self._world_obj = world_coords + local_obj return self._world_obj
world_obj
[ { "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._world_obj is None:\n local_obj = self.local_obj\n world_coords = self.world_coords\n if local_obj is not None and world_coords is not None:\n self._world_obj = world_coords + local_obj\n return self._world_obj\n", "role": "user" }, { "content": "world_obj", "role": "assistant" } ]
def x(self): if self.world_coords: return self.world_obj.findSolid().BoundingBox() return self.local_obj.findSolid().BoundingBox()
bounding_box
[ { "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.world_coords:\n return self.world_obj.findSolid().BoundingBox()\n return self.local_obj.findSolid().BoundingBox()\n", "role": "user" }, { "content": "bounding_box", "role": "assistant" } ]
def x(self): obj = self.head.make_cutter() if self.neck_length: inner_radius, outer_radius = self.thread.get_radii() neck_cut_radius = max(outer_radius, self.neck_diam / 2) neck = cadquery.Workplane('XY', origin=(0, 0, -self.neck_length) ).circle(neck_cut_radius).extrude(self.neck_length) obj = obj.union(neck) pilot_hole = self.thread.make_pilothole_cutter().translate((0, 0, -self .length)) obj = obj.union(pilot_hole) return obj
make_cutter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n obj = self.head.make_cutter()\n if self.neck_length:\n inner_radius, outer_radius = self.thread.get_radii()\n neck_cut_radius = max(outer_radius, self.neck_diam / 2)\n neck = cadquery.Workplane('XY', origin=(0, 0, -self.neck_length)\n ).circle(neck_cut_radius).extrude(self.neck_length)\n obj = obj.union(neck)\n pilot_hole = self.thread.make_pilothole_cutter().translate((0, 0, -self\n .length))\n obj = obj.union(pilot_hole)\n return obj\n", "role": "user" }, { "content": "make_cutter", "role": "assistant" } ]
def x(self, clearance=0): return cq.Workplane('XY', origin=(0, 0, 0)).circle(self.diam / 2 + clearance).extrude(10)
get_cutout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, clearance=0):\n return cq.Workplane('XY', origin=(0, 0, 0)).circle(self.diam / 2 +\n clearance).extrude(10)\n", "role": "user" }, { "content": "get_cutout", "role": "assistant" } ]
def x(self): return Mate(self, CoordSystem(origin=(0, 0, -self.height), xDir=(1, 0, 0), normal=(0, 0, 1)))
mate_bottom
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return Mate(self, CoordSystem(origin=(0, 0, -self.height), xDir=(1, 0, \n 0), normal=(0, 0, 1)))\n", "role": "user" }, { "content": "mate_bottom", "role": "assistant" } ]
def x(nullable=True, strict=True): def x(cls): base_class = Parameter if nullable else NonNullParameter return type(cls.__name__, (base_class,), {'__name__': cls.__name__, '__doc__': cls.__doc__, '__module__': cls.__module__, '_doc_type': ':class:`{class_name} <{module}.{class_name}>`'. format(class_name=cls.__name__, module=__name__), 'type': lambda self, value: cls(**value)}) return decorator
as_parameter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nullable=True, strict=True):\n\n def x(cls):\n base_class = Parameter if nullable else NonNullParameter\n return type(cls.__name__, (base_class,), {'__name__': cls.__name__,\n '__doc__': cls.__doc__, '__module__': cls.__module__,\n '_doc_type': ':class:`{class_name} <{module}.{class_name}>`'.\n format(class_name=cls.__name__, module=__name__), 'type': lambda\n self, value: cls(**value)})\n return decorator\n", "role": "user" }, { "content": "as_parameter", "role": "assistant" } ]
def x(self, version): V2_PATH = 'api/' V3_PATH = 'api/s/' + self.site_id + '/' if version == 'v2': return V2_PATH if version == 'v3': return V3_PATH if version == 'v4': return V3_PATH if version == 'v5': return V3_PATH else: return V2_PATH
construct_api_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, version):\n V2_PATH = 'api/'\n V3_PATH = 'api/s/' + self.site_id + '/'\n if version == 'v2':\n return V2_PATH\n if version == 'v3':\n return V3_PATH\n if version == 'v4':\n return V3_PATH\n if version == 'v5':\n return V3_PATH\n else:\n return V2_PATH\n", "role": "user" }, { "content": "construct_api_path", "role": "assistant" } ]
def x(self): js = json.dumps({'_sort': '-time', 'archived': False}) params = urllib.urlencode({'json': js}) return self._read(self.api_url + 'list/alarm', params)
get_alerts_unarchived
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n js = json.dumps({'_sort': '-time', 'archived': False})\n params = urllib.urlencode({'json': js})\n return self._read(self.api_url + 'list/alarm', params)\n", "role": "user" }, { "content": "get_alerts_unarchived", "role": "assistant" } ]
def x(self, endtime): js = json.dumps({'attrs': ['bytes', 'num_sta', 'time'], 'start': int( endtime - 86400) * 1000, 'end': int(endtime - 3600) * 1000}) params = urllib.urlencode({'json': js}) return self._read(self.api_url + 'stat/report/hourly.system', params)
get_statistics_24h
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, endtime):\n js = json.dumps({'attrs': ['bytes', 'num_sta', 'time'], 'start': int(\n endtime - 86400) * 1000, 'end': int(endtime - 3600) * 1000})\n params = urllib.urlencode({'json': js})\n return self._read(self.api_url + 'stat/report/hourly.system', params)\n", "role": "user" }, { "content": "get_statistics_24h", "role": "assistant" } ]
def x(self): params = json.dumps({'_depth': 2, 'test': 0}) return self._read(self.api_url + 'stat/device', params)
get_aps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n params = json.dumps({'_depth': 2, 'test': 0})\n return self._read(self.api_url + 'stat/device', params)\n", "role": "user" }, { "content": "get_aps", "role": "assistant" } ]
def x(self, name): if not name: raise APIError('%s is not a valid name' % str(name)) for ap in self.get_aps(): if ap.get('state', 0) == 1 and ap.get('name', None) == name: self.restart_ap(ap['mac'])
restart_ap_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n if not name:\n raise APIError('%s is not a valid name' % str(name))\n for ap in self.get_aps():\n if ap.get('state', 0) == 1 and ap.get('name', None) == name:\n self.restart_ap(ap['mac'])\n", "role": "user" }, { "content": "restart_ap_name", "role": "assistant" } ]
def x(self): js = json.dumps({'cmd': 'archive-all-alarms'}) params = urllib.urlencode({'json': js}) answer = self._read(self.api_url + 'cmd/evtmgr', params)
archive_all_alerts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n js = json.dumps({'cmd': 'archive-all-alarms'})\n params = urllib.urlencode({'json': js})\n answer = self._read(self.api_url + 'cmd/evtmgr', params)\n", "role": "user" }, { "content": "archive_all_alerts", "role": "assistant" } ]
def x(self): js = json.dumps({'cmd': 'backup'}) params = urllib.urlencode({'json': js}) answer = self._read(self.api_url + 'cmd/system', params) return answer[0].get('url')
create_backup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n js = json.dumps({'cmd': 'backup'})\n params = urllib.urlencode({'json': js})\n answer = self._read(self.api_url + 'cmd/system', params)\n return answer[0].get('url')\n", "role": "user" }, { "content": "create_backup", "role": "assistant" } ]
def x(self, target_file='unifi-backup.unf'): download_path = self.create_backup() opener = self.opener.open(self.url + download_path) unifi_archive = opener.read() backupfile = open(target_file, 'w') backupfile.write(unifi_archive) backupfile.close()
get_backup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target_file='unifi-backup.unf'):\n download_path = self.create_backup()\n opener = self.opener.open(self.url + download_path)\n unifi_archive = opener.read()\n backupfile = open(target_file, 'w')\n backupfile.write(unifi_archive)\n backupfile.close()\n", "role": "user" }, { "content": "get_backup", "role": "assistant" } ]
def x(self, guest_mac, minutes, up_bandwidth=None, down_bandwidth=None, byte_quota=None, ap_mac=None): cmd = 'authorize-guest' js = {'mac': guest_mac, 'minutes': minutes} if up_bandwidth: js['up'] = up_bandwidth if down_bandwidth: js['down'] = down_bandwidth if byte_quota: js['bytes'] = byte_quota if ap_mac and self.version != 'v2': js['ap_mac'] = ap_mac return self._run_command(cmd, params=js)
authorize_guest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, guest_mac, minutes, up_bandwidth=None, down_bandwidth=None,\n byte_quota=None, ap_mac=None):\n cmd = 'authorize-guest'\n js = {'mac': guest_mac, 'minutes': minutes}\n if up_bandwidth:\n js['up'] = up_bandwidth\n if down_bandwidth:\n js['down'] = down_bandwidth\n if byte_quota:\n js['bytes'] = byte_quota\n if ap_mac and self.version != 'v2':\n js['ap_mac'] = ap_mac\n return self._run_command(cmd, params=js)\n", "role": "user" }, { "content": "authorize_guest", "role": "assistant" } ]
def x(self, guest_mac): cmd = 'unauthorize-guest' js = {'mac': guest_mac} return self._run_command(cmd, params=js)
unauthorize_guest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, guest_mac):\n cmd = 'unauthorize-guest'\n js = {'mac': guest_mac}\n return self._run_command(cmd, params=js)\n", "role": "user" }, { "content": "unauthorize_guest", "role": "assistant" } ]
def x(gfile, wks_name=None, col_names=False, row_names=False, credentials= None, start_cell='A1'): credentials = get_credentials(credentials) gc = gspread.authorize(credentials) try: gc.open_by_key(gfile).__repr__() gfile_id = gfile except: gfile_id = get_file_id(credentials, gfile) if gfile_id is None: raise RuntimeError( 'Trying to open non-existent or inaccessible spreadsheet') wks = get_worksheet(gc, gfile_id, wks_name) if wks is None: raise RuntimeError( 'Trying to open non-existent or inaccessible worksheet') raw_data = wks.get_all_values() if not raw_data: raise ValueError('Worksheet is empty or invalid.') start_row_int, start_col_int = gspread.utils.a1_to_rowcol(start_cell) rows, cols = np.shape(raw_data) if start_col_int > cols or row_names and start_col_int + 1 > cols: raise RuntimeError('Start col (%s) out of the table columns(%s)' % (start_col_int + row_names, cols)) if start_row_int > rows or col_names and start_row_int + 1 > rows: raise RuntimeError('Start row (%s) out of the table rows(%s)' % ( start_row_int + col_names, rows)) raw_data = [row[start_col_int - 1:] for row in raw_data[start_row_int - 1:] ] if row_names and col_names: row_names = [row[0] for row in raw_data[1:]] col_names = raw_data[0][1:] raw_data = [row[1:] for row in raw_data[1:]] elif row_names: row_names = [row[0] for row in raw_data] col_names = np.arange(len(raw_data[0]) - 1) raw_data = [row[1:] for row in raw_data] elif col_names: row_names = np.arange(len(raw_data) - 1) col_names = raw_data[0] raw_data = raw_data[1:] else: row_names = np.arange(len(raw_data)) col_names = np.arange(len(raw_data[0])) df = pd.DataFrame([pd.Series(row) for row in raw_data], index=row_names) df.columns = col_names return df
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gfile, wks_name=None, col_names=False, row_names=False, credentials=\n None, start_cell='A1'):\n credentials = get_credentials(credentials)\n gc = gspread.authorize(credentials)\n try:\n gc.open_by_key(gfile).__repr__()\n gfile_id = gfile\n except:\n gfile_id = get_file_id(credentials, gfile)\n if gfile_id is None:\n raise RuntimeError(\n 'Trying to open non-existent or inaccessible spreadsheet')\n wks = get_worksheet(gc, gfile_id, wks_name)\n if wks is None:\n raise RuntimeError(\n 'Trying to open non-existent or inaccessible worksheet')\n raw_data = wks.get_all_values()\n if not raw_data:\n raise ValueError('Worksheet is empty or invalid.')\n start_row_int, start_col_int = gspread.utils.a1_to_rowcol(start_cell)\n rows, cols = np.shape(raw_data)\n if start_col_int > cols or row_names and start_col_int + 1 > cols:\n raise RuntimeError('Start col (%s) out of the table columns(%s)' %\n (start_col_int + row_names, cols))\n if start_row_int > rows or col_names and start_row_int + 1 > rows:\n raise RuntimeError('Start row (%s) out of the table rows(%s)' % (\n start_row_int + col_names, rows))\n raw_data = [row[start_col_int - 1:] for row in raw_data[start_row_int - 1:]\n ]\n if row_names and col_names:\n row_names = [row[0] for row in raw_data[1:]]\n col_names = raw_data[0][1:]\n raw_data = [row[1:] for row in raw_data[1:]]\n elif row_names:\n row_names = [row[0] for row in raw_data]\n col_names = np.arange(len(raw_data[0]) - 1)\n raw_data = [row[1:] for row in raw_data]\n elif col_names:\n row_names = np.arange(len(raw_data) - 1)\n col_names = raw_data[0]\n raw_data = raw_data[1:]\n else:\n row_names = np.arange(len(raw_data))\n col_names = np.arange(len(raw_data[0]))\n df = pd.DataFrame([pd.Series(row) for row in raw_data], index=row_names)\n df.columns = col_names\n return df\n", "role": "user" }, { "content": "download", "role": "assistant" } ]
def x(credentials=None, client_secret_file=CLIENT_SECRET_FILE, refresh_token=None): if credentials: if _is_valid_credentials(credentials): return credentials else: print( 'Invalid credentials supplied. Will generate from default token.' ) token = refresh_token or DEFAULT_TOKEN dir_name = os.path.dirname(DEFAULT_TOKEN) try: os.makedirs(dir_name) except OSError: if not os.path.isdir(dir_name): raise store = file.Storage(token) credentials = store.get() try: import argparse flags = argparse.ArgumentParser(parents=[tools.argparser] ).parse_known_args()[0] except ImportError: flags = None logr.error('Unable to parse oauth2client args; `pip install argparse`') if not credentials or credentials.invalid: flow = client.flow_from_clientsecrets(client_secret_file, SCOPES) flow.redirect_uri = client.OOB_CALLBACK_URN if flags: credentials = tools.run_flow(flow, store, flags) else: credentials = tools.run(flow, store) logr.info('Storing credentials to ' + DEFAULT_TOKEN) return credentials
get_credentials
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(credentials=None, client_secret_file=CLIENT_SECRET_FILE,\n refresh_token=None):\n if credentials:\n if _is_valid_credentials(credentials):\n return credentials\n else:\n print(\n 'Invalid credentials supplied. Will generate from default token.'\n )\n token = refresh_token or DEFAULT_TOKEN\n dir_name = os.path.dirname(DEFAULT_TOKEN)\n try:\n os.makedirs(dir_name)\n except OSError:\n if not os.path.isdir(dir_name):\n raise\n store = file.Storage(token)\n credentials = store.get()\n try:\n import argparse\n flags = argparse.ArgumentParser(parents=[tools.argparser]\n ).parse_known_args()[0]\n except ImportError:\n flags = None\n logr.error('Unable to parse oauth2client args; `pip install argparse`')\n if not credentials or credentials.invalid:\n flow = client.flow_from_clientsecrets(client_secret_file, SCOPES)\n flow.redirect_uri = client.OOB_CALLBACK_URN\n if flags:\n credentials = tools.run_flow(flow, store, flags)\n else:\n credentials = tools.run(flow, store)\n logr.info('Storing credentials to ' + DEFAULT_TOKEN)\n return credentials\n", "role": "user" }, { "content": "get_credentials", "role": "assistant" } ]
def x(private_key_file=None, client_email=None, client_secret_file= CLIENT_SECRET_FILE): if private_key_file is not None: with open(os.path.expanduser(private_key_file)) as f: private_key = f.read() else: private_key = None if client_email is None: with open(os.path.expanduser(client_secret_file)) as client_file: client_data = json.load(client_file) if 'installed' in client_data: client_email = client_data['installed']['client_id'] if private_key is None: raise RuntimeError( 'You must have the private key file with the regular json file. Try creating a new public/private key pair and downloading as json.' ) else: client_email = client_data['client_email'] private_key = client_data['private_key'] if client_email is None or private_key is None: raise RuntimeError( 'Client email and/or private key not provided by inputs.') credentials = client.SignedJwtAssertionCredentials(client_email, private_key, SCOPES) return credentials
create_service_credentials
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(private_key_file=None, client_email=None, client_secret_file=\n CLIENT_SECRET_FILE):\n if private_key_file is not None:\n with open(os.path.expanduser(private_key_file)) as f:\n private_key = f.read()\n else:\n private_key = None\n if client_email is None:\n with open(os.path.expanduser(client_secret_file)) as client_file:\n client_data = json.load(client_file)\n if 'installed' in client_data:\n client_email = client_data['installed']['client_id']\n if private_key is None:\n raise RuntimeError(\n 'You must have the private key file with the regular json file. Try creating a new public/private key pair and downloading as json.'\n )\n else:\n client_email = client_data['client_email']\n private_key = client_data['private_key']\n if client_email is None or private_key is None:\n raise RuntimeError(\n 'Client email and/or private key not provided by inputs.')\n credentials = client.SignedJwtAssertionCredentials(client_email,\n private_key, SCOPES)\n return credentials\n", "role": "user" }, { "content": "create_service_credentials", "role": "assistant" } ]
def x(credentials, gfile, write_access=False): http = credentials.authorize(Http()) service = discovery.build('drive', 'v3', http=http, cache_discovery=False) file_id = service.files().get(fileId='root', fields='id').execute().get( 'id') pathway = gfile.strip('/').split('/') for idx, name in enumerate(pathway): files = service.files().list(q= "name = '{}' and trashed = false and '{}' in parents".format( name, file_id)).execute()['files'] if len(files) > 0: file_id = files[0].get('id') elif write_access == True: body = {'mimeType': 'application/vnd.google-apps.' + ( 'spreadsheet' if idx == len(pathway) - 1 else 'folder'), 'name': name, 'parents': [file_id]} file_id = service.files().create(body=body, fields='id').execute( ).get('id') else: return None return file_id
get_file_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(credentials, gfile, write_access=False):\n http = credentials.authorize(Http())\n service = discovery.build('drive', 'v3', http=http, cache_discovery=False)\n file_id = service.files().get(fileId='root', fields='id').execute().get(\n 'id')\n pathway = gfile.strip('/').split('/')\n for idx, name in enumerate(pathway):\n files = service.files().list(q=\n \"name = '{}' and trashed = false and '{}' in parents\".format(\n name, file_id)).execute()['files']\n if len(files) > 0:\n file_id = files[0].get('id')\n elif write_access == True:\n body = {'mimeType': 'application/vnd.google-apps.' + (\n 'spreadsheet' if idx == len(pathway) - 1 else 'folder'),\n 'name': name, 'parents': [file_id]}\n file_id = service.files().create(body=body, fields='id').execute(\n ).get('id')\n else:\n return None\n return file_id\n", "role": "user" }, { "content": "get_file_id", "role": "assistant" } ]
def x(gc, gfile_id, wks_name, write_access=False, new_sheet_dimensions=( 1000, 100)): spsh = gc.open_by_key(gfile_id) if wks_name is None: wks = spsh.sheet1 else: try: wks = spsh.worksheet(wks_name) except: wks = spsh.add_worksheet(wks_name, *new_sheet_dimensions ) if write_access == True else None return wks
get_worksheet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gc, gfile_id, wks_name, write_access=False, new_sheet_dimensions=(\n 1000, 100)):\n spsh = gc.open_by_key(gfile_id)\n if wks_name is None:\n wks = spsh.sheet1\n else:\n try:\n wks = spsh.worksheet(wks_name)\n except:\n wks = spsh.add_worksheet(wks_name, *new_sheet_dimensions\n ) if write_access == True else None\n return wks\n", "role": "user" }, { "content": "get_worksheet", "role": "assistant" } ]
def x(credentials, file_id): try: http = credentials.authorize(Http()) service = discovery.build('drive', 'v3', http=http, cache_discovery =False) service.files().delete(fileId=file_id).execute() except errors.HttpError as e: logr.error(e) raise
delete_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(credentials, file_id):\n try:\n http = credentials.authorize(Http())\n service = discovery.build('drive', 'v3', http=http, cache_discovery\n =False)\n service.files().delete(fileId=file_id).execute()\n except errors.HttpError as e:\n logr.error(e)\n raise\n", "role": "user" }, { "content": "delete_file", "role": "assistant" } ]
def x(df, gfile='/New Spreadsheet', wks_name=None, col_names=True, row_names=True, clean=True, credentials=None, start_cell='A1', df_size= False, new_sheet_dimensions=(1000, 100)): credentials = get_credentials(credentials) gc = gspread.authorize(credentials) try: gc.open_by_key(gfile).__repr__() gfile_id = gfile except: gfile_id = get_file_id(credentials, gfile, write_access=True) if df_size: new_sheet_dimensions = len(df), len(df.columns) wks = get_worksheet(gc, gfile_id, wks_name, write_access=True, new_sheet_dimensions=new_sheet_dimensions) if clean: wks = clean_worksheet(wks, gfile_id, wks_name, credentials) start_col = re.split('(\\d+)', start_cell)[0].upper() start_row = re.split('(\\d+)', start_cell)[1] start_row_int, start_col_int = gspread.utils.a1_to_rowcol(start_cell) num_rows = len(df.index) + 1 if col_names else len(df.index) last_idx_adjust = start_row_int - 1 last_idx = num_rows + last_idx_adjust num_cols = len(df.columns) + 1 if row_names else len(df.columns) last_col_adjust = start_col_int - 1 last_col_int = num_cols + last_col_adjust last_col = re.split('(\\d+)', gspread.utils.rowcol_to_a1(1, last_col_int))[ 0].upper() if df_size: wks.resize(rows=len(df.index) + col_names, cols=len(df.columns) + row_names) if len(df.index) + col_names + last_idx_adjust > wks.row_count: wks.add_rows(len(df.index) - wks.row_count + col_names + last_idx_adjust) if len(df.columns) + row_names + last_col_adjust > wks.col_count: wks.add_cols(len(df.columns) - wks.col_count + row_names + last_col_adjust) first_col = re.split('(\\d+)', gspread.utils.rowcol_to_a1(1, start_col_int + 1))[0].upper() if row_names else start_col first_row = str(start_row_int + 1) if col_names else start_row if col_names: cell_list = wks.range('%s%s:%s%s' % (first_col, start_row, last_col, start_row)) for idx, cell in enumerate(cell_list): cell.value = df.columns.astype(str)[idx] wks.update_cells(cell_list) if row_names: cell_list = wks.range('%s%s:%s%d' % (start_col, first_row, start_col, last_idx)) for idx, cell in enumerate(cell_list): cell.value = df.index.astype(str)[idx] wks.update_cells(cell_list) df = df.applymap(str) cell_list = wks.range('%s%s:%s%d' % (first_col, first_row, last_col, last_idx)) for j, idx in enumerate(df.index): for i, col in enumerate(df.columns.values): if not pd.isnull(df[col][idx]): cell_list[i + j * len(df.columns.values)].value = df[col][idx] wks.update_cells(cell_list) return wks
upload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(df, gfile='/New Spreadsheet', wks_name=None, col_names=True,\n row_names=True, clean=True, credentials=None, start_cell='A1', df_size=\n False, new_sheet_dimensions=(1000, 100)):\n credentials = get_credentials(credentials)\n gc = gspread.authorize(credentials)\n try:\n gc.open_by_key(gfile).__repr__()\n gfile_id = gfile\n except:\n gfile_id = get_file_id(credentials, gfile, write_access=True)\n if df_size:\n new_sheet_dimensions = len(df), len(df.columns)\n wks = get_worksheet(gc, gfile_id, wks_name, write_access=True,\n new_sheet_dimensions=new_sheet_dimensions)\n if clean:\n wks = clean_worksheet(wks, gfile_id, wks_name, credentials)\n start_col = re.split('(\\\\d+)', start_cell)[0].upper()\n start_row = re.split('(\\\\d+)', start_cell)[1]\n start_row_int, start_col_int = gspread.utils.a1_to_rowcol(start_cell)\n num_rows = len(df.index) + 1 if col_names else len(df.index)\n last_idx_adjust = start_row_int - 1\n last_idx = num_rows + last_idx_adjust\n num_cols = len(df.columns) + 1 if row_names else len(df.columns)\n last_col_adjust = start_col_int - 1\n last_col_int = num_cols + last_col_adjust\n last_col = re.split('(\\\\d+)', gspread.utils.rowcol_to_a1(1, last_col_int))[\n 0].upper()\n if df_size:\n wks.resize(rows=len(df.index) + col_names, cols=len(df.columns) +\n row_names)\n if len(df.index) + col_names + last_idx_adjust > wks.row_count:\n wks.add_rows(len(df.index) - wks.row_count + col_names +\n last_idx_adjust)\n if len(df.columns) + row_names + last_col_adjust > wks.col_count:\n wks.add_cols(len(df.columns) - wks.col_count + row_names +\n last_col_adjust)\n first_col = re.split('(\\\\d+)', gspread.utils.rowcol_to_a1(1, \n start_col_int + 1))[0].upper() if row_names else start_col\n first_row = str(start_row_int + 1) if col_names else start_row\n if col_names:\n cell_list = wks.range('%s%s:%s%s' % (first_col, start_row, last_col,\n start_row))\n for idx, cell in enumerate(cell_list):\n cell.value = df.columns.astype(str)[idx]\n wks.update_cells(cell_list)\n if row_names:\n cell_list = wks.range('%s%s:%s%d' % (start_col, first_row,\n start_col, last_idx))\n for idx, cell in enumerate(cell_list):\n cell.value = df.index.astype(str)[idx]\n wks.update_cells(cell_list)\n df = df.applymap(str)\n cell_list = wks.range('%s%s:%s%d' % (first_col, first_row, last_col,\n last_idx))\n for j, idx in enumerate(df.index):\n for i, col in enumerate(df.columns.values):\n if not pd.isnull(df[col][idx]):\n cell_list[i + j * len(df.columns.values)].value = df[col][idx]\n wks.update_cells(cell_list)\n return wks\n", "role": "user" }, { "content": "upload", "role": "assistant" } ]
def x(wks, gfile_id, wks_name, credentials): values = wks.get_all_values() if values: df_ = pd.DataFrame(index=range(len(values)), columns=range(len( values[0]))) df_ = df_.fillna('') wks = upload(df_, gfile_id, wks_name=wks_name, col_names=False, row_names=False, clean=False, credentials=credentials) return wks
clean_worksheet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(wks, gfile_id, wks_name, credentials):\n values = wks.get_all_values()\n if values:\n df_ = pd.DataFrame(index=range(len(values)), columns=range(len(\n values[0])))\n df_ = df_.fillna('')\n wks = upload(df_, gfile_id, wks_name=wks_name, col_names=False,\n row_names=False, clean=False, credentials=credentials)\n return wks\n", "role": "user" }, { "content": "clean_worksheet", "role": "assistant" } ]
def x(original_countries, aggregates, missing_countries='test', merge_multiple_string='_&_', log_missing_countries=None, log_merge_multiple_strings=None, coco=None, as_dataframe='sparse', original_countries_class=None): if coco is None: coco = CountryConverter() if type(original_countries) is str: original_countries_class = original_countries original_countries = coco.data[original_countries].values else: original_countries_class = (original_countries_class or coco. _get_input_format_from_name(original_countries[0])) if type(aggregates) is not list: aggregates = [aggregates] correspond = OrderedDict.fromkeys(original_countries) for agg in aggregates: if type(agg) is str: agg = coco.get_correspondance_dict(original_countries_class, agg) for country in original_countries: if correspond.get(country) is None: try: entry = agg[country] except KeyError: entry = None if type(entry) is list: if 1 < len(entry): if merge_multiple_string: entry = merge_multiple_string.join([str(e) for e in entry]) else: entry = None if log_merge_multiple_strings: log_merge_multiple_strings(country) else: entry = entry[0] correspond[country] = entry for country in original_countries: if correspond.get(country) is None: if missing_countries is True: correspond[country] = country elif missing_countries is False: del correspond[country] else: correspond[country] = missing_countries if log_missing_countries: log_missing_countries(country) if as_dataframe: correspond = pd.DataFrame.from_dict(correspond, orient='index' ).reset_index() correspond.columns = ['original', 'aggregated'] if type(as_dataframe) is str and as_dataframe[0].lower() == 'f': _co_list = correspond.original correspond['val'] = 1 correspond = correspond.set_index(['original', 'aggregated'] ).unstack().fillna(0)['val'] correspond = correspond.loc[_co_list] return correspond
agg_conc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(original_countries, aggregates, missing_countries='test',\n merge_multiple_string='_&_', log_missing_countries=None,\n log_merge_multiple_strings=None, coco=None, as_dataframe='sparse',\n original_countries_class=None):\n if coco is None:\n coco = CountryConverter()\n if type(original_countries) is str:\n original_countries_class = original_countries\n original_countries = coco.data[original_countries].values\n else:\n original_countries_class = (original_countries_class or coco.\n _get_input_format_from_name(original_countries[0]))\n if type(aggregates) is not list:\n aggregates = [aggregates]\n correspond = OrderedDict.fromkeys(original_countries)\n for agg in aggregates:\n if type(agg) is str:\n agg = coco.get_correspondance_dict(original_countries_class, agg)\n for country in original_countries:\n if correspond.get(country) is None:\n try:\n entry = agg[country]\n except KeyError:\n entry = None\n if type(entry) is list:\n if 1 < len(entry):\n if merge_multiple_string:\n entry = merge_multiple_string.join([str(e) for\n e in entry])\n else:\n entry = None\n if log_merge_multiple_strings:\n log_merge_multiple_strings(country)\n else:\n entry = entry[0]\n correspond[country] = entry\n for country in original_countries:\n if correspond.get(country) is None:\n if missing_countries is True:\n correspond[country] = country\n elif missing_countries is False:\n del correspond[country]\n else:\n correspond[country] = missing_countries\n if log_missing_countries:\n log_missing_countries(country)\n if as_dataframe:\n correspond = pd.DataFrame.from_dict(correspond, orient='index'\n ).reset_index()\n correspond.columns = ['original', 'aggregated']\n if type(as_dataframe) is str and as_dataframe[0].lower() == 'f':\n _co_list = correspond.original\n correspond['val'] = 1\n correspond = correspond.set_index(['original', 'aggregated']\n ).unstack().fillna(0)['val']\n correspond = correspond.loc[_co_list]\n return correspond\n", "role": "user" }, { "content": "agg_conc", "role": "assistant" } ]
def x(list_a, list_b, not_found='not_found', enforce_sublist=False, country_data=COUNTRY_DATA_FILE, additional_data=None): if isinstance(list_a, str): list_a = [list_a] if isinstance(list_b, str): list_b = [list_b] if isinstance(list_a, tuple): list_a = list(list_a) if isinstance(list_b, tuple): list_b = list(list_b) coco = CountryConverter(country_data, additional_data) name_dict_a = dict() match_dict_a = dict() for name_a in list_a: name_dict_a[name_a] = [] match_dict_a[name_a] = [] for regex in coco.regexes: if regex.search(name_a): match_dict_a[name_a].append(regex) if len(match_dict_a[name_a]) == 0: logging.warning('Could not identify {} in list_a'.format(name_a)) _not_found_entry = name_a if not not_found else not_found name_dict_a[name_a].append(_not_found_entry) if not enforce_sublist: name_dict_a[name_a] = name_dict_a[name_a][0] continue if len(match_dict_a[name_a]) > 1: logging.warning('Multiple matches for name {} in list_a'.format (name_a)) for match_case in match_dict_a[name_a]: b_matches = 0 for name_b in list_b: if match_case.search(name_b): b_matches += 1 name_dict_a[name_a].append(name_b) if b_matches == 0: logging.warning( 'Could not find any correspondence for {} in list_b'.format (name_a)) _not_found_entry = name_a if not not_found else not_found name_dict_a[name_a].append(_not_found_entry) if b_matches > 1: logging.warning('Multiple matches for name {} in list_b'.format (name_a)) if not enforce_sublist and len(name_dict_a[name_a]) == 1: name_dict_a[name_a] = name_dict_a[name_a][0] return name_dict_a
match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(list_a, list_b, not_found='not_found', enforce_sublist=False,\n country_data=COUNTRY_DATA_FILE, additional_data=None):\n if isinstance(list_a, str):\n list_a = [list_a]\n if isinstance(list_b, str):\n list_b = [list_b]\n if isinstance(list_a, tuple):\n list_a = list(list_a)\n if isinstance(list_b, tuple):\n list_b = list(list_b)\n coco = CountryConverter(country_data, additional_data)\n name_dict_a = dict()\n match_dict_a = dict()\n for name_a in list_a:\n name_dict_a[name_a] = []\n match_dict_a[name_a] = []\n for regex in coco.regexes:\n if regex.search(name_a):\n match_dict_a[name_a].append(regex)\n if len(match_dict_a[name_a]) == 0:\n logging.warning('Could not identify {} in list_a'.format(name_a))\n _not_found_entry = name_a if not not_found else not_found\n name_dict_a[name_a].append(_not_found_entry)\n if not enforce_sublist:\n name_dict_a[name_a] = name_dict_a[name_a][0]\n continue\n if len(match_dict_a[name_a]) > 1:\n logging.warning('Multiple matches for name {} in list_a'.format\n (name_a))\n for match_case in match_dict_a[name_a]:\n b_matches = 0\n for name_b in list_b:\n if match_case.search(name_b):\n b_matches += 1\n name_dict_a[name_a].append(name_b)\n if b_matches == 0:\n logging.warning(\n 'Could not find any correspondence for {} in list_b'.format\n (name_a))\n _not_found_entry = name_a if not not_found else not_found\n name_dict_a[name_a].append(_not_found_entry)\n if b_matches > 1:\n logging.warning('Multiple matches for name {} in list_b'.format\n (name_a))\n if not enforce_sublist and len(name_dict_a[name_a]) == 1:\n name_dict_a[name_a] = name_dict_a[name_a][0]\n return name_dict_a\n", "role": "user" }, { "content": "match", "role": "assistant" } ]
def x(*args, **kargs): init = {'country_data': COUNTRY_DATA_FILE, 'additional_data': None, 'only_UNmember': False, 'include_obsolete': False} init.update({kk: kargs.get(kk) for kk in init.keys() if kk in kargs}) coco = CountryConverter(**init) kargs = {kk: ii for kk, ii in kargs.items() if kk not in init.keys()} return coco.convert(*args, **kargs)
convert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kargs):\n init = {'country_data': COUNTRY_DATA_FILE, 'additional_data': None,\n 'only_UNmember': False, 'include_obsolete': False}\n init.update({kk: kargs.get(kk) for kk in init.keys() if kk in kargs})\n coco = CountryConverter(**init)\n kargs = {kk: ii for kk, ii in kargs.items() if kk not in init.keys()}\n return coco.convert(*args, **kargs)\n", "role": "user" }, { "content": "convert", "role": "assistant" } ]
def x(valid_classifications): parser = argparse.ArgumentParser(description= 'The country converter (coco): a Python package for converting country names between different classifications schemes. Version: {}' .format(__version__), prog='coco', usage='%(prog)s --names --src --to]' ) parser.add_argument('names', help= 'List of countries to convert (space separated, country names consisting of multiple words must be put in quotation marks).Possible classifications: ' + ', '.join(valid_classifications) + '; NB: long, official and short are provided as shortcuts for the names classifications' , nargs='*') parser.add_argument('-s', '--src', '--source', '-f', '--from', help= 'Classification of the names given, (default: inferred from names)') parser.add_argument('-t', '--to', help= 'Required classification of the passed names(default: "ISO3"') parser.add_argument('-o', '--output_sep', help= 'Seperator for output names (default: space), e.g. "," ') parser.add_argument('-n', '--not_found', default='not found', help= 'Fill in value for none found entries. If "None" (string), keep the input value (default: not found)' ) parser.add_argument('-a', '--additional_data', help= 'Data file with additional country data(Same format as the original data file - utf-8 encoded tab separated data, same column headers as in the general country data file; default: not found)' ) args = parser.parse_args() args.src = args.src or None args.to = args.to or 'ISO3' args.not_found = args.not_found if args.not_found != 'None' else None args.output_sep = args.output_sep or ' ' return args
parse_arg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(valid_classifications):\n parser = argparse.ArgumentParser(description=\n 'The country converter (coco): a Python package for converting country names between different classifications schemes. Version: {}'\n .format(__version__), prog='coco', usage='%(prog)s --names --src --to]'\n )\n parser.add_argument('names', help=\n 'List of countries to convert (space separated, country names consisting of multiple words must be put in quotation marks).Possible classifications: '\n + ', '.join(valid_classifications) +\n '; NB: long, official and short are provided as shortcuts for the names classifications'\n , nargs='*')\n parser.add_argument('-s', '--src', '--source', '-f', '--from', help=\n 'Classification of the names given, (default: inferred from names)')\n parser.add_argument('-t', '--to', help=\n 'Required classification of the passed names(default: \"ISO3\"')\n parser.add_argument('-o', '--output_sep', help=\n 'Seperator for output names (default: space), e.g. \",\" ')\n parser.add_argument('-n', '--not_found', default='not found', help=\n 'Fill in value for none found entries. If \"None\" (string), keep the input value (default: not found)'\n )\n parser.add_argument('-a', '--additional_data', help=\n 'Data file with additional country data(Same format as the original data file - utf-8 encoded tab separated data, same column headers as in the general country data file; default: not found)'\n )\n args = parser.parse_args()\n args.src = args.src or None\n args.to = args.to or 'ISO3'\n args.not_found = args.not_found if args.not_found != 'None' else None\n args.output_sep = args.output_sep or ' '\n return args\n", "role": "user" }, { "content": "parse_arg", "role": "assistant" } ]
def x(): args = _parse_arg(CountryConverter().valid_class) coco = CountryConverter(additional_data=args.additional_data) converted_names = coco.convert(names=args.names, src=args.src, to=args. to, enforce_list=False, not_found=args.not_found) print(args.output_sep.join([str(etr) for etr in converted_names] if isinstance(converted_names, list) else [str(converted_names)]))
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n args = _parse_arg(CountryConverter().valid_class)\n coco = CountryConverter(additional_data=args.additional_data)\n converted_names = coco.convert(names=args.names, src=args.src, to=args.\n to, enforce_list=False, not_found=args.not_found)\n print(args.output_sep.join([str(etr) for etr in converted_names] if\n isinstance(converted_names, list) else [str(converted_names)]))\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(name, exclude_prefix): excluder = re.compile('|'.join(exclude_prefix)) split_entries = excluder.split(name) return {'clean_name': split_entries[0], 'excluded_countries': split_entries[1:]}
separate_exclude_cases
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, exclude_prefix):\n excluder = re.compile('|'.join(exclude_prefix))\n split_entries = excluder.split(name)\n return {'clean_name': split_entries[0], 'excluded_countries':\n split_entries[1:]}\n", "role": "user" }, { "content": "separate_exclude_cases", "role": "assistant" } ]
def x(self, names, src=None, to='ISO3', enforce_list=False, not_found= 'not found', exclude_prefix=['excl\\w.*', 'without', 'w/o']): names = list(names) if isinstance(names, tuple) or isinstance(names, set ) else names names = names if isinstance(names, list) else [names] names = [str(n) for n in names] outlist = names.copy() to = [self._validate_input_para(to, self.data.columns)] exclude_split = {name: self._separate_exclude_cases(name, exclude_prefix) for name in names} for ind_names, current_name in enumerate(names): spec_name = exclude_split[current_name]['clean_name'] if src is None: src_format = self._get_input_format_from_name(spec_name) else: src_format = self._validate_input_para(src, self.data.columns) if src_format.lower() == 'regex': result_list = [] for ind_regex, ccregex in enumerate(self.regexes): if ccregex.search(spec_name): result_list.append(self.data.ix[ind_regex, to].values[0]) if len(result_list) > 1: logging.warning( 'More then one regular expression match for {}'. format(spec_name)) else: _match_col = self.data[src_format].astype(str).str.replace('\\..*', '') result_list = [etr[0] for etr in self.data[_match_col.str. contains('^' + spec_name + '$', flags=re.IGNORECASE, na= False)][to].values] if len(result_list) == 0: logging.warning('{} not found in {}'.format(spec_name, src_format)) _fillin = not_found or spec_name outlist[ind_names] = [_fillin] if enforce_list else _fillin else: outlist[ind_names] = [] for etr in result_list: try: conv_etr = int(etr) except ValueError: conv_etr = etr outlist[ind_names].append(conv_etr) if len(outlist[ind_names]) == 1 and enforce_list is False: outlist[ind_names] = outlist[ind_names][0] if len(outlist) == 1 and not enforce_list: return outlist[0] else: return outlist
convert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, names, src=None, to='ISO3', enforce_list=False, not_found=\n 'not found', exclude_prefix=['excl\\\\w.*', 'without', 'w/o']):\n names = list(names) if isinstance(names, tuple) or isinstance(names, set\n ) else names\n names = names if isinstance(names, list) else [names]\n names = [str(n) for n in names]\n outlist = names.copy()\n to = [self._validate_input_para(to, self.data.columns)]\n exclude_split = {name: self._separate_exclude_cases(name,\n exclude_prefix) for name in names}\n for ind_names, current_name in enumerate(names):\n spec_name = exclude_split[current_name]['clean_name']\n if src is None:\n src_format = self._get_input_format_from_name(spec_name)\n else:\n src_format = self._validate_input_para(src, self.data.columns)\n if src_format.lower() == 'regex':\n result_list = []\n for ind_regex, ccregex in enumerate(self.regexes):\n if ccregex.search(spec_name):\n result_list.append(self.data.ix[ind_regex, to].values[0])\n if len(result_list) > 1:\n logging.warning(\n 'More then one regular expression match for {}'.\n format(spec_name))\n else:\n _match_col = self.data[src_format].astype(str).str.replace('\\\\..*',\n '')\n result_list = [etr[0] for etr in self.data[_match_col.str.\n contains('^' + spec_name + '$', flags=re.IGNORECASE, na=\n False)][to].values]\n if len(result_list) == 0:\n logging.warning('{} not found in {}'.format(spec_name, src_format))\n _fillin = not_found or spec_name\n outlist[ind_names] = [_fillin] if enforce_list else _fillin\n else:\n outlist[ind_names] = []\n for etr in result_list:\n try:\n conv_etr = int(etr)\n except ValueError:\n conv_etr = etr\n outlist[ind_names].append(conv_etr)\n if len(outlist[ind_names]) == 1 and enforce_list is False:\n outlist[ind_names] = outlist[ind_names][0]\n if len(outlist) == 1 and not enforce_list:\n return outlist[0]\n else:\n return outlist\n", "role": "user" }, { "content": "convert", "role": "assistant" } ]
def x(self, to='name_short'): if type(to) is str: to = [to] return self.data[self.data.EU < 2015][to]
EU28as
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, to='name_short'):\n if type(to) is str:\n to = [to]\n return self.data[self.data.EU < 2015][to]\n", "role": "user" }, { "content": "EU28as", "role": "assistant" } ]
def x(self, to='name_short'): if isinstance(to, str): to = [to] return self.data[self.data.EU < 2013][to]
EU27as
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, to='name_short'):\n if isinstance(to, str):\n to = [to]\n return self.data[self.data.EU < 2013][to]\n", "role": "user" }, { "content": "EU27as", "role": "assistant" } ]
def x(self, to='name_short'): if isinstance(to, str): to = [to] return self.data[self.data.OECD > 0][to]
OECDas
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, to='name_short'):\n if isinstance(to, str):\n to = [to]\n return self.data[self.data.OECD > 0][to]\n", "role": "user" }, { "content": "OECDas", "role": "assistant" } ]
def x(self, to='name_short'): if isinstance(to, str): to = [to] return self.data[self.data.UNmember > 0][to]
UNas
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, to='name_short'):\n if isinstance(to, str):\n to = [to]\n return self.data[self.data.UNmember > 0][to]\n", "role": "user" }, { "content": "UNas", "role": "assistant" } ]
def x(self, to='name_short'): if isinstance(to, str): to = [to] return self.data[self.data.obsolete > 0][to]
obsoleteas
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, to='name_short'):\n if isinstance(to, str):\n to = [to]\n return self.data[self.data.obsolete > 0][to]\n", "role": "user" }, { "content": "obsoleteas", "role": "assistant" } ]
def x(self, classA, classB, restrict=None, replace_numeric=True): result = {nn: None for nn in self.data[classA].values} if restrict is None: df = self.data.copy() else: df = self.data[restrict].copy() if replace_numeric and df[classB].dtype.kind in 'bifc': df.loc[~df[classB].isnull(), classB] = classB df.loc[df[classB].isnull(), classB] = None result.update(df.groupby(classA).aggregate(lambda x: list(x.unique())). to_dict()[classB]) return result
get_correspondance_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, classA, classB, restrict=None, replace_numeric=True):\n result = {nn: None for nn in self.data[classA].values}\n if restrict is None:\n df = self.data.copy()\n else:\n df = self.data[restrict].copy()\n if replace_numeric and df[classB].dtype.kind in 'bifc':\n df.loc[~df[classB].isnull(), classB] = classB\n df.loc[df[classB].isnull(), classB] = None\n result.update(df.groupby(classA).aggregate(lambda x: list(x.unique())).\n to_dict()[classB])\n return result\n", "role": "user" }, { "content": "get_correspondance_dict", "role": "assistant" } ]
def x(self, para, column_names): lower_case_valid_class = [et.lower() for et in self.valid_class] alt_valid_names = {'name_short': ['short', 'short_name', 'name', 'names'], 'name_official': ['official', 'long_name', 'long'], 'UNcode': ['un', 'unnumeric'], 'ISOnumeric': ['isocode']} for item in alt_valid_names.items(): if para.lower() in item[1]: para = item[0] try: validated_para = self.valid_class[lower_case_valid_class.index(para .lower())] except ValueError: raise KeyError('{} is not a valid country classification'.format(para)) return validated_para
validate_input_para
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, para, column_names):\n lower_case_valid_class = [et.lower() for et in self.valid_class]\n alt_valid_names = {'name_short': ['short', 'short_name', 'name',\n 'names'], 'name_official': ['official', 'long_name', 'long'],\n 'UNcode': ['un', 'unnumeric'], 'ISOnumeric': ['isocode']}\n for item in alt_valid_names.items():\n if para.lower() in item[1]:\n para = item[0]\n try:\n validated_para = self.valid_class[lower_case_valid_class.index(para\n .lower())]\n except ValueError:\n raise KeyError('{} is not a valid country classification'.format(para))\n return validated_para\n", "role": "user" }, { "content": "validate_input_para", "role": "assistant" } ]
def x(self, name): try: int(name) src_format = 'ISOnumeric' except ValueError: if len(name) == 2: src_format = 'ISO2' elif len(name) == 3: src_format = 'ISO3' else: src_format = 'regex' return src_format
get_input_format_from_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n try:\n int(name)\n src_format = 'ISOnumeric'\n except ValueError:\n if len(name) == 2:\n src_format = 'ISO2'\n elif len(name) == 3:\n src_format = 'ISO3'\n else:\n src_format = 'regex'\n return src_format\n", "role": "user" }, { "content": "get_input_format_from_name", "role": "assistant" } ]
def x(n, k): coeff = binom(n, k) def x(x): return coeff * x ** k * (1 - x) ** (n - k) return _bpoly
Bernstein
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n, k):\n coeff = binom(n, k)\n\n def x(x):\n return coeff * x ** k * (1 - x) ** (n - k)\n return _bpoly\n", "role": "user" }, { "content": "Bernstein", "role": "assistant" } ]
def x(points, at): at = np.asarray(at) at_flat = at.ravel() N = len(points) curve = np.zeros((at_flat.shape[0], 2)) for ii in range(N): curve += np.outer(Bernstein(N - 1, ii)(at_flat), points[ii]) return curve.reshape(at.shape + (2,))
Bezier
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(points, at):\n at = np.asarray(at)\n at_flat = at.ravel()\n N = len(points)\n curve = np.zeros((at_flat.shape[0], 2))\n for ii in range(N):\n curve += np.outer(Bernstein(N - 1, ii)(at_flat), points[ii])\n return curve.reshape(at.shape + (2,))\n", "role": "user" }, { "content": "Bezier", "role": "assistant" } ]
def x(address, pty, blocking): client = socket.socket(socket.AF_INET, socket.SOCK_STREAM) client.connect(address) while 1: data = pty.read(4096, blocking=blocking) if not data and not pty.isalive(): while not data and not pty.iseof(): data += pty.read(4096, blocking=blocking) if not data: try: client.send(b'') except socket.error: pass break try: client.send(data) except socket.error: break client.close()
read_in_thread
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(address, pty, blocking):\n client = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n client.connect(address)\n while 1:\n data = pty.read(4096, blocking=blocking)\n if not data and not pty.isalive():\n while not data and not pty.iseof():\n data += pty.read(4096, blocking=blocking)\n if not data:\n try:\n client.send(b'')\n except socket.error:\n pass\n break\n try:\n client.send(data)\n except socket.error:\n break\n client.close()\n", "role": "user" }, { "content": "read_in_thread", "role": "assistant" } ]
def x(cls, argv, cwd=None, env=None, dimensions=(24, 80)): if isinstance(argv, str): argv = shlex.split(argv, posix=False) if not isinstance(argv, (list, tuple)): raise TypeError('Expected a list or tuple for argv, got %r' % argv) argv = argv[:] command = argv[0] env = env or os.environ path = env.get('PATH', os.defpath) command_with_path = which(command, path=path) if command_with_path is None: raise FileNotFoundError('The command was not found or was not ' + 'executable: %s.' % command) command = command_with_path argv[0] = command cmdline = ' ' + subprocess.list2cmdline(argv[1:]) cwd = cwd or os.getcwd() proc = PTY(dimensions[1], dimensions[0]) envStrs = [] for key, value in env.items(): envStrs.append('%s=%s' % (key, value)) env = '\x00'.join(envStrs) + '\x00' if PY2: command = _unicode(command) cwd = _unicode(cwd) cmdline = _unicode(cmdline) env = _unicode(env) if len(argv) == 1: proc.spawn(command, cwd=cwd, env=env) else: proc.spawn(command, cwd=cwd, env=env, cmdline=cmdline) inst = cls(proc) inst._winsize = dimensions inst.argv = argv if env is not None: inst.env = env if cwd is not None: inst.launch_dir = cwd return inst
spawn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, argv, cwd=None, env=None, dimensions=(24, 80)):\n if isinstance(argv, str):\n argv = shlex.split(argv, posix=False)\n if not isinstance(argv, (list, tuple)):\n raise TypeError('Expected a list or tuple for argv, got %r' % argv)\n argv = argv[:]\n command = argv[0]\n env = env or os.environ\n path = env.get('PATH', os.defpath)\n command_with_path = which(command, path=path)\n if command_with_path is None:\n raise FileNotFoundError('The command was not found or was not ' + \n 'executable: %s.' % command)\n command = command_with_path\n argv[0] = command\n cmdline = ' ' + subprocess.list2cmdline(argv[1:])\n cwd = cwd or os.getcwd()\n proc = PTY(dimensions[1], dimensions[0])\n envStrs = []\n for key, value in env.items():\n envStrs.append('%s=%s' % (key, value))\n env = '\\x00'.join(envStrs) + '\\x00'\n if PY2:\n command = _unicode(command)\n cwd = _unicode(cwd)\n cmdline = _unicode(cmdline)\n env = _unicode(env)\n if len(argv) == 1:\n proc.spawn(command, cwd=cwd, env=env)\n else:\n proc.spawn(command, cwd=cwd, env=env, cmdline=cmdline)\n inst = cls(proc)\n inst._winsize = dimensions\n inst.argv = argv\n if env is not None:\n inst.env = env\n if cwd is not None:\n inst.launch_dir = cwd\n return inst\n", "role": "user" }, { "content": "spawn", "role": "assistant" } ]
def x(self, force=False): if not self.closed: self.pty.close() self.fileobj.close() self._server.close() time.sleep(self.delayafterclose) if self.isalive(): if not self.terminate(force): raise IOError('Could not terminate the child.') self.fd = -1 self.closed = True del self.pty self.pty = None
close
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, force=False):\n if not self.closed:\n self.pty.close()\n self.fileobj.close()\n self._server.close()\n time.sleep(self.delayafterclose)\n if self.isalive():\n if not self.terminate(force):\n raise IOError('Could not terminate the child.')\n self.fd = -1\n self.closed = True\n del self.pty\n self.pty = None\n", "role": "user" }, { "content": "close", "role": "assistant" } ]
def x(self, size=1024): data = self.fileobj.recv(size) if not data: self.flag_eof = True raise EOFError('Pty is closed') return self.decoder.decode(data, final=False)
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, size=1024):\n data = self.fileobj.recv(size)\n if not data:\n self.flag_eof = True\n raise EOFError('Pty is closed')\n return self.decoder.decode(data, final=False)\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(self): buf = [] while 1: try: ch = self.read(1) except EOFError: return ''.join(buf) buf.append(ch) if ch == '\n': return ''.join(buf)
readline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n buf = []\n while 1:\n try:\n ch = self.read(1)\n except EOFError:\n return ''.join(buf)\n buf.append(ch)\n if ch == '\\n':\n return ''.join(buf)\n", "role": "user" }, { "content": "readline", "role": "assistant" } ]
def x(self, s): if not self.isalive(): raise EOFError('Pty is closed') if PY2: s = _unicode(s) success, nbytes = self.pty.write(s) if not success: raise IOError('Write failed') return nbytes
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, s):\n if not self.isalive():\n raise EOFError('Pty is closed')\n if PY2:\n s = _unicode(s)\n success, nbytes = self.pty.write(s)\n if not success:\n raise IOError('Write failed')\n return nbytes\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self, force=False): if not self.isalive(): return True self.kill(signal.SIGINT) time.sleep(self.delayafterterminate) if not self.isalive(): return True if force: self.kill(signal.SIGKILL) time.sleep(self.delayafterterminate) if not self.isalive(): return True else: return False
terminate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, force=False):\n if not self.isalive():\n return True\n self.kill(signal.SIGINT)\n time.sleep(self.delayafterterminate)\n if not self.isalive():\n return True\n if force:\n self.kill(signal.SIGKILL)\n time.sleep(self.delayafterterminate)\n if not self.isalive():\n return True\n else:\n return False\n", "role": "user" }, { "content": "terminate", "role": "assistant" } ]
def x(self, char): char = char.lower() a = ord(char) if 97 <= a <= 122: a = a - ord('a') + 1 byte = bytes([a]) return self.pty.write(byte.decode('utf-8')), byte d = {'@': 0, '`': 0, '[': 27, '{': 27, '\\': 28, '|': 28, ']': 29, '}': 29, '^': 30, '~': 30, '_': 31, '?': 127} if char not in d: return 0, b'' byte = bytes([d[char]]) return self.pty.write(byte.decode('utf-8')), byte
sendcontrol
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, char):\n char = char.lower()\n a = ord(char)\n if 97 <= a <= 122:\n a = a - ord('a') + 1\n byte = bytes([a])\n return self.pty.write(byte.decode('utf-8')), byte\n d = {'@': 0, '`': 0, '[': 27, '{': 27, '\\\\': 28, '|': 28, ']': 29, '}':\n 29, '^': 30, '~': 30, '_': 31, '?': 127}\n if char not in d:\n return 0, b''\n byte = bytes([d[char]])\n return self.pty.write(byte.decode('utf-8')), byte\n", "role": "user" }, { "content": "sendcontrol", "role": "assistant" } ]
def x(self, rows, cols): self._winsize = rows, cols self.pty.set_size(cols, rows)
setwinsize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rows, cols):\n self._winsize = rows, cols\n self.pty.set_size(cols, rows)\n", "role": "user" }, { "content": "setwinsize", "role": "assistant" } ]
def x(self, length=1000, blocking=False): size_p = PLARGE_INTEGER(LARGE_INTEGER(0)) if not blocking: windll.kernel32.GetFileSizeEx(self.conout_pipe, size_p) size = size_p[0] length = min(size, length) data = ctypes.create_string_buffer(length) if length > 0: num_bytes = PLARGE_INTEGER(LARGE_INTEGER(0)) ReadFile(self.conout_pipe, data, length, num_bytes, None) return data.value
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, length=1000, blocking=False):\n size_p = PLARGE_INTEGER(LARGE_INTEGER(0))\n if not blocking:\n windll.kernel32.GetFileSizeEx(self.conout_pipe, size_p)\n size = size_p[0]\n length = min(size, length)\n data = ctypes.create_string_buffer(length)\n if length > 0:\n num_bytes = PLARGE_INTEGER(LARGE_INTEGER(0))\n ReadFile(self.conout_pipe, data, length, num_bytes, None)\n return data.value\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(self, data): data = data.encode('utf-8') data_p = ctypes.create_string_buffer(data) num_bytes = PLARGE_INTEGER(LARGE_INTEGER(0)) bytes_to_write = len(data) success = WriteFile(self.conin_pipe, data_p, bytes_to_write, num_bytes, None) return success, num_bytes[0]
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n data = data.encode('utf-8')\n data_p = ctypes.create_string_buffer(data)\n num_bytes = PLARGE_INTEGER(LARGE_INTEGER(0))\n bytes_to_write = len(data)\n success = WriteFile(self.conin_pipe, data_p, bytes_to_write, num_bytes,\n None)\n return success, num_bytes[0]\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self): windll.kernel32.CloseHandle(self.conout_pipe) windll.kernel32.CloseHandle(self.conin_pipe)
close
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n windll.kernel32.CloseHandle(self.conout_pipe)\n windll.kernel32.CloseHandle(self.conin_pipe)\n", "role": "user" }, { "content": "close", "role": "assistant" } ]
def x(self): succ = windll.kernel32.PeekNamedPipe(self.conout_pipe, None, None, None, None, None) return not bool(succ)
iseof
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n succ = windll.kernel32.PeekNamedPipe(self.conout_pipe, None, None, None,\n None, None)\n return not bool(succ)\n", "role": "user" }, { "content": "iseof", "role": "assistant" } ]
def x(username): try: url = 'https://www.instagram.com/{}/'.format(username) page = requests.get(url) page.raise_for_status() return html.fromstring(page.content) except HTTPError: logging.exception('user profile "{}" not found'.format(username)) except (ConnectionError, socket_error) as e: logging.exception('instagram.com unreachable')
instagram_scrap_profile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(username):\n try:\n url = 'https://www.instagram.com/{}/'.format(username)\n page = requests.get(url)\n page.raise_for_status()\n return html.fromstring(page.content)\n except HTTPError:\n logging.exception('user profile \"{}\" not found'.format(username))\n except (ConnectionError, socket_error) as e:\n logging.exception('instagram.com unreachable')\n", "role": "user" }, { "content": "instagram_scrap_profile", "role": "assistant" } ]
def x(username): try: tree = instagram_scrap_profile(username) return tree.xpath('//script') except AttributeError: logging.exception('scripts not found') return None
instagram_profile_js
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(username):\n try:\n tree = instagram_scrap_profile(username)\n return tree.xpath('//script')\n except AttributeError:\n logging.exception('scripts not found')\n return None\n", "role": "user" }, { "content": "instagram_profile_js", "role": "assistant" } ]
def x(username): scripts = instagram_profile_js(username) source = None if scripts: for script in scripts: if script.text: if script.text[0:SCRIPT_JSON_PREFIX] == 'window._sharedData': source = script.text[SCRIPT_JSON_DATA_INDEX:-1] return source
instagram_profile_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(username):\n scripts = instagram_profile_js(username)\n source = None\n if scripts:\n for script in scripts:\n if script.text:\n if script.text[0:SCRIPT_JSON_PREFIX] == 'window._sharedData':\n source = script.text[SCRIPT_JSON_DATA_INDEX:-1]\n return source\n", "role": "user" }, { "content": "instagram_profile_json", "role": "assistant" } ]
def x(profile, page=0): try: edges = profile['entry_data']['ProfilePage'][page]['graphql']['user'][ 'edge_owner_to_timeline_media']['edges'] return [edge['node'] for edge in edges] except KeyError: logging.exception('path to profile media not found')
get_profile_media
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(profile, page=0):\n try:\n edges = profile['entry_data']['ProfilePage'][page]['graphql']['user'][\n 'edge_owner_to_timeline_media']['edges']\n return [edge['node'] for edge in edges]\n except KeyError:\n logging.exception('path to profile media not found')\n", "role": "user" }, { "content": "get_profile_media", "role": "assistant" } ]
def x(parser, token): try: tagname, username = token.split_contents() return InstagramUserRecentMediaNode(username) except ValueError: raise template.TemplateSyntaxError( '%r tag requires a single argument' % token.contents.split()[0])
instagram_user_recent_media
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parser, token):\n try:\n tagname, username = token.split_contents()\n return InstagramUserRecentMediaNode(username)\n except ValueError:\n raise template.TemplateSyntaxError(\n '%r tag requires a single argument' % token.contents.split()[0])\n", "role": "user" }, { "content": "instagram_user_recent_media", "role": "assistant" } ]
def x(self): bits = self.v == 4 and 32 or 128 return bin(self.ip).split('b')[1].rjust(bits, '0')
bin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n bits = self.v == 4 and 32 or 128\n return bin(self.ip).split('b')[1].rjust(bits, '0')\n", "role": "user" }, { "content": "bin", "role": "assistant" } ]
def x(self): b = self.bin() for i in range(len(b), 0, -1): if b[:i] in self._range[self.v]: return self._range[self.v][b[:i]] return 'UNKNOWN'
info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n b = self.bin()\n for i in range(len(b), 0, -1):\n if b[:i] in self._range[self.v]:\n return self._range[self.v][b[:i]]\n return 'UNKNOWN'\n", "role": "user" }, { "content": "info", "role": "assistant" } ]
def x(self, dq): if dq.startswith('0x'): return self._dqtoi_hex(dq) if ':' in dq: return self._dqtoi_ipv6(dq) elif len(dq) == 32: self.v = 6 return int(dq, 16) if '.' in dq: return self._dqtoi_ipv4(dq) raise ValueError('Invalid address input')
dqtoi
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dq):\n if dq.startswith('0x'):\n return self._dqtoi_hex(dq)\n if ':' in dq:\n return self._dqtoi_ipv6(dq)\n elif len(dq) == 32:\n self.v = 6\n return int(dq, 16)\n if '.' in dq:\n return self._dqtoi_ipv4(dq)\n raise ValueError('Invalid address input')\n", "role": "user" }, { "content": "dqtoi", "role": "assistant" } ]
def x(self, n): if self.v == 4: return '.'.join(map(str, [n >> 24 & 255, n >> 16 & 255, n >> 8 & 255, n & 255])) else: n = '%032x' % n return ':'.join(n[4 * x:4 * x + 4] for x in range(0, 8))
itodq
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, n):\n if self.v == 4:\n return '.'.join(map(str, [n >> 24 & 255, n >> 16 & 255, n >> 8 & \n 255, n & 255]))\n else:\n n = '%032x' % n\n return ':'.join(n[4 * x:4 * x + 4] for x in range(0, 8))\n", "role": "user" }, { "content": "itodq", "role": "assistant" } ]
def x(self): if self.v == 4: quads = self.dq.split('.') try: zero = quads.index('0') if zero == 1 and quads.index('0', zero + 1): quads.pop(zero) quads.pop(zero) return '.'.join(quads) elif zero == 2: quads.pop(zero) return '.'.join(quads) except ValueError: pass return self.dq else: quads = map(lambda q: '%x' % int(q, 16), self.dq.split(':')) quadc = ':%s:' % (':'.join(quads),) zeros = [0, -1] for match in re.finditer('(:[:0]+)', quadc): count = len(match.group(1)) - 1 if count > zeros[0]: zeros = [count, match.start(1)] count, where = zeros if count: quadc = quadc[:where] + ':' + quadc[where + count:] quadc = re.sub('((^:)|(:$))', '', quadc) quadc = re.sub('((^:)|(:$))', '::', quadc) return quadc
to_compressed
[ { "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.v == 4:\n quads = self.dq.split('.')\n try:\n zero = quads.index('0')\n if zero == 1 and quads.index('0', zero + 1):\n quads.pop(zero)\n quads.pop(zero)\n return '.'.join(quads)\n elif zero == 2:\n quads.pop(zero)\n return '.'.join(quads)\n except ValueError:\n pass\n return self.dq\n else:\n quads = map(lambda q: '%x' % int(q, 16), self.dq.split(':'))\n quadc = ':%s:' % (':'.join(quads),)\n zeros = [0, -1]\n for match in re.finditer('(:[:0]+)', quadc):\n count = len(match.group(1)) - 1\n if count > zeros[0]:\n zeros = [count, match.start(1)]\n count, where = zeros\n if count:\n quadc = quadc[:where] + ':' + quadc[where + count:]\n quadc = re.sub('((^:)|(:$))', '', quadc)\n quadc = re.sub('((^:)|(:$))', '::', quadc)\n return quadc\n", "role": "user" }, { "content": "to_compressed", "role": "assistant" } ]
def x(self): if self.v == 4: return self elif self.bin().startswith('0' * 96): return IP(int(self), version=4) elif self.bin().startswith('0' * 80 + '1' * 16): return IP(int(self) & MAX_IPV4, version=4) elif int(self) & BASE_6TO4: return IP(int(self) - BASE_6TO4 >> 80, version=4) else: return ValueError( '%s: IPv6 address is not IPv4 compatible or mapped, nor an 6-to-4 IP' % self.dq)
to_ipv4
[ { "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.v == 4:\n return self\n elif self.bin().startswith('0' * 96):\n return IP(int(self), version=4)\n elif self.bin().startswith('0' * 80 + '1' * 16):\n return IP(int(self) & MAX_IPV4, version=4)\n elif int(self) & BASE_6TO4:\n return IP(int(self) - BASE_6TO4 >> 80, version=4)\n else:\n return ValueError(\n '%s: IPv6 address is not IPv4 compatible or mapped, nor an 6-to-4 IP'\n % self.dq)\n", "role": "user" }, { "content": "to_ipv4", "role": "assistant" } ]
def x(cls, value): value = value.lstrip('b') if len(value) == 32: return cls(int(value, 2)) elif len(value) == 128: return cls(int(value, 2)) else: return ValueError('%r: invalid binary notation' % (value,))
from_bin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, value):\n value = value.lstrip('b')\n if len(value) == 32:\n return cls(int(value, 2))\n elif len(value) == 128:\n return cls(int(value, 2))\n else:\n return ValueError('%r: invalid binary notation' % (value,))\n", "role": "user" }, { "content": "from_bin", "role": "assistant" } ]
def x(cls, value): if len(value) == 8: return cls(int(value, 16)) elif len(value) == 32: return cls(int(value, 16)) else: raise ValueError('%r: invalid hexadecimal notation' % (value,))
from_hex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, value):\n if len(value) == 8:\n return cls(int(value, 16))\n elif len(value) == 32:\n return cls(int(value, 16))\n else:\n raise ValueError('%r: invalid hexadecimal notation' % (value,))\n", "role": "user" }, { "content": "from_hex", "role": "assistant" } ]
def x(self, ip_type='6-to-4'): assert ip_type in ['6-to-4', 'compat', 'mapped' ], 'Conversion ip_type not supported' if self.v == 4: if ip_type == '6-to-4': return IP(BASE_6TO4 | int(self) << 80, version=6) elif ip_type == 'compat': return IP(int(self), version=6) elif ip_type == 'mapped': return IP(65535 << 32 | int(self), version=6) else: return self
to_ipv6
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ip_type='6-to-4'):\n assert ip_type in ['6-to-4', 'compat', 'mapped'\n ], 'Conversion ip_type not supported'\n if self.v == 4:\n if ip_type == '6-to-4':\n return IP(BASE_6TO4 | int(self) << 80, version=6)\n elif ip_type == 'compat':\n return IP(int(self), version=6)\n elif ip_type == 'mapped':\n return IP(65535 << 32 | int(self), version=6)\n else:\n return self\n", "role": "user" }, { "content": "to_ipv6", "role": "assistant" } ]
def x(self): if self.v == 4: return '.'.join(list(self.dq.split('.')[::-1]) + ['in-addr', 'arpa']) else: return '.'.join(list(self.hex())[::-1] + ['ip6', 'arpa'])
to_reverse
[ { "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.v == 4:\n return '.'.join(list(self.dq.split('.')[::-1]) + ['in-addr', 'arpa'])\n else:\n return '.'.join(list(self.hex())[::-1] + ['ip6', 'arpa'])\n", "role": "user" }, { "content": "to_reverse", "role": "assistant" } ]
def x(self): if self.version() == 4: return MAX_IPV4 >> 32 - self.mask << 32 - self.mask else: return MAX_IPV6 >> 128 - self.mask << 128 - self.mask
netmask_long
[ { "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.version() == 4:\n return MAX_IPV4 >> 32 - self.mask << 32 - self.mask\n else:\n return MAX_IPV6 >> 128 - self.mask << 128 - self.mask\n", "role": "user" }, { "content": "netmask_long", "role": "assistant" } ]
def x(self): if self.version() == 4: return self.network_long() | MAX_IPV4 - self.netmask_long() else: return self.network_long() | MAX_IPV6 - self.netmask_long()
broadcast_long
[ { "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.version() == 4:\n return self.network_long() | MAX_IPV4 - self.netmask_long()\n else:\n return self.network_long() | MAX_IPV6 - self.netmask_long()\n", "role": "user" }, { "content": "broadcast_long", "role": "assistant" } ]
def x(self): if self.version() == 4 and self.mask > 30 or self.version( ) == 6 and self.mask > 126: return self else: return IP(self.network_long() + 1, version=self.version())
host_first
[ { "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.version() == 4 and self.mask > 30 or self.version(\n ) == 6 and self.mask > 126:\n return self\n else:\n return IP(self.network_long() + 1, version=self.version())\n", "role": "user" }, { "content": "host_first", "role": "assistant" } ]
def x(self): if self.version() == 4 and self.mask == 32 or self.version( ) == 6 and self.mask == 128: return self elif self.version() == 4 and self.mask == 31 or self.version( ) == 6 and self.mask == 127: return IP(int(self) + 1, version=self.version()) else: return IP(self.broadcast_long() - 1, version=self.version())
host_last
[ { "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.version() == 4 and self.mask == 32 or self.version(\n ) == 6 and self.mask == 128:\n return self\n elif self.version() == 4 and self.mask == 31 or self.version(\n ) == 6 and self.mask == 127:\n return IP(int(self) + 1, version=self.version())\n else:\n return IP(self.broadcast_long() - 1, version=self.version())\n", "role": "user" }, { "content": "host_last", "role": "assistant" } ]
def x(self, other): other = Network(other) return self.network_long() <= other.network_long() <= self.broadcast_long( ) or other.network_long() <= self.network_long( ) <= other.broadcast_long()
check_collision
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n other = Network(other)\n return self.network_long() <= other.network_long() <= self.broadcast_long(\n ) or other.network_long() <= self.network_long(\n ) <= other.broadcast_long()\n", "role": "user" }, { "content": "check_collision", "role": "assistant" } ]
def x(self, context): listitems = self._visible_models(context['request']) models = [{'name': model._meta.model_name, 'app_name': model._meta. app_label, 'title': capfirst(model._meta.verbose_name_plural), 'url': self._get_admin_change_url(model, context)} for model, perms in listitems if self.is_item_visible(model, perms)] sort_cms_models(models) for model in models: self.children.append(items.MenuItem(title=model['title'], url=model ['url']))
init_with_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, context):\n listitems = self._visible_models(context['request'])\n models = [{'name': model._meta.model_name, 'app_name': model._meta.\n app_label, 'title': capfirst(model._meta.verbose_name_plural),\n 'url': self._get_admin_change_url(model, context)} for model, perms in\n listitems if self.is_item_visible(model, perms)]\n sort_cms_models(models)\n for model in models:\n self.children.append(items.MenuItem(title=model['title'], url=model\n ['url']))\n", "role": "user" }, { "content": "init_with_context", "role": "assistant" } ]
def x(self, context): super(ReturnToSiteItem, self).init_with_context(context) edited_model = self.get_edited_object(context['request']) if edited_model: try: url = edited_model.get_absolute_url() except (AttributeError, urls.NoReverseMatch) as e: pass else: if url: self.url = url
init_with_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, context):\n super(ReturnToSiteItem, self).init_with_context(context)\n edited_model = self.get_edited_object(context['request'])\n if edited_model:\n try:\n url = edited_model.get_absolute_url()\n except (AttributeError, urls.NoReverseMatch) as e:\n pass\n else:\n if url:\n self.url = url\n", "role": "user" }, { "content": "init_with_context", "role": "assistant" } ]
def x(self, request): resolvermatch = urls.resolve(request.path_info) if (resolvermatch.namespace == 'admin' and resolvermatch.url_name and resolvermatch.url_name.endswith('_change')): match = RE_CHANGE_URL.match(resolvermatch.url_name) if not match: return None try: object_id = resolvermatch.kwargs['object_id'] except KeyError: object_id = resolvermatch.args[0] return self.get_object_by_natural_key(match.group(1), match.group(2 ), object_id) return None
get_edited_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n resolvermatch = urls.resolve(request.path_info)\n if (resolvermatch.namespace == 'admin' and resolvermatch.url_name and\n resolvermatch.url_name.endswith('_change')):\n match = RE_CHANGE_URL.match(resolvermatch.url_name)\n if not match:\n return None\n try:\n object_id = resolvermatch.kwargs['object_id']\n except KeyError:\n object_id = resolvermatch.args[0]\n return self.get_object_by_natural_key(match.group(1), match.group(2\n ), object_id)\n return None\n", "role": "user" }, { "content": "get_edited_object", "role": "assistant" } ]
def x(self, app_label, model_name, object_id): try: model_type = ContentType.objects.get_by_natural_key(app_label, model_name) except ContentType.DoesNotExist: return None ModelClass = model_type.model_class() if not hasattr(ModelClass, 'get_absolute_url'): return None try: return model_type.get_object_for_this_type(pk=object_id) except ObjectDoesNotExist: return None
get_object_by_natural_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app_label, model_name, object_id):\n try:\n model_type = ContentType.objects.get_by_natural_key(app_label,\n model_name)\n except ContentType.DoesNotExist:\n return None\n ModelClass = model_type.model_class()\n if not hasattr(ModelClass, 'get_absolute_url'):\n return None\n try:\n return model_type.get_object_for_this_type(pk=object_id)\n except ObjectDoesNotExist:\n return None\n", "role": "user" }, { "content": "get_object_by_natural_key", "role": "assistant" } ]
def x(self): return PersonalModule(layout='inline', draggable=False, deletable=False, collapsible=False)
get_personal_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return PersonalModule(layout='inline', draggable=False, deletable=False,\n collapsible=False)\n", "role": "user" }, { "content": "get_personal_module", "role": "assistant" } ]
def x(self): modules = [] appgroups = get_application_groups() for title, kwargs in appgroups: AppListClass = get_class(kwargs.pop('module')) modules.append(AppListClass(title, **kwargs)) return modules
get_application_modules
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n modules = []\n appgroups = get_application_groups()\n for title, kwargs in appgroups:\n AppListClass = get_class(kwargs.pop('module'))\n modules.append(AppListClass(title, **kwargs))\n return modules\n", "role": "user" }, { "content": "get_application_modules", "role": "assistant" } ]
def x(self): return modules.RecentActions(_('Recent Actions'), include_list=self. get_app_content_types(), limit=5, enabled=False, collapsible=False)
get_recent_actions_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return modules.RecentActions(_('Recent Actions'), include_list=self.\n get_app_content_types(), limit=5, enabled=False, collapsible=False)\n", "role": "user" }, { "content": "get_recent_actions_module", "role": "assistant" } ]
def x(): groups = [] for title, groupdict in appsettings.FLUENT_DASHBOARD_APP_GROUPS: module_kwargs = groupdict.copy() if '*' in groupdict['models']: default_module = appsettings.FLUENT_DASHBOARD_DEFAULT_MODULE module_kwargs['exclude'] = ALL_KNOWN_APPS + list(module_kwargs. get('exclude', [])) del module_kwargs['models'] else: default_module = 'CmsAppIconList' module = groupdict.get('module', default_module) if module in MODULE_ALIASES: module = MODULE_ALIASES[module] module_kwargs['module'] = module groups.append((title, module_kwargs)) return groups
get_application_groups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n groups = []\n for title, groupdict in appsettings.FLUENT_DASHBOARD_APP_GROUPS:\n module_kwargs = groupdict.copy()\n if '*' in groupdict['models']:\n default_module = appsettings.FLUENT_DASHBOARD_DEFAULT_MODULE\n module_kwargs['exclude'] = ALL_KNOWN_APPS + list(module_kwargs.\n get('exclude', []))\n del module_kwargs['models']\n else:\n default_module = 'CmsAppIconList'\n module = groupdict.get('module', default_module)\n if module in MODULE_ALIASES:\n module = MODULE_ALIASES[module]\n module_kwargs['module'] = module\n groups.append((title, module_kwargs))\n return groups\n", "role": "user" }, { "content": "get_application_groups", "role": "assistant" } ]
def x(cms_models): cms_models.sort(key=lambda model: (get_cms_model_order(model['name']) if is_cms_app(model['app_name']) else 999, model['app_name'], model[ 'title']))
sort_cms_models
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cms_models):\n cms_models.sort(key=lambda model: (get_cms_model_order(model['name']) if\n is_cms_app(model['app_name']) else 999, model['app_name'], model[\n 'title']))\n", "role": "user" }, { "content": "sort_cms_models", "role": "assistant" } ]
def x(app_name): for pat in appsettings.FLUENT_DASHBOARD_CMS_APP_NAMES: if fnmatch(app_name, pat): return True return False
is_cms_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app_name):\n for pat in appsettings.FLUENT_DASHBOARD_CMS_APP_NAMES:\n if fnmatch(app_name, pat):\n return True\n return False\n", "role": "user" }, { "content": "is_cms_app", "role": "assistant" } ]
def x(model_name): for name, order in iteritems(appsettings.FLUENT_DASHBOARD_CMS_MODEL_ORDER): if name in model_name: return order return 999
get_cms_model_order
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(model_name):\n for name, order in iteritems(appsettings.FLUENT_DASHBOARD_CMS_MODEL_ORDER):\n if name in model_name:\n return order\n return 999\n", "role": "user" }, { "content": "get_cms_model_order", "role": "assistant" } ]
def x(self, context): site_name = get_admin_site_name(context) self.children += [items.MenuItem(_('Dashboard'), reverse('{0}:index'. format(site_name))), items.Bookmarks()] for title, kwargs in get_application_groups(): if kwargs.get('enabled', True): self.children.append(CmsModelList(title, **kwargs)) self.children += [ReturnToSiteItem()]
init_with_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, context):\n site_name = get_admin_site_name(context)\n self.children += [items.MenuItem(_('Dashboard'), reverse('{0}:index'.\n format(site_name))), items.Bookmarks()]\n for title, kwargs in get_application_groups():\n if kwargs.get('enabled', True):\n self.children.append(CmsModelList(title, **kwargs))\n self.children += [ReturnToSiteItem()]\n", "role": "user" }, { "content": "init_with_context", "role": "assistant" } ]
def x(self, context): super(PersonalModule, self).init_with_context(context) current_user = context['request'].user if django.VERSION < (1, 5): current_username = current_user.first_name or current_user.username else: current_username = current_user.get_short_name( ) or current_user.get_username() site_name = get_admin_site_name(context) self.title = _('Welcome,') + ' ' + current_username self.pages_link = None self.pages_title = None self.password_link = reverse('{0}:password_change'.format(site_name)) self.logout_link = reverse('{0}:logout'.format(site_name)) if self.cms_page_model: try: app_label, model_name = self.cms_page_model model = apps.get_model(app_label, model_name) pages_title = model._meta.verbose_name_plural.lower() pages_link = reverse('{site}:{app}_{model}_changelist'.format( site=site_name, app=app_label.lower(), model=model_name. lower())) except AttributeError: raise ImproperlyConfigured( 'The value {0} of FLUENT_DASHBOARD_CMS_PAGE_MODEL setting (or cms_page_model value) does not reffer to an existing model.' .format(self.cms_page_model)) except NoReverseMatch: pass else: permission_name = 'change_{0}'.format(model._meta.model_name. lower()) if current_user.has_perm('{0}.{1}'.format(model._meta.app_label, permission_name)): self.pages_title = pages_title self.pages_link = pages_link
init_with_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, context):\n super(PersonalModule, self).init_with_context(context)\n current_user = context['request'].user\n if django.VERSION < (1, 5):\n current_username = current_user.first_name or current_user.username\n else:\n current_username = current_user.get_short_name(\n ) or current_user.get_username()\n site_name = get_admin_site_name(context)\n self.title = _('Welcome,') + ' ' + current_username\n self.pages_link = None\n self.pages_title = None\n self.password_link = reverse('{0}:password_change'.format(site_name))\n self.logout_link = reverse('{0}:logout'.format(site_name))\n if self.cms_page_model:\n try:\n app_label, model_name = self.cms_page_model\n model = apps.get_model(app_label, model_name)\n pages_title = model._meta.verbose_name_plural.lower()\n pages_link = reverse('{site}:{app}_{model}_changelist'.format(\n site=site_name, app=app_label.lower(), model=model_name.\n lower()))\n except AttributeError:\n raise ImproperlyConfigured(\n 'The value {0} of FLUENT_DASHBOARD_CMS_PAGE_MODEL setting (or cms_page_model value) does not reffer to an existing model.'\n .format(self.cms_page_model))\n except NoReverseMatch:\n pass\n else:\n permission_name = 'change_{0}'.format(model._meta.model_name.\n lower())\n if current_user.has_perm('{0}.{1}'.format(model._meta.app_label,\n permission_name)):\n self.pages_title = pages_title\n self.pages_link = pages_link\n", "role": "user" }, { "content": "init_with_context", "role": "assistant" } ]
def x(self, context): super(AppIconList, self).init_with_context(context) apps = self.children for app in apps: app_name = self._get_app_name(app) app['name'] = app_name for model in app['models']: try: model_name = self._get_model_name(model) model['name'] = model_name model['icon'] = self.get_icon_for_model(app_name, model_name ) or appsettings.FLUENT_DASHBOARD_DEFAULT_ICON except ValueError: model['icon'] = appsettings.FLUENT_DASHBOARD_DEFAULT_ICON model['icon'] = self.get_icon_url(model['icon']) model['app_name'] = app_name
init_with_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, context):\n super(AppIconList, self).init_with_context(context)\n apps = self.children\n for app in apps:\n app_name = self._get_app_name(app)\n app['name'] = app_name\n for model in app['models']:\n try:\n model_name = self._get_model_name(model)\n model['name'] = model_name\n model['icon'] = self.get_icon_for_model(app_name, model_name\n ) or appsettings.FLUENT_DASHBOARD_DEFAULT_ICON\n except ValueError:\n model['icon'] = appsettings.FLUENT_DASHBOARD_DEFAULT_ICON\n model['icon'] = self.get_icon_url(model['icon'])\n model['app_name'] = app_name\n", "role": "user" }, { "content": "init_with_context", "role": "assistant" } ]
def x(self, modeldata): if 'change_url' in modeldata: return modeldata['change_url'].strip('/').split('/')[-1] elif 'add_url' in modeldata: return modeldata['add_url'].strip('/').split('/')[-2] else: raise ValueError( 'Missing attributes in modeldata to find the model name!')
get_model_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, modeldata):\n if 'change_url' in modeldata:\n return modeldata['change_url'].strip('/').split('/')[-1]\n elif 'add_url' in modeldata:\n return modeldata['add_url'].strip('/').split('/')[-2]\n else:\n raise ValueError(\n 'Missing attributes in modeldata to find the model name!')\n", "role": "user" }, { "content": "get_model_name", "role": "assistant" } ]
def x(self, app_name, model_name, default=None): key = '{0}/{1}'.format(app_name, model_name) return appsettings.FLUENT_DASHBOARD_APP_ICONS.get(key, default)
get_icon_for_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app_name, model_name, default=None):\n key = '{0}/{1}'.format(app_name, model_name)\n return appsettings.FLUENT_DASHBOARD_APP_ICONS.get(key, default)\n", "role": "user" }, { "content": "get_icon_for_model", "role": "assistant" } ]