source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(obj, traverse_bases=True, filter=default_filter, recursive=True): if filter is None: filter = _true out = [] stack = collections.deque((obj,)) while stack: obj = stack.popleft() if traverse_bases and isinstance(obj, _CLASS_TYPES): roots = [base for base in inspect.getmro(obj) if base not in ( type, object)] else: roots = [obj] members = [] seen = set() for root in roots: for name, value in _iteritems(getattr(root, '__dict__', {})): if name not in seen and filter(name, value): members.append((name, value)) seen.add(name) members = sorted(members) for _, value in members: if recursive and isinstance(value, _CLASS_TYPES): stack.append(value) out.extend(members) return out
get_members
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, traverse_bases=True, filter=default_filter, recursive=True):\n if filter is None:\n filter = _true\n out = []\n stack = collections.deque((obj,))\n while stack:\n obj = stack.popleft()\n if traverse_bases and isinstance(obj, _CLASS_TYPES):\n roots = [base for base in inspect.getmro(obj) if base not in (\n type, object)]\n else:\n roots = [obj]\n members = []\n seen = set()\n for root in roots:\n for name, value in _iteritems(getattr(root, '__dict__', {})):\n if name not in seen and filter(name, value):\n members.append((name, value))\n seen.add(name)\n members = sorted(members)\n for _, value in members:\n if recursive and isinstance(value, _CLASS_TYPES):\n stack.append(value)\n out.extend(members)\n return out\n", "role": "user" }, { "content": "get_members", "role": "assistant" } ]
def x(root, recursive=True): yield root stack = collections.deque((root,)) while stack: package = stack.popleft() paths = getattr(package, '__path__', []) for path in paths: modules = pkgutil.iter_modules([path]) for finder, name, is_package in modules: module_name = '%s.%s' % (package.__name__, name) module = sys.modules.get(module_name, None) if module is None: module = _load_module(finder, module_name) if is_package: if recursive: stack.append(module) yield module else: yield module
module_iterator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(root, recursive=True):\n yield root\n stack = collections.deque((root,))\n while stack:\n package = stack.popleft()\n paths = getattr(package, '__path__', [])\n for path in paths:\n modules = pkgutil.iter_modules([path])\n for finder, name, is_package in modules:\n module_name = '%s.%s' % (package.__name__, name)\n module = sys.modules.get(module_name, None)\n if module is None:\n module = _load_module(finder, module_name)\n if is_package:\n if recursive:\n stack.append(module)\n yield module\n else:\n yield module\n", "role": "user" }, { "content": "module_iterator", "role": "assistant" } ]
def x(self, **kwargs): for key, value in _iteritems(kwargs): if key == 'settings': if isinstance(value, dict): if self.settings is None: self.settings = Settings(**value) else: self.settings._update(**value) else: self.settings = copy.deepcopy(value) else: setattr(self, key, value)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n for key, value in _iteritems(kwargs):\n if key == 'settings':\n if isinstance(value, dict):\n if self.settings is None:\n self.settings = Settings(**value)\n else:\n self.settings._update(**value)\n else:\n self.settings = copy.deepcopy(value)\n else:\n setattr(self, key, value)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, path, action, data=''): head = self.base_url if path.startswith(head): path = path[len(head):] path = quote_plus(path, safe='/') if not path.startswith(self.api): path = self.api + path log.debug('Using path %s' % path) if data: data = json.dumps(data) log.debug('Data to sent: %s' % data) if self.private_key and self.public_key: timestamp = str(int(time.time())) log.debug('Using timestamp: {}'.format(timestamp)) unhashed = path + timestamp + str(data) log.debug('Using message: {}'.format(unhashed)) self.hash = hmac.new(str.encode(self.private_key), msg=unhashed. encode('utf-8'), digestmod=hashlib.sha256).hexdigest() log.debug('Authenticating with hash: %s' % self.hash) self.headers['X-Public-Key'] = self.public_key self.headers['X-Request-Hash'] = self.hash self.headers['X-Request-Timestamp'] = timestamp auth = False elif self.username and self.password: auth = requests.auth.HTTPBasicAuth(self.username, self.password) if self.unlock_reason: self.headers['X-Unlock-Reason'] = self.unlock_reason log.info('Unlock Reason: %s' % self.unlock_reason) url = head + path try: if action == 'get': log.debug('GET request %s' % url) self.req = requests.get(url, headers=self.headers, auth=auth, verify=False) elif action == 'post': log.debug('POST request %s' % url) self.req = requests.post(url, headers=self.headers, auth=auth, verify=False, data=data) elif action == 'put': log.debug('PUT request %s' % url) self.req = requests.put(url, headers=self.headers, auth=auth, verify=False, data=data) elif action == 'delete': log.debug('DELETE request %s' % url) self.req = requests.delete(url, headers=self.headers, verify= False, auth=auth) if self.req.content == b'': result = None log.debug('No result returned.') else: result = self.req.json() if 'error' in result and result['error']: raise TPMException(result['message']) except requests.exceptions.RequestException as e: log.critical('Connection error for ' + str(e)) raise TPMException('Connection error for ' + str(e)) except ValueError as e: if self.req.status_code == 403: log.warning(url + ' forbidden') raise TPMException(url + ' forbidden') elif self.req.status_code == 404: log.warning(url + ' forbidden') raise TPMException(url + ' not found') else: message = '%s: %s %s' % (e, self.req.url, self.req.text) log.debug(message) raise ValueError(message) return result
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, action, data=''):\n head = self.base_url\n if path.startswith(head):\n path = path[len(head):]\n path = quote_plus(path, safe='/')\n if not path.startswith(self.api):\n path = self.api + path\n log.debug('Using path %s' % path)\n if data:\n data = json.dumps(data)\n log.debug('Data to sent: %s' % data)\n if self.private_key and self.public_key:\n timestamp = str(int(time.time()))\n log.debug('Using timestamp: {}'.format(timestamp))\n unhashed = path + timestamp + str(data)\n log.debug('Using message: {}'.format(unhashed))\n self.hash = hmac.new(str.encode(self.private_key), msg=unhashed.\n encode('utf-8'), digestmod=hashlib.sha256).hexdigest()\n log.debug('Authenticating with hash: %s' % self.hash)\n self.headers['X-Public-Key'] = self.public_key\n self.headers['X-Request-Hash'] = self.hash\n self.headers['X-Request-Timestamp'] = timestamp\n auth = False\n elif self.username and self.password:\n auth = requests.auth.HTTPBasicAuth(self.username, self.password)\n if self.unlock_reason:\n self.headers['X-Unlock-Reason'] = self.unlock_reason\n log.info('Unlock Reason: %s' % self.unlock_reason)\n url = head + path\n try:\n if action == 'get':\n log.debug('GET request %s' % url)\n self.req = requests.get(url, headers=self.headers, auth=auth,\n verify=False)\n elif action == 'post':\n log.debug('POST request %s' % url)\n self.req = requests.post(url, headers=self.headers, auth=auth,\n verify=False, data=data)\n elif action == 'put':\n log.debug('PUT request %s' % url)\n self.req = requests.put(url, headers=self.headers, auth=auth,\n verify=False, data=data)\n elif action == 'delete':\n log.debug('DELETE request %s' % url)\n self.req = requests.delete(url, headers=self.headers, verify=\n False, auth=auth)\n if self.req.content == b'':\n result = None\n log.debug('No result returned.')\n else:\n result = self.req.json()\n if 'error' in result and result['error']:\n raise TPMException(result['message'])\n except requests.exceptions.RequestException as e:\n log.critical('Connection error for ' + str(e))\n raise TPMException('Connection error for ' + str(e))\n except ValueError as e:\n if self.req.status_code == 403:\n log.warning(url + ' forbidden')\n raise TPMException(url + ' forbidden')\n elif self.req.status_code == 404:\n log.warning(url + ' forbidden')\n raise TPMException(url + ' not found')\n else:\n message = '%s: %s %s' % (e, self.req.url, self.req.text)\n log.debug(message)\n raise ValueError(message)\n return result\n", "role": "user" }, { "content": "request", "role": "assistant" } ]
def x(self, path): while True: items = self.get(path) req = self.req for item in items: yield item if req.links and req.links['next'] and req.links['next']['rel' ] == 'next': path = req.links['next']['url'] else: break
get_collection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n while True:\n items = self.get(path)\n req = self.req\n for item in items:\n yield item\n if req.links and req.links['next'] and req.links['next']['rel'\n ] == 'next':\n path = req.links['next']['url']\n else:\n break\n", "role": "user" }, { "content": "get_collection", "role": "assistant" } ]
def x(self, path): data = [] for item in self.get_collection(path): data.append(item) return data
collection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n data = []\n for item in self.get_collection(path):\n data.append(item)\n return data\n", "role": "user" }, { "content": "collection", "role": "assistant" } ]
def x(self, searchstring): log.debug('List all projects with: %s' % searchstring) return self.collection('projects/search/%s.json' % quote_plus(searchstring) )
list_projects_search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, searchstring):\n log.debug('List all projects with: %s' % searchstring)\n return self.collection('projects/search/%s.json' % quote_plus(searchstring)\n )\n", "role": "user" }, { "content": "list_projects_search", "role": "assistant" } ]
def x(self, data): log.info('Create project: %s' % data) NewID = self.post('projects.json', data).get('id') log.info('Project has been created with ID %s' % NewID) return NewID
create_project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n log.info('Create project: %s' % data)\n NewID = self.post('projects.json', data).get('id')\n log.info('Project has been created with ID %s' % NewID)\n return NewID\n", "role": "user" }, { "content": "create_project", "role": "assistant" } ]
def x(self, ID, data): log.info('Update project %s with %s' % (ID, data)) self.put('projects/%s.json' % ID, data)
update_project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ID, data):\n log.info('Update project %s with %s' % (ID, data))\n self.put('projects/%s.json' % ID, data)\n", "role": "user" }, { "content": "update_project", "role": "assistant" } ]
def x(self, ID, NewParrentID): log.info('Change parrent for project %s to %s' % (ID, NewParrentID)) data = {'parent_id': NewParrentID} self.put('projects/%s/change_parent.json' % ID, data)
change_parent_of_project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ID, NewParrentID):\n log.info('Change parrent for project %s to %s' % (ID, NewParrentID))\n data = {'parent_id': NewParrentID}\n self.put('projects/%s/change_parent.json' % ID, data)\n", "role": "user" }, { "content": "change_parent_of_project", "role": "assistant" } ]
def x(self, ID, data): log.info('Update project %s security %s' % (ID, data)) self.put('projects/%s/security.json' % ID, data)
update_security_of_project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ID, data):\n log.info('Update project %s security %s' % (ID, data))\n self.put('projects/%s/security.json' % ID, data)\n", "role": "user" }, { "content": "update_security_of_project", "role": "assistant" } ]
def x(self, searchstring): log.debug('List all passwords with: %s' % searchstring) return self.collection('passwords/search/%s.json' % quote_plus( searchstring))
list_passwords_search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, searchstring):\n log.debug('List all passwords with: %s' % searchstring)\n return self.collection('passwords/search/%s.json' % quote_plus(\n searchstring))\n", "role": "user" }, { "content": "list_passwords_search", "role": "assistant" } ]
def x(self, data): log.info('Create new password %s' % data) NewID = self.post('passwords.json', data).get('id') log.info('Password has been created with ID %s' % NewID) return NewID
create_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n log.info('Create new password %s' % data)\n NewID = self.post('passwords.json', data).get('id')\n log.info('Password has been created with ID %s' % NewID)\n return NewID\n", "role": "user" }, { "content": "create_password", "role": "assistant" } ]
def x(self, ID, data): log.info('Update Password %s with %s' % (ID, data)) self.put('passwords/%s.json' % ID, data)
update_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ID, data):\n log.info('Update Password %s with %s' % (ID, data))\n self.put('passwords/%s.json' % ID, data)\n", "role": "user" }, { "content": "update_password", "role": "assistant" } ]
def x(self, ID, data): log.info('Update security of password %s with %s' % (ID, data)) self.put('passwords/%s/security.json' % ID, data)
update_security_of_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ID, data):\n log.info('Update security of password %s with %s' % (ID, data))\n self.put('passwords/%s/security.json' % ID, data)\n", "role": "user" }, { "content": "update_security_of_password", "role": "assistant" } ]
def x(self, ID, data): log.info('Update custom fields of password %s with %s' % (ID, data)) self.put('passwords/%s/custom_fields.json' % ID, data)
update_custom_fields_of_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ID, data):\n log.info('Update custom fields of password %s with %s' % (ID, data))\n self.put('passwords/%s/custom_fields.json' % ID, data)\n", "role": "user" }, { "content": "update_custom_fields_of_password", "role": "assistant" } ]
def x(self, ID, reason): log.info('Unlock password %s, Reason: %s' % (ID, reason)) self.unlock_reason = reason self.put('passwords/%s/unlock.json' % ID)
unlock_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ID, reason):\n log.info('Unlock password %s, Reason: %s' % (ID, reason))\n self.unlock_reason = reason\n self.put('passwords/%s/unlock.json' % ID)\n", "role": "user" }, { "content": "unlock_password", "role": "assistant" } ]
def x(self, searchstring): log.debug('List MyPasswords with %s' % searchstring) return self.collection('my_passwords/search/%s.json' % quote_plus( searchstring))
list_mypasswords_search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, searchstring):\n log.debug('List MyPasswords with %s' % searchstring)\n return self.collection('my_passwords/search/%s.json' % quote_plus(\n searchstring))\n", "role": "user" }, { "content": "list_mypasswords_search", "role": "assistant" } ]
def x(self, data): log.info('Create MyPassword with %s' % data) NewID = self.post('my_passwords.json', data).get('id') log.info('MyPassword has been created with %s' % NewID) return NewID
create_mypassword
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n log.info('Create MyPassword with %s' % data)\n NewID = self.post('my_passwords.json', data).get('id')\n log.info('MyPassword has been created with %s' % NewID)\n return NewID\n", "role": "user" }, { "content": "create_mypassword", "role": "assistant" } ]
def x(self, ID, data): log.info('Update MyPassword %s with %s' % (ID, data)) self.put('my_passwords/%s.json' % ID, data)
update_mypassword
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ID, data):\n log.info('Update MyPassword %s with %s' % (ID, data))\n self.put('my_passwords/%s.json' % ID, data)\n", "role": "user" }, { "content": "update_mypassword", "role": "assistant" } ]
def x(self, data): log.info('Create user with %s' % data) NewID = self.post('users.json', data).get('id') log.info('User has been created with ID %s' % NewID) return NewID
create_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n log.info('Create user with %s' % data)\n NewID = self.post('users.json', data).get('id')\n log.info('User has been created with ID %s' % NewID)\n return NewID\n", "role": "user" }, { "content": "create_user", "role": "assistant" } ]
def x(self, ID, data): log.info('Update user %s with %s' % (ID, data)) self.put('users/%s.json' % ID, data)
update_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ID, data):\n log.info('Update user %s with %s' % (ID, data))\n self.put('users/%s.json' % ID, data)\n", "role": "user" }, { "content": "update_user", "role": "assistant" } ]
def x(self, ID, data): log.info('Change user %s password' % ID) self.put('users/%s/change_password.json' % ID, data)
change_user_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ID, data):\n log.info('Change user %s password' % ID)\n self.put('users/%s/change_password.json' % ID, data)\n", "role": "user" }, { "content": "change_user_password", "role": "assistant" } ]
def x(self, ID, DN): data = {'login_dn': DN} log.info('Convert User %s to LDAP DN %s' % (ID, DN)) self.put('users/%s/convert_to_ldap.json' % ID, data)
convert_user_to_ldap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ID, DN):\n data = {'login_dn': DN}\n log.info('Convert User %s to LDAP DN %s' % (ID, DN))\n self.put('users/%s/convert_to_ldap.json' % ID, data)\n", "role": "user" }, { "content": "convert_user_to_ldap", "role": "assistant" } ]
def x(self, data): log.info('Create group with %s' % data) NewID = self.post('groups.json', data).get('id') log.info('Group has been created with ID %s' % NewID) return NewID
create_group
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n log.info('Create group with %s' % data)\n NewID = self.post('groups.json', data).get('id')\n log.info('Group has been created with ID %s' % NewID)\n return NewID\n", "role": "user" }, { "content": "create_group", "role": "assistant" } ]
def x(self, ID, data): log.info('Update group %s with %s' % (ID, data)) self.put('groups/%s.json' % ID, data)
update_group
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ID, data):\n log.info('Update group %s with %s' % (ID, data))\n self.put('groups/%s.json' % ID, data)\n", "role": "user" }, { "content": "update_group", "role": "assistant" } ]
def x(self, GroupID, UserID): log.info('Add User %s to Group %s' % (UserID, GroupID)) self.put('groups/%s/add_user/%s.json' % (GroupID, UserID))
add_user_to_group
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, GroupID, UserID):\n log.info('Add User %s to Group %s' % (UserID, GroupID))\n self.put('groups/%s/add_user/%s.json' % (GroupID, UserID))\n", "role": "user" }, { "content": "add_user_to_group", "role": "assistant" } ]
def x(self, GroupID, UserID): log.info('Delete user %s from group %s' % (UserID, GroupID)) self.put('groups/%s/delete_user/%s.json' % (GroupID, UserID))
delete_user_from_group
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, GroupID, UserID):\n log.info('Delete user %s from group %s' % (UserID, GroupID))\n self.put('groups/%s/delete_user/%s.json' % (GroupID, UserID))\n", "role": "user" }, { "content": "delete_user_from_group", "role": "assistant" } ]
def x(self): VersionInfo = self.get_latest_version() CurrentVersion = VersionInfo.get('version') LatestVersion = VersionInfo.get('latest_version') if CurrentVersion == LatestVersion: log.info('TeamPasswordManager is up-to-date!') log.debug('Current Version: {} Latest Version: {}'.format( LatestVersion, LatestVersion)) return True else: log.warning('TeamPasswordManager is not up-to-date!') log.debug('Current Version: {} Latest Version: {}'.format( LatestVersion, LatestVersion)) return False
up_to_date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n VersionInfo = self.get_latest_version()\n CurrentVersion = VersionInfo.get('version')\n LatestVersion = VersionInfo.get('latest_version')\n if CurrentVersion == LatestVersion:\n log.info('TeamPasswordManager is up-to-date!')\n log.debug('Current Version: {} Latest Version: {}'.format(\n LatestVersion, LatestVersion))\n return True\n else:\n log.warning('TeamPasswordManager is not up-to-date!')\n log.debug('Current Version: {} Latest Version: {}'.format(\n LatestVersion, LatestVersion))\n return False\n", "role": "user" }, { "content": "up_to_date", "role": "assistant" } ]
def x(from_exception, to_exception, *to_args, **to_kw): def x(fn): def x(*args, **kw): try: return fn(*args, **kw) except from_exception: new_exception = to_exception(*to_args, **to_kw) traceback = sys.exc_info()[2] if PY3: value = new_exception else: value = None reraise(new_exception, value, traceback) fn_new.__doc__ = fn.__doc__ return fn_new return wrapper
convert_exception
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(from_exception, to_exception, *to_args, **to_kw):\n\n def x(fn):\n\n def x(*args, **kw):\n try:\n return fn(*args, **kw)\n except from_exception:\n new_exception = to_exception(*to_args, **to_kw)\n traceback = sys.exc_info()[2]\n if PY3:\n value = new_exception\n else:\n value = None\n reraise(new_exception, value, traceback)\n fn_new.__doc__ = fn.__doc__\n return fn_new\n return wrapper\n", "role": "user" }, { "content": "convert_exception", "role": "assistant" } ]
def x(d, start_date=None, stop_date=None, default=0): dataiter = iter(d) cur_day, cur_val = next(dataiter) start_date = start_date or cur_day while cur_day < start_date: cur_day, cur_val = next(dataiter) for d in iterate_date(start_date, stop_date): if d != cur_day: yield default continue yield cur_val try: cur_day, cur_val = next(dataiter) except StopIteration: if not stop_date: raise
iterate_date_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d, start_date=None, stop_date=None, default=0):\n dataiter = iter(d)\n cur_day, cur_val = next(dataiter)\n start_date = start_date or cur_day\n while cur_day < start_date:\n cur_day, cur_val = next(dataiter)\n for d in iterate_date(start_date, stop_date):\n if d != cur_day:\n yield default\n continue\n yield cur_val\n try:\n cur_day, cur_val = next(dataiter)\n except StopIteration:\n if not stop_date:\n raise\n", "role": "user" }, { "content": "iterate_date_values", "role": "assistant" } ]
def x(t, resolution): resolutions = ['year', 'month', 'day', 'hour', 'minute', 'second', 'microsecond'] if resolution not in resolutions: raise KeyError('Resolution is not valid: {0}'.format(resolution)) args = [] for r in resolutions: args += [getattr(t, r)] if r == resolution: break return datetime.datetime(*args)
truncate_datetime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t, resolution):\n resolutions = ['year', 'month', 'day', 'hour', 'minute', 'second',\n 'microsecond']\n if resolution not in resolutions:\n raise KeyError('Resolution is not valid: {0}'.format(resolution))\n args = []\n for r in resolutions:\n args += [getattr(t, r)]\n if r == resolution:\n break\n return datetime.datetime(*args)\n", "role": "user" }, { "content": "truncate_datetime", "role": "assistant" } ]
def x(dt, timezone): if dt.tzinfo is None: dt = dt.replace(tzinfo=_UTC) return timezone.normalize(dt.astimezone(timezone))
to_timezone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dt, timezone):\n if dt.tzinfo is None:\n dt = dt.replace(tzinfo=_UTC)\n return timezone.normalize(dt.astimezone(timezone))\n", "role": "user" }, { "content": "to_timezone", "role": "assistant" } ]
def x(timezone=None): d = datetime.datetime.utcnow() if not timezone: return d return to_timezone(d, timezone).replace(tzinfo=None)
now
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(timezone=None):\n d = datetime.datetime.utcnow()\n if not timezone:\n return d\n return to_timezone(d, timezone).replace(tzinfo=None)\n", "role": "user" }, { "content": "now", "role": "assistant" } ]
def x(q, limit=1000): for offset in count(0, limit): r = q.offset(offset).limit(limit).all() for row in r: yield row if len(r) < limit: break
enumerate_query_by_limit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(q, limit=1000):\n for offset in count(0, limit):\n r = q.offset(offset).limit(limit).all()\n for row in r:\n yield row\n if len(r) < limit:\n break\n", "role": "user" }, { "content": "enumerate_query_by_limit", "role": "assistant" } ]
def x(d, schema): return [validator.to_python(d.get(key), state=key) for key, validator in schema]
validate_many
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d, schema):\n return [validator.to_python(d.get(key), state=key) for key, validator in\n schema]\n", "role": "user" }, { "content": "validate_many", "role": "assistant" } ]
def x(*args, **kw): try: for i, arg in enumerate(args): hash(arg) except TypeError: raise TypeError('Argument in position %d is not hashable: %r' % (i, arg)) try: for key, val in iterate_items(kw): hash(val) except TypeError: raise TypeError('Keyword argument %r is not hashable: %r' % (key, val))
assert_hashable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kw):\n try:\n for i, arg in enumerate(args):\n hash(arg)\n except TypeError:\n raise TypeError('Argument in position %d is not hashable: %r' % (i,\n arg))\n try:\n for key, val in iterate_items(kw):\n hash(val)\n except TypeError:\n raise TypeError('Keyword argument %r is not hashable: %r' % (key, val))\n", "role": "user" }, { "content": "assert_hashable", "role": "assistant" } ]
def x(fn=None, cache=None): if fn: return memoized(cache=cache)(fn) if cache is None: cache = {} def x(fn): wrapped = wraps(fn)(partial(_memoized_call, fn, cache)) wrapped.memoize_cache = cache return wrapped return decorator
memoized
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn=None, cache=None):\n if fn:\n return memoized(cache=cache)(fn)\n if cache is None:\n cache = {}\n\n def x(fn):\n wrapped = wraps(fn)(partial(_memoized_call, fn, cache))\n wrapped.memoize_cache = cache\n return wrapped\n return decorator\n", "role": "user" }, { "content": "memoized", "role": "assistant" } ]
def x(method=None, cache_factory=None): if method is None: return lambda f: memoized_method(f, cache_factory=cache_factory) cache_factory = cache_factory or dict @wraps(method) def x(self): cache = cache_factory() cache_attr = '_%s_cache' % (method.__name__,) setattr(self, cache_attr, cache) result = partial(_memoized_call, partial(method, self), cache) result.memoize_cache = cache return result return memoized_property(memoized_method_property)
memoized_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method=None, cache_factory=None):\n if method is None:\n return lambda f: memoized_method(f, cache_factory=cache_factory)\n cache_factory = cache_factory or dict\n\n @wraps(method)\n def x(self):\n cache = cache_factory()\n cache_attr = '_%s_cache' % (method.__name__,)\n setattr(self, cache_attr, cache)\n result = partial(_memoized_call, partial(method, self), cache)\n result.memoize_cache = cache\n return result\n return memoized_property(memoized_method_property)\n", "role": "user" }, { "content": "memoized_method", "role": "assistant" } ]
def x(message, exception=PendingDeprecationWarning): def x(func): @wraps(func) def x(*args, **kwargs): warnings.warn(message, exception, stacklevel=2) return func(*args, **kwargs) return wrapper return decorator
deprecated
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message, exception=PendingDeprecationWarning):\n\n def x(func):\n\n @wraps(func)\n def x(*args, **kwargs):\n warnings.warn(message, exception, stacklevel=2)\n return func(*args, **kwargs)\n return wrapper\n return decorator\n", "role": "user" }, { "content": "deprecated", "role": "assistant" } ]
def x(i, key=None, force_keys=None): counter = defaultdict(lambda : 0) if not key: key = lambda o: o for k in i: counter[key(k)] += 1 if force_keys: for k in force_keys: counter[k] += 0 return counter.items()
groupby_count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(i, key=None, force_keys=None):\n counter = defaultdict(lambda : 0)\n if not key:\n key = lambda o: o\n for k in i:\n counter[key(k)] += 1\n if force_keys:\n for k in force_keys:\n counter[k] += 0\n return counter.items()\n", "role": "user" }, { "content": "groupby_count", "role": "assistant" } ]
def x(maybe_iter, unless=(string_types, dict)): try: iter(maybe_iter) except TypeError: return False return not isinstance(maybe_iter, unless)
is_iterable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(maybe_iter, unless=(string_types, dict)):\n try:\n iter(maybe_iter)\n except TypeError:\n return False\n return not isinstance(maybe_iter, unless)\n", "role": "user" }, { "content": "is_iterable", "role": "assistant" } ]
def x(maybe_iter, unless=(string_types, dict)): if is_iterable(maybe_iter, unless=unless): return maybe_iter return [maybe_iter]
iterate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(maybe_iter, unless=(string_types, dict)):\n if is_iterable(maybe_iter, unless=unless):\n return maybe_iter\n return [maybe_iter]\n", "role": "user" }, { "content": "iterate", "role": "assistant" } ]
def x(dictish): if hasattr(dictish, 'iteritems'): return dictish.iteritems() if hasattr(dictish, 'items'): return dictish.items() return dictish
iterate_items
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dictish):\n if hasattr(dictish, 'iteritems'):\n return dictish.iteritems()\n if hasattr(dictish, 'items'):\n return dictish.items()\n return dictish\n", "role": "user" }, { "content": "iterate_items", "role": "assistant" } ]
def x(i, size=10): accumulator = [] for n, i in enumerate(i): accumulator.append(i) if (n + 1) % size == 0: yield accumulator accumulator = [] if accumulator: yield accumulator
iterate_chunks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(i, size=10):\n accumulator = []\n for n, i in enumerate(i):\n accumulator.append(i)\n if (n + 1) % size == 0:\n yield accumulator\n accumulator = []\n if accumulator:\n yield accumulator\n", "role": "user" }, { "content": "iterate_chunks", "role": "assistant" } ]
def x(fn=None, wrapper=list): def x(fn): @wraps(fn) def x(*args, **kw): return wrapper(fn(*args, **kw)) return listify_helper if fn is None: return listify_return return listify_return(fn)
listify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn=None, wrapper=list):\n\n def x(fn):\n\n @wraps(fn)\n def x(*args, **kw):\n return wrapper(fn(*args, **kw))\n return listify_helper\n if fn is None:\n return listify_return\n return listify_return(fn)\n", "role": "user" }, { "content": "listify", "role": "assistant" } ]
def x(o, bases): try: return _issubclass(o, bases) except TypeError: pass if not isinstance(o, type): return False if not isinstance(bases, tuple): return False bases = tuple(b for b in bases if isinstance(b, type)) return _issubclass(o, bases)
is_subclass
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(o, bases):\n try:\n return _issubclass(o, bases)\n except TypeError:\n pass\n if not isinstance(o, type):\n return False\n if not isinstance(bases, tuple):\n return False\n bases = tuple(b for b in bases if isinstance(b, type))\n return _issubclass(o, bases)\n", "role": "user" }, { "content": "is_subclass", "role": "assistant" } ]
def x(d, required=[], optional=[], one_of=[]): d = d or {} r = [d[k] for k in required] r += [d.get(k) for k in optional] if one_of: for k in (k for k in one_of if k in d): return r + [d[k]] raise KeyError('Missing a one_of value.') return r
get_many
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d, required=[], optional=[], one_of=[]):\n d = d or {}\n r = [d[k] for k in required]\n r += [d.get(k) for k in optional]\n if one_of:\n for k in (k for k in one_of if k in d):\n return r + [d[k]]\n raise KeyError('Missing a one_of value.')\n return r\n", "role": "user" }, { "content": "get_many", "role": "assistant" } ]
def x(length=6, alphabet=string.ascii_letters + string.digits): return ''.join([random.choice(alphabet) for i in xrange(length)])
random_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(length=6, alphabet=string.ascii_letters + string.digits):\n return ''.join([random.choice(alphabet) for i in xrange(length)])\n", "role": "user" }, { "content": "random_string", "role": "assistant" } ]
def x(n, alphabet): result = '' base = len(alphabet) current = int(n) if current < 0: raise ValueError('invalid n (must be non-negative): %s', n) while current: result = alphabet[current % base] + result current = current // base return result
number_to_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n, alphabet):\n result = ''\n base = len(alphabet)\n current = int(n)\n if current < 0:\n raise ValueError('invalid n (must be non-negative): %s', n)\n while current:\n result = alphabet[current % base] + result\n current = current // base\n return result\n", "role": "user" }, { "content": "number_to_string", "role": "assistant" } ]
def x(s, alphabet): base = len(alphabet) inverse_alphabet = dict(zip(alphabet, xrange(0, base))) n = 0 exp = 0 for i in reversed(s): n += inverse_alphabet[i] * base ** exp exp += 1 return n
string_to_number
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, alphabet):\n base = len(alphabet)\n inverse_alphabet = dict(zip(alphabet, xrange(0, base)))\n n = 0\n exp = 0\n for i in reversed(s):\n n += inverse_alphabet[i] * base ** exp\n exp += 1\n return n\n", "role": "user" }, { "content": "string_to_number", "role": "assistant" } ]
def x(b, endian='big'): if endian == 'big': b = reversed(b) n = 0 for i, ch in enumerate(bytearray(b)): n ^= ch << i * 8 return n
bytes_to_number
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(b, endian='big'):\n if endian == 'big':\n b = reversed(b)\n n = 0\n for i, ch in enumerate(bytearray(b)):\n n ^= ch << i * 8\n return n\n", "role": "user" }, { "content": "bytes_to_number", "role": "assistant" } ]
def x(n, endian='big'): res = [] while n: n, ch = divmod(n, 256) if PY3: res.append(ch) else: res.append(chr(ch)) if endian == 'big': res.reverse() if PY3: return bytes(res) else: return ''.join(res)
number_to_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n, endian='big'):\n res = []\n while n:\n n, ch = divmod(n, 256)\n if PY3:\n res.append(ch)\n else:\n res.append(chr(ch))\n if endian == 'big':\n res.reverse()\n if PY3:\n return bytes(res)\n else:\n return ''.join(res)\n", "role": "user" }, { "content": "number_to_bytes", "role": "assistant" } ]
def x(obj, encoding='utf-8', **encode_args): if isinstance(obj, binary_type): return obj if isinstance(obj, text_type) or hasattr(obj, text_type_magicmethod): return text_type(obj).encode(encoding, **encode_args) return binary_type(obj)
to_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, encoding='utf-8', **encode_args):\n if isinstance(obj, binary_type):\n return obj\n if isinstance(obj, text_type) or hasattr(obj, text_type_magicmethod):\n return text_type(obj).encode(encoding, **encode_args)\n return binary_type(obj)\n", "role": "user" }, { "content": "to_str", "role": "assistant" } ]
def x(obj, encoding='utf-8', fallback='latin1', **decode_args): if not isinstance(obj, binary_type): if isinstance(obj, text_type) or hasattr(obj, text_type_magicmethod): return text_type(obj) obj_str = binary_type(obj) else: obj_str = obj try: return text_type(obj_str, encoding, **decode_args) except UnicodeDecodeError: return text_type(obj_str, fallback, **decode_args)
to_unicode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, encoding='utf-8', fallback='latin1', **decode_args):\n if not isinstance(obj, binary_type):\n if isinstance(obj, text_type) or hasattr(obj, text_type_magicmethod):\n return text_type(obj)\n obj_str = binary_type(obj)\n else:\n obj_str = obj\n try:\n return text_type(obj_str, encoding, **decode_args)\n except UnicodeDecodeError:\n return text_type(obj_str, fallback, **decode_args)\n", "role": "user" }, { "content": "to_unicode", "role": "assistant" } ]
def x(s, default=0.0, allow_nan=False): try: f = float(s) except (TypeError, ValueError): return default if not allow_nan: if f != f or f in _infs: return default return f
to_float
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, default=0.0, allow_nan=False):\n try:\n f = float(s)\n except (TypeError, ValueError):\n return default\n if not allow_nan:\n if f != f or f in _infs:\n return default\n return f\n", "role": "user" }, { "content": "to_float", "role": "assistant" } ]
def x(n, singular=_Default, plural=_Default): n = int(n) if singular in (None, _Default): if plural is _Default: plural = None singular = u'{:,}' elif plural is _Default: plural = singular + u's' if n == 1 or not plural: return singular.format(n) return plural.format(n)
format_int
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n, singular=_Default, plural=_Default):\n n = int(n)\n if singular in (None, _Default):\n if plural is _Default:\n plural = None\n singular = u'{:,}'\n elif plural is _Default:\n plural = singular + u's'\n if n == 1 or not plural:\n return singular.format(n)\n return plural.format(n)\n", "role": "user" }, { "content": "format_int", "role": "assistant" } ]
def x(s, allow_negative=False): if not s: return if isinstance(s, string_types): s = ''.join(RE_NUMBER.findall(s)) dollars = int(round(float(s) * 100)) if not allow_negative and dollars < 0: raise ValueError('Negative values not permitted.') return dollars
dollars_to_cents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, allow_negative=False):\n if not s:\n return\n if isinstance(s, string_types):\n s = ''.join(RE_NUMBER.findall(s))\n dollars = int(round(float(s) * 100))\n if not allow_negative and dollars < 0:\n raise ValueError('Negative values not permitted.')\n return dollars\n", "role": "user" }, { "content": "dollars_to_cents", "role": "assistant" } ]
def x(s, delimiter='-'): s = unicodedata.normalize('NFKD', to_unicode(s)).encode('ascii', 'ignore' ).decode('ascii') return RE_SLUG.sub(delimiter, s).strip(delimiter).lower()
slugify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, delimiter='-'):\n s = unicodedata.normalize('NFKD', to_unicode(s)).encode('ascii', 'ignore'\n ).decode('ascii')\n return RE_SLUG.sub(delimiter, s).strip(delimiter).lower()\n", "role": "user" }, { "content": "slugify", "role": "assistant" } ]
def x(src_path, method='importtime'): try: fn = _BUST_METHODS[method] except KeyError: raise KeyError('Unsupported busting method value: %s' % method) return fn(src_path)
get_cache_buster
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(src_path, method='importtime'):\n try:\n fn = _BUST_METHODS[method]\n except KeyError:\n raise KeyError('Unsupported busting method value: %s' % method)\n return fn(src_path)\n", "role": "user" }, { "content": "get_cache_buster", "role": "assistant" } ]
def x(attrs, allow_no_value=True): for attr in iterate_items(attrs): if isinstance(attr, basestring): attr = attr, True key, value = attr if value is None: continue if value is True and not allow_no_value: value = key if value is True: yield True else: yield '%s="%s"' % (key, value.replace('"', '\\"'))
generate_dom_attrs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(attrs, allow_no_value=True):\n for attr in iterate_items(attrs):\n if isinstance(attr, basestring):\n attr = attr, True\n key, value = attr\n if value is None:\n continue\n if value is True and not allow_no_value:\n value = key\n if value is True:\n yield True\n else:\n yield '%s=\"%s\"' % (key, value.replace('\"', '\\\\\"'))\n", "role": "user" }, { "content": "generate_dom_attrs", "role": "assistant" } ]
def x(tagname, content='', attrs=None): attrs_str = attrs and ' '.join(_generate_dom_attrs(attrs)) open_tag = tagname if attrs_str: open_tag += ' ' + attrs_str if content is None: return literal('<%s />' % open_tag) content = ''.join(iterate(content, unless=(basestring, literal))) return literal('<%s>%s</%s>' % (open_tag, content, tagname))
tag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tagname, content='', attrs=None):\n attrs_str = attrs and ' '.join(_generate_dom_attrs(attrs))\n open_tag = tagname\n if attrs_str:\n open_tag += ' ' + attrs_str\n if content is None:\n return literal('<%s />' % open_tag)\n content = ''.join(iterate(content, unless=(basestring, literal)))\n return literal('<%s>%s</%s>' % (open_tag, content, tagname))\n", "role": "user" }, { "content": "tag", "role": "assistant" } ]
def x(src_url, src_path=None, cache_bust=None, content='', extra_attrs=None): if cache_bust: append_suffix = get_cache_buster(src_path=src_path, method=cache_bust) delim = '&' if '?' in src_url else '?' src_url += delim + append_suffix attrs = {'src': src_url, 'type': 'text/javascript'} if extra_attrs: attrs.update(extra_attrs) return tag('script', content=content, attrs=attrs)
javascript_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(src_url, src_path=None, cache_bust=None, content='', extra_attrs=None):\n if cache_bust:\n append_suffix = get_cache_buster(src_path=src_path, method=cache_bust)\n delim = '&' if '?' in src_url else '?'\n src_url += delim + append_suffix\n attrs = {'src': src_url, 'type': 'text/javascript'}\n if extra_attrs:\n attrs.update(extra_attrs)\n return tag('script', content=content, attrs=attrs)\n", "role": "user" }, { "content": "javascript_link", "role": "assistant" } ]
def x(): _version_re = re.compile('__version__\\s+=\\s+(.*)') _url_re = re.compile('__url__\\s+=\\s+(.*)') _license_re = re.compile('__license__\\s+=\\s+(.*)') with open('lambda_uploader/__init__.py', 'rb') as ffinit: initcontent = ffinit.read() version = str(ast.literal_eval(_version_re.search(initcontent. decode('utf-8')).group(1))) url = str(ast.literal_eval(_url_re.search(initcontent.decode( 'utf-8')).group(1))) licencia = str(ast.literal_eval(_license_re.search(initcontent. decode('utf-8')).group(1))) return {'version': version, 'license': licencia, 'url': url}
package_meta
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n _version_re = re.compile('__version__\\\\s+=\\\\s+(.*)')\n _url_re = re.compile('__url__\\\\s+=\\\\s+(.*)')\n _license_re = re.compile('__license__\\\\s+=\\\\s+(.*)')\n with open('lambda_uploader/__init__.py', 'rb') as ffinit:\n initcontent = ffinit.read()\n version = str(ast.literal_eval(_version_re.search(initcontent.\n decode('utf-8')).group(1)))\n url = str(ast.literal_eval(_url_re.search(initcontent.decode(\n 'utf-8')).group(1)))\n licencia = str(ast.literal_eval(_license_re.search(initcontent.\n decode('utf-8')).group(1)))\n return {'version': version, 'license': licencia, 'url': url}\n", "role": "user" }, { "content": "package_meta", "role": "assistant" } ]
def x(config, profile_name): if 'kinesis' in config.subscription.keys(): data = config.subscription['kinesis'] function_name = config.name stream_name = data['stream'] batch_size = data['batch_size'] starting_position = data['starting_position'] starting_position_ts = None if starting_position == 'AT_TIMESTAMP': ts = data.get('starting_position_timestamp') starting_position_ts = datetime.strptime(ts, '%Y-%m-%dT%H:%M:%SZ') s = KinesisSubscriber(config, profile_name, function_name, stream_name, batch_size, starting_position, starting_position_ts=starting_position_ts) s.subscribe()
create_subscriptions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, profile_name):\n if 'kinesis' in config.subscription.keys():\n data = config.subscription['kinesis']\n function_name = config.name\n stream_name = data['stream']\n batch_size = data['batch_size']\n starting_position = data['starting_position']\n starting_position_ts = None\n if starting_position == 'AT_TIMESTAMP':\n ts = data.get('starting_position_timestamp')\n starting_position_ts = datetime.strptime(ts, '%Y-%m-%dT%H:%M:%SZ')\n s = KinesisSubscriber(config, profile_name, function_name,\n stream_name, batch_size, starting_position,\n starting_position_ts=starting_position_ts)\n s.subscribe()\n", "role": "user" }, { "content": "create_subscriptions", "role": "assistant" } ]
def x(self): try: LOG.debug('Creating Kinesis subscription') if self.starting_position_ts: self._lambda_client.create_event_source_mapping(EventSourceArn= self.stream_name, FunctionName=self.function_name, BatchSize=self.batch_size, StartingPosition=self. starting_position, StartingPositionTimestamp=self. starting_position_ts) else: self._lambda_client.create_event_source_mapping(EventSourceArn= self.stream_name, FunctionName=self.function_name, BatchSize=self.batch_size, StartingPosition=self. starting_position) LOG.debug('Subscription created') except botocore.exceptions.ClientError as ex: response_code = ex.response['Error']['Code'] if response_code == 'ResourceConflictException': LOG.debug('Subscription exists. Updating ...') resp = self._lambda_client.list_event_source_mappings(FunctionName =self.function_name, EventSourceArn=self.stream_name) uuid = resp['EventSourceMappings'][0]['UUID'] self._lambda_client.update_event_source_mapping(UUID=uuid, FunctionName=self.function_name, Enabled=True, BatchSize= self.batch_size) else: LOG.error('Subscription failed, error=%s' % str(ex)) raise ex
subscribe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n LOG.debug('Creating Kinesis subscription')\n if self.starting_position_ts:\n self._lambda_client.create_event_source_mapping(EventSourceArn=\n self.stream_name, FunctionName=self.function_name,\n BatchSize=self.batch_size, StartingPosition=self.\n starting_position, StartingPositionTimestamp=self.\n starting_position_ts)\n else:\n self._lambda_client.create_event_source_mapping(EventSourceArn=\n self.stream_name, FunctionName=self.function_name,\n BatchSize=self.batch_size, StartingPosition=self.\n starting_position)\n LOG.debug('Subscription created')\n except botocore.exceptions.ClientError as ex:\n response_code = ex.response['Error']['Code']\n if response_code == 'ResourceConflictException':\n LOG.debug('Subscription exists. Updating ...')\n resp = self._lambda_client.list_event_source_mappings(FunctionName\n =self.function_name, EventSourceArn=self.stream_name)\n uuid = resp['EventSourceMappings'][0]['UUID']\n self._lambda_client.update_event_source_mapping(UUID=uuid,\n FunctionName=self.function_name, Enabled=True, BatchSize=\n self.batch_size)\n else:\n LOG.error('Subscription failed, error=%s' % str(ex))\n raise ex\n", "role": "user" }, { "content": "subscribe", "role": "assistant" } ]
def x(self): if self._config.raw['vpc']: return {'SubnetIds': self._config.raw['vpc']['subnets'], 'SecurityGroupIds': self._config.raw['vpc']['security_groups']} else: return {'SubnetIds': [], 'SecurityGroupIds': []}
format_vpc_config
[ { "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._config.raw['vpc']:\n return {'SubnetIds': self._config.raw['vpc']['subnets'],\n 'SecurityGroupIds': self._config.raw['vpc']['security_groups']}\n else:\n return {'SubnetIds': [], 'SecurityGroupIds': []}\n", "role": "user" }, { "content": "format_vpc_config", "role": "assistant" } ]
def x(self, zip_file): s3_client = self._aws_session.client('s3') transfer = boto3.s3.transfer.S3Transfer(s3_client) transfer.upload_file(zip_file, self._config.s3_bucket, self._config. s3_package_name())
upload_s3
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, zip_file):\n s3_client = self._aws_session.client('s3')\n transfer = boto3.s3.transfer.S3Transfer(s3_client)\n transfer.upload_file(zip_file, self._config.s3_bucket, self._config.\n s3_package_name())\n", "role": "user" }, { "content": "upload_s3", "role": "assistant" } ]
def x(arv=None): if sys.version_info[0] < 3 and not sys.version_info[1] == 7: raise RuntimeError('lambda-uploader requires Python 2.7 or later') import argparse parser = argparse.ArgumentParser(description= 'Simple way to create and upload python lambda jobs') parser.add_argument('--version', '-v', action='version', version= lambda_uploader.__version__) parser.add_argument('--no-upload', dest='no_upload', action= 'store_const', help='dont upload the zipfile', const=True) parser.add_argument('--no-clean', dest='no_clean', action='store_const', help='dont cleanup the temporary workspace', const=True) parser.add_argument('--publish', '-p', dest='publish', action= 'store_const', help='publish an upload to an immutable version', const=True) parser.add_argument('--virtualenv', '-e', help= 'use specified virtualenv instead of making one', default=None) parser.add_argument('--extra-files', '-x', action='append', help= 'include file or directory path in package', default=[]) parser.add_argument('--no-virtualenv', dest='no_virtualenv', action= 'store_const', help='do not create or include a virtualenv at all', const=True) parser.add_argument('--role', dest='role', default=getenv( 'LAMBDA_UPLOADER_ROLE'), help= 'IAM role to assign the lambda function, can be set with $LAMBDA_UPLOADER_ROLE' ) parser.add_argument('--variables', dest='variables', help= 'add environment variables') parser.add_argument('--profile', dest='profile', help= 'specify AWS cli profile') parser.add_argument('--requirements', '-r', dest='requirements', help= 'specify a requirements.txt file') alias_help = 'alias for published version (WILL SET THE PUBLISH FLAG)' parser.add_argument('--alias', '-a', dest='alias', default=None, help= alias_help) parser.add_argument('--alias-description', '-m', dest= 'alias_description', default=None, help='alias description') parser.add_argument('--s3-bucket', '-s', dest='s3_bucket', help= 'S3 bucket to store the lambda function in', default=None) parser.add_argument('--s3-key', '-k', dest='s3_key', help= 'Key name of the lambda function s3 object', default=None) parser.add_argument('--config', '-c', help='Overrides lambda.json', default='lambda.json') parser.add_argument('function_dir', default=getcwd(), nargs='?', help= 'lambda function directory') parser.add_argument('--no-build', dest='no_build', action='store_const', help='dont build the sourcecode', const=True) verbose = parser.add_mutually_exclusive_group() verbose.add_argument('-V', dest='loglevel', action='store_const', const =logging.INFO, help='Set log-level to INFO.') verbose.add_argument('-VV', dest='loglevel', action='store_const', const=logging.DEBUG, help='Set log-level to DEBUG.') parser.set_defaults(loglevel=logging.WARNING) args = parser.parse_args() logging.basicConfig(level=args.loglevel) try: _execute(args) except Exception: print(TRACEBACK_MESSAGE % (INTERROBANG, lambda_uploader.__version__, boto3_version, botocore_version), file=sys.stderr) traceback.print_exc() sys.stderr.flush() sys.exit(1)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arv=None):\n if sys.version_info[0] < 3 and not sys.version_info[1] == 7:\n raise RuntimeError('lambda-uploader requires Python 2.7 or later')\n import argparse\n parser = argparse.ArgumentParser(description=\n 'Simple way to create and upload python lambda jobs')\n parser.add_argument('--version', '-v', action='version', version=\n lambda_uploader.__version__)\n parser.add_argument('--no-upload', dest='no_upload', action=\n 'store_const', help='dont upload the zipfile', const=True)\n parser.add_argument('--no-clean', dest='no_clean', action='store_const',\n help='dont cleanup the temporary workspace', const=True)\n parser.add_argument('--publish', '-p', dest='publish', action=\n 'store_const', help='publish an upload to an immutable version',\n const=True)\n parser.add_argument('--virtualenv', '-e', help=\n 'use specified virtualenv instead of making one', default=None)\n parser.add_argument('--extra-files', '-x', action='append', help=\n 'include file or directory path in package', default=[])\n parser.add_argument('--no-virtualenv', dest='no_virtualenv', action=\n 'store_const', help='do not create or include a virtualenv at all',\n const=True)\n parser.add_argument('--role', dest='role', default=getenv(\n 'LAMBDA_UPLOADER_ROLE'), help=\n 'IAM role to assign the lambda function, can be set with $LAMBDA_UPLOADER_ROLE'\n )\n parser.add_argument('--variables', dest='variables', help=\n 'add environment variables')\n parser.add_argument('--profile', dest='profile', help=\n 'specify AWS cli profile')\n parser.add_argument('--requirements', '-r', dest='requirements', help=\n 'specify a requirements.txt file')\n alias_help = 'alias for published version (WILL SET THE PUBLISH FLAG)'\n parser.add_argument('--alias', '-a', dest='alias', default=None, help=\n alias_help)\n parser.add_argument('--alias-description', '-m', dest=\n 'alias_description', default=None, help='alias description')\n parser.add_argument('--s3-bucket', '-s', dest='s3_bucket', help=\n 'S3 bucket to store the lambda function in', default=None)\n parser.add_argument('--s3-key', '-k', dest='s3_key', help=\n 'Key name of the lambda function s3 object', default=None)\n parser.add_argument('--config', '-c', help='Overrides lambda.json',\n default='lambda.json')\n parser.add_argument('function_dir', default=getcwd(), nargs='?', help=\n 'lambda function directory')\n parser.add_argument('--no-build', dest='no_build', action='store_const',\n help='dont build the sourcecode', const=True)\n verbose = parser.add_mutually_exclusive_group()\n verbose.add_argument('-V', dest='loglevel', action='store_const', const\n =logging.INFO, help='Set log-level to INFO.')\n verbose.add_argument('-VV', dest='loglevel', action='store_const',\n const=logging.DEBUG, help='Set log-level to DEBUG.')\n parser.set_defaults(loglevel=logging.WARNING)\n args = parser.parse_args()\n logging.basicConfig(level=args.loglevel)\n try:\n _execute(args)\n except Exception:\n print(TRACEBACK_MESSAGE % (INTERROBANG, lambda_uploader.__version__,\n boto3_version, botocore_version), file=sys.stderr)\n traceback.print_exc()\n sys.stderr.flush()\n sys.exit(1)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(path, requires, virtualenv=None, ignore=None, extra_files=None, zipfile_name=ZIPFILE_NAME, pyexec=None): pkg = Package(path, zipfile_name, pyexec) if extra_files: for fil in extra_files: pkg.extra_file(fil) if virtualenv is not None: pkg.virtualenv(virtualenv) pkg.requirements(requires) pkg.build(ignore) return pkg
build_package
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, requires, virtualenv=None, ignore=None, extra_files=None,\n zipfile_name=ZIPFILE_NAME, pyexec=None):\n pkg = Package(path, zipfile_name, pyexec)\n if extra_files:\n for fil in extra_files:\n pkg.extra_file(fil)\n if virtualenv is not None:\n pkg.virtualenv(virtualenv)\n pkg.requirements(requires)\n pkg.build(ignore)\n return pkg\n", "role": "user" }, { "content": "build_package", "role": "assistant" } ]
def x(self, ignore=None): self._prepare_workspace() self.install_dependencies() self.package(ignore)
build
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ignore=None):\n self._prepare_workspace()\n self.install_dependencies()\n self.package(ignore)\n", "role": "user" }, { "content": "build", "role": "assistant" } ]
def x(self): if os.path.isdir(self._temp_workspace): shutil.rmtree(self._temp_workspace)
clean_workspace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if os.path.isdir(self._temp_workspace):\n shutil.rmtree(self._temp_workspace)\n", "role": "user" }, { "content": "clean_workspace", "role": "assistant" } ]
def x(self): if os.path.isfile(self.zip_file): os.remove(self.zip_file)
clean_zipfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if os.path.isfile(self.zip_file):\n os.remove(self.zip_file)\n", "role": "user" }, { "content": "clean_zipfile", "role": "assistant" } ]
def x(self, requires): if requires: if isinstance(requires, basestring) and os.path.isfile(os.path. abspath(requires)): self._requirements_file = os.path.abspath(requires) else: if isinstance(self._requirements, basestring): requires = requires.split() self._requirements_file = None self._requirements = requires else: if os.path.isfile(self._requirements_file): return self._requirements, self._requirements_file = None, None
requirements
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, requires):\n if requires:\n if isinstance(requires, basestring) and os.path.isfile(os.path.\n abspath(requires)):\n self._requirements_file = os.path.abspath(requires)\n else:\n if isinstance(self._requirements, basestring):\n requires = requires.split()\n self._requirements_file = None\n self._requirements = requires\n else:\n if os.path.isfile(self._requirements_file):\n return\n self._requirements, self._requirements_file = None, None\n", "role": "user" }, { "content": "requirements", "role": "assistant" } ]
def x(self, virtualenv): if isinstance(virtualenv, bool): self._skip_virtualenv = virtualenv else: self._virtualenv = virtualenv if not os.path.isdir(self._virtualenv): raise Exception('virtualenv %s not found' % self._virtualenv) LOG.info('Using existing virtualenv at %s' % self._virtualenv) self._pkg_venv = self._virtualenv self._skip_virtualenv = True
virtualenv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, virtualenv):\n if isinstance(virtualenv, bool):\n self._skip_virtualenv = virtualenv\n else:\n self._virtualenv = virtualenv\n if not os.path.isdir(self._virtualenv):\n raise Exception('virtualenv %s not found' % self._virtualenv)\n LOG.info('Using existing virtualenv at %s' % self._virtualenv)\n self._pkg_venv = self._virtualenv\n self._skip_virtualenv = True\n", "role": "user" }, { "content": "virtualenv", "role": "assistant" } ]
def x(self): if self._skip_virtualenv: LOG.info('Skip Virtualenv set ... nothing to do') return has_reqs = _isfile(self._requirements_file) or self._requirements if self._virtualenv is None and has_reqs: LOG.info('Building new virtualenv and installing requirements') self._build_new_virtualenv() self._install_requirements() elif self._virtualenv is None and not has_reqs: LOG.info('No requirements found, so no virtualenv will be made') self._pkg_venv = False else: raise Exception('Cannot determine what to do about virtualenv')
install_dependencies
[ { "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._skip_virtualenv:\n LOG.info('Skip Virtualenv set ... nothing to do')\n return\n has_reqs = _isfile(self._requirements_file) or self._requirements\n if self._virtualenv is None and has_reqs:\n LOG.info('Building new virtualenv and installing requirements')\n self._build_new_virtualenv()\n self._install_requirements()\n elif self._virtualenv is None and not has_reqs:\n LOG.info('No requirements found, so no virtualenv will be made')\n self._pkg_venv = False\n else:\n raise Exception('Cannot determine what to do about virtualenv')\n", "role": "user" }, { "content": "install_dependencies", "role": "assistant" } ]
def x(self): if self._virtualenv is None: self._pkg_venv = os.path.join(self._temp_workspace, 'venv') self._venv_pip = 'bin/pip' if sys.platform == 'win32' or sys.platform == 'cygwin': self._venv_pip = 'Scripts\\pip.exe' python_exe = self._python_executable() proc = Popen(['virtualenv', '-p', python_exe, self._pkg_venv], stdout=PIPE, stderr=PIPE) stdout, stderr = proc.communicate() LOG.debug('Virtualenv stdout: %s' % stdout) LOG.debug('Virtualenv stderr: %s' % stderr) if proc.returncode is not 0: raise Exception('virtualenv returned unsuccessfully') else: raise Exception('cannot build a new virtualenv when asked to omit')
build_new_virtualenv
[ { "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._virtualenv is None:\n self._pkg_venv = os.path.join(self._temp_workspace, 'venv')\n self._venv_pip = 'bin/pip'\n if sys.platform == 'win32' or sys.platform == 'cygwin':\n self._venv_pip = 'Scripts\\\\pip.exe'\n python_exe = self._python_executable()\n proc = Popen(['virtualenv', '-p', python_exe, self._pkg_venv],\n stdout=PIPE, stderr=PIPE)\n stdout, stderr = proc.communicate()\n LOG.debug('Virtualenv stdout: %s' % stdout)\n LOG.debug('Virtualenv stderr: %s' % stderr)\n if proc.returncode is not 0:\n raise Exception('virtualenv returned unsuccessfully')\n else:\n raise Exception('cannot build a new virtualenv when asked to omit')\n", "role": "user" }, { "content": "build_new_virtualenv", "role": "assistant" } ]
def x(self): if not hasattr(self, '_pkg_venv'): err = 'Must call build_new_virtualenv before install_requirements' raise Exception(err) cmd = None if self._requirements: LOG.debug('Installing requirements found %s in config' % self. _requirements) cmd = [os.path.join(self._pkg_venv, self._venv_pip), 'install' ] + self._requirements elif _isfile(self._requirements_file): LOG.debug('Installing requirements from requirements.txt file') cmd = [os.path.join(self._pkg_venv, self._venv_pip), 'install', '-r', self._requirements_file] if cmd is not None: prc = Popen(cmd, stdout=PIPE, stderr=PIPE) stdout, stderr = prc.communicate() LOG.debug('Pip stdout: %s' % stdout) LOG.debug('Pip stderr: %s' % stderr) if prc.returncode is not 0: raise Exception('pip returned unsuccessfully')
install_requirements
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not hasattr(self, '_pkg_venv'):\n err = 'Must call build_new_virtualenv before install_requirements'\n raise Exception(err)\n cmd = None\n if self._requirements:\n LOG.debug('Installing requirements found %s in config' % self.\n _requirements)\n cmd = [os.path.join(self._pkg_venv, self._venv_pip), 'install'\n ] + self._requirements\n elif _isfile(self._requirements_file):\n LOG.debug('Installing requirements from requirements.txt file')\n cmd = [os.path.join(self._pkg_venv, self._venv_pip), 'install',\n '-r', self._requirements_file]\n if cmd is not None:\n prc = Popen(cmd, stdout=PIPE, stderr=PIPE)\n stdout, stderr = prc.communicate()\n LOG.debug('Pip stdout: %s' % stdout)\n LOG.debug('Pip stderr: %s' % stderr)\n if prc.returncode is not 0:\n raise Exception('pip returned unsuccessfully')\n", "role": "user" }, { "content": "install_requirements", "role": "assistant" } ]
def x(self, ignore=None): ignore = ignore or [] package = os.path.join(self._temp_workspace, 'lambda_package') LOG.info('Copying site packages') if hasattr(self, '_pkg_venv') and self._pkg_venv: lib_dir = 'lib/python*/site-packages' lib64_dir = 'lib64/python*/site-packages' if sys.platform == 'win32' or sys.platform == 'cygwin': lib_dir = 'lib\\site-packages' lib64_dir = 'lib64\\site-packages' lib_site_list = glob.glob(os.path.join(self._pkg_venv, lib_dir)) if lib_site_list: utils.copy_tree(lib_site_list[0], package) else: LOG.debug('no lib site packages found') lib64_site_list = glob.glob(os.path.join(self._pkg_venv, lib64_dir)) if lib64_site_list: lib64_site_packages = lib64_site_list[0] if not os.path.islink(lib64_site_packages): LOG.info('Copying lib64 site packages') utils.copy_tree(lib64_site_packages, package) lib64_site_packages = lib64_site_list[0] else: LOG.debug('no lib64 site packages found') ignore.append('^%s/.*' % re.escape(TEMP_WORKSPACE_NAME)) utils.copy_tree(self._path, package, ignore) for p in self._extra_files: LOG.info('Copying extra %s into package' % p) ignore.append(re.escape(p)) if os.path.isdir(p): utils.copy_tree(p, package, ignore=ignore, include_parent=True) else: shutil.copy(p, package) self._create_zip(package)
package
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ignore=None):\n ignore = ignore or []\n package = os.path.join(self._temp_workspace, 'lambda_package')\n LOG.info('Copying site packages')\n if hasattr(self, '_pkg_venv') and self._pkg_venv:\n lib_dir = 'lib/python*/site-packages'\n lib64_dir = 'lib64/python*/site-packages'\n if sys.platform == 'win32' or sys.platform == 'cygwin':\n lib_dir = 'lib\\\\site-packages'\n lib64_dir = 'lib64\\\\site-packages'\n lib_site_list = glob.glob(os.path.join(self._pkg_venv, lib_dir))\n if lib_site_list:\n utils.copy_tree(lib_site_list[0], package)\n else:\n LOG.debug('no lib site packages found')\n lib64_site_list = glob.glob(os.path.join(self._pkg_venv, lib64_dir))\n if lib64_site_list:\n lib64_site_packages = lib64_site_list[0]\n if not os.path.islink(lib64_site_packages):\n LOG.info('Copying lib64 site packages')\n utils.copy_tree(lib64_site_packages, package)\n lib64_site_packages = lib64_site_list[0]\n else:\n LOG.debug('no lib64 site packages found')\n ignore.append('^%s/.*' % re.escape(TEMP_WORKSPACE_NAME))\n utils.copy_tree(self._path, package, ignore)\n for p in self._extra_files:\n LOG.info('Copying extra %s into package' % p)\n ignore.append(re.escape(p))\n if os.path.isdir(p):\n utils.copy_tree(p, package, ignore=ignore, include_parent=True)\n else:\n shutil.copy(p, package)\n self._create_zip(package)\n", "role": "user" }, { "content": "package", "role": "assistant" } ]
def x(parameters): result = [] for param in iter(sorted(parameters)): if isinstance(parameters[param], (list, tuple)): value = ','.join([escape_chars(x) for x in parameters[param]]) else: value = escape_chars(parameters[param]) result.append('%s=%s' % (param, value)) return '|'.join(result)
encode_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parameters):\n result = []\n for param in iter(sorted(parameters)):\n if isinstance(parameters[param], (list, tuple)):\n value = ','.join([escape_chars(x) for x in parameters[param]])\n else:\n value = escape_chars(parameters[param])\n result.append('%s=%s' % (param, value))\n return '|'.join(result)\n", "role": "user" }, { "content": "encode_properties", "role": "assistant" } ]
def x(self, part, sep=sep): drv = '' root = '' base = get_global_base_url(part) if base and without_http_prefix(part).startswith(without_http_prefix(base) ): mark = without_http_prefix(base).rstrip(sep) + sep parts = part.split(mark) else: mark = sep + 'artifactory' + sep parts = part.split(mark) if len(parts) >= 2: drv = parts[0] + mark.rstrip(sep) rest = sep + mark.join(parts[1:]) elif part.endswith(mark.rstrip(sep)): drv = part rest = '' else: rest = part if not rest: return drv, '', '' if rest == sep: return drv, '', '' if rest.startswith(sep): root, _, part = rest[1:].partition(sep) root = sep + root + sep return drv, root, part
splitroot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, part, sep=sep):\n drv = ''\n root = ''\n base = get_global_base_url(part)\n if base and without_http_prefix(part).startswith(without_http_prefix(base)\n ):\n mark = without_http_prefix(base).rstrip(sep) + sep\n parts = part.split(mark)\n else:\n mark = sep + 'artifactory' + sep\n parts = part.split(mark)\n if len(parts) >= 2:\n drv = parts[0] + mark.rstrip(sep)\n rest = sep + mark.join(parts[1:])\n elif part.endswith(mark.rstrip(sep)):\n drv = part\n rest = ''\n else:\n rest = part\n if not rest:\n return drv, '', ''\n if rest == sep:\n return drv, '', ''\n if rest.startswith(sep):\n root, _, part = rest[1:].partition(sep)\n root = sep + root + sep\n return drv, root, part\n", "role": "user" }, { "content": "splitroot", "role": "assistant" } ]
def x(self, url, params=None, headers=None, auth=None, verify=True, cert=None): res = requests.get(url, params=params, headers=headers, auth=auth, verify=verify, cert=cert) return res.text, res.status_code
rest_get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, params=None, headers=None, auth=None, verify=True, cert=None):\n res = requests.get(url, params=params, headers=headers, auth=auth,\n verify=verify, cert=cert)\n return res.text, res.status_code\n", "role": "user" }, { "content": "rest_get", "role": "assistant" } ]
def x(self, url, params=None, headers=None, auth=None, verify=True, cert=None): res = requests.put(url, params=params, headers=headers, auth=auth, verify=verify, cert=cert) return res.text, res.status_code
rest_put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, params=None, headers=None, auth=None, verify=True, cert=None):\n res = requests.put(url, params=params, headers=headers, auth=auth,\n verify=verify, cert=cert)\n return res.text, res.status_code\n", "role": "user" }, { "content": "rest_put", "role": "assistant" } ]
def x(self, url, params=None, headers=None, auth=None, verify=True, cert=None): res = requests.post(url, params=params, headers=headers, auth=auth, verify=verify, cert=cert) return res.text, res.status_code
rest_post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, params=None, headers=None, auth=None, verify=True, cert=None):\n res = requests.post(url, params=params, headers=headers, auth=auth,\n verify=verify, cert=cert)\n return res.text, res.status_code\n", "role": "user" }, { "content": "rest_post", "role": "assistant" } ]
def x(self, url, params=None, auth=None, verify=True, cert=None): res = requests.delete(url, params=params, auth=auth, verify=verify, cert=cert) return res.text, res.status_code
rest_del
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, params=None, auth=None, verify=True, cert=None):\n res = requests.delete(url, params=params, auth=auth, verify=verify,\n cert=cert)\n return res.text, res.status_code\n", "role": "user" }, { "content": "rest_del", "role": "assistant" } ]
def x(self, url, auth=None, verify=True, cert=None): res = requests.get(url, auth=auth, stream=True, verify=verify, cert=cert) return res.raw, res.status_code
rest_get_stream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, auth=None, verify=True, cert=None):\n res = requests.get(url, auth=auth, stream=True, verify=verify, cert=cert)\n return res.raw, res.status_code\n", "role": "user" }, { "content": "rest_get_stream", "role": "assistant" } ]
def x(self, pathobj): url = '/'.join([pathobj.drive, 'api/storage', str(pathobj.relative_to( pathobj.drive)).strip('/')]) text, code = self.rest_get(url, auth=pathobj.auth, verify=pathobj. verify, cert=pathobj.cert) if code == 404 and 'Unable to find item' in text: raise OSError(2, "No such file or directory: '%s'" % url) if code != 200: raise RuntimeError(text) return json.loads(text)
get_stat_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pathobj):\n url = '/'.join([pathobj.drive, 'api/storage', str(pathobj.relative_to(\n pathobj.drive)).strip('/')])\n text, code = self.rest_get(url, auth=pathobj.auth, verify=pathobj.\n verify, cert=pathobj.cert)\n if code == 404 and 'Unable to find item' in text:\n raise OSError(2, \"No such file or directory: '%s'\" % url)\n if code != 200:\n raise RuntimeError(text)\n return json.loads(text)\n", "role": "user" }, { "content": "get_stat_json", "role": "assistant" } ]
def x(self, pathobj): url = str(pathobj) raw, code = self.rest_get_stream(url, auth=pathobj.auth, verify=pathobj .verify, cert=pathobj.cert) if not code == 200: raise RuntimeError('%d' % code) return raw
open
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pathobj):\n url = str(pathobj)\n raw, code = self.rest_get_stream(url, auth=pathobj.auth, verify=pathobj\n .verify, cert=pathobj.cert)\n if not code == 200:\n raise RuntimeError('%d' % code)\n return raw\n", "role": "user" }, { "content": "open", "role": "assistant" } ]
def x(self, pathobj, fobj, md5=None, sha1=None, parameters=None): if isinstance(fobj, urllib3.response.HTTPResponse): fobj = HTTPResponseWrapper(fobj) url = str(pathobj) if parameters: url += ';%s' % encode_matrix_parameters(parameters) headers = {} if md5: headers['X-Checksum-Md5'] = md5 if sha1: headers['X-Checksum-Sha1'] = sha1 text, code = self.rest_put_stream(url, fobj, headers=headers, auth= pathobj.auth, verify=pathobj.verify, cert=pathobj.cert) if code not in [200, 201]: raise RuntimeError('%s' % text)
deploy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pathobj, fobj, md5=None, sha1=None, parameters=None):\n if isinstance(fobj, urllib3.response.HTTPResponse):\n fobj = HTTPResponseWrapper(fobj)\n url = str(pathobj)\n if parameters:\n url += ';%s' % encode_matrix_parameters(parameters)\n headers = {}\n if md5:\n headers['X-Checksum-Md5'] = md5\n if sha1:\n headers['X-Checksum-Sha1'] = sha1\n text, code = self.rest_put_stream(url, fobj, headers=headers, auth=\n pathobj.auth, verify=pathobj.verify, cert=pathobj.cert)\n if code not in [200, 201]:\n raise RuntimeError('%s' % text)\n", "role": "user" }, { "content": "deploy", "role": "assistant" } ]
def x(self, src, dst): url = '/'.join([src.drive, 'api/move', str(src.relative_to(src.drive)). rstrip('/')]) params = {'to': str(dst.relative_to(dst.drive)).rstrip('/')} text, code = self.rest_post(url, params=params, auth=src.auth, verify= src.verify, cert=src.cert) if code not in [200, 201]: raise RuntimeError('%s' % text)
move
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, src, dst):\n url = '/'.join([src.drive, 'api/move', str(src.relative_to(src.drive)).\n rstrip('/')])\n params = {'to': str(dst.relative_to(dst.drive)).rstrip('/')}\n text, code = self.rest_post(url, params=params, auth=src.auth, verify=\n src.verify, cert=src.cert)\n if code not in [200, 201]:\n raise RuntimeError('%s' % text)\n", "role": "user" }, { "content": "move", "role": "assistant" } ]
def x(self, pathobj, props, recursive): url = '/'.join([pathobj.drive, 'api/storage', str(pathobj.relative_to( pathobj.drive)).strip('/')]) params = {'properties': encode_properties(props)} if not recursive: params['recursive'] = '0' text, code = self.rest_put(url, params=params, auth=pathobj.auth, verify=pathobj.verify, cert=pathobj.cert) if code == 404 and 'Unable to find item' in text: raise OSError(2, "No such file or directory: '%s'" % url) if code != 204: raise RuntimeError(text)
set_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pathobj, props, recursive):\n url = '/'.join([pathobj.drive, 'api/storage', str(pathobj.relative_to(\n pathobj.drive)).strip('/')])\n params = {'properties': encode_properties(props)}\n if not recursive:\n params['recursive'] = '0'\n text, code = self.rest_put(url, params=params, auth=pathobj.auth,\n verify=pathobj.verify, cert=pathobj.cert)\n if code == 404 and 'Unable to find item' in text:\n raise OSError(2, \"No such file or directory: '%s'\" % url)\n if code != 204:\n raise RuntimeError(text)\n", "role": "user" }, { "content": "set_properties", "role": "assistant" } ]
def x(self, pathobj, props, recursive): if isinstance(props, str): props = props, url = '/'.join([pathobj.drive, 'api/storage', str(pathobj.relative_to( pathobj.drive)).strip('/')]) params = {'properties': ','.join(sorted(props))} if not recursive: params['recursive'] = '0' text, code = self.rest_del(url, params=params, auth=pathobj.auth, verify=pathobj.verify, cert=pathobj.cert) if code == 404 and 'Unable to find item' in text: raise OSError(2, "No such file or directory: '%s'" % url) if code != 204: raise RuntimeError(text)
del_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pathobj, props, recursive):\n if isinstance(props, str):\n props = props,\n url = '/'.join([pathobj.drive, 'api/storage', str(pathobj.relative_to(\n pathobj.drive)).strip('/')])\n params = {'properties': ','.join(sorted(props))}\n if not recursive:\n params['recursive'] = '0'\n text, code = self.rest_del(url, params=params, auth=pathobj.auth,\n verify=pathobj.verify, cert=pathobj.cert)\n if code == 404 and 'Unable to find item' in text:\n raise OSError(2, \"No such file or directory: '%s'\" % url)\n if code != 204:\n raise RuntimeError(text)\n", "role": "user" }, { "content": "del_properties", "role": "assistant" } ]
def x(self, *other): obj = super(ArtifactoryPath, self).relative_to(*other) obj.auth = self.auth obj.verify = self.verify obj.cert = self.cert return obj
relative_to
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *other):\n obj = super(ArtifactoryPath, self).relative_to(*other)\n obj.auth = self.auth\n obj.verify = self.verify\n obj.cert = self.cert\n return obj\n", "role": "user" }, { "content": "relative_to", "role": "assistant" } ]
def x(self, properties, recursive=True): if not properties: return return self._accessor.set_properties(self, properties, recursive)
set_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, properties, recursive=True):\n if not properties:\n return\n return self._accessor.set_properties(self, properties, recursive)\n", "role": "user" }, { "content": "set_properties", "role": "assistant" } ]
def x(self): width = ale_lib.getScreenWidth(self.obj) height = ale_lib.getScreenHeight(self.obj) return width, height
getScreenDims
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n width = ale_lib.getScreenWidth(self.obj)\n height = ale_lib.getScreenHeight(self.obj)\n return width, height\n", "role": "user" }, { "content": "getScreenDims", "role": "assistant" } ]
def x(self, screen_data=None): if screen_data is None: width = ale_lib.getScreenWidth(self.obj) height = ale_lib.getScreenWidth(self.obj) screen_data = np.zeros(width * height, dtype=np.uint8) ale_lib.getScreen(self.obj, as_ctypes(screen_data)) return screen_data
getScreen
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, screen_data=None):\n if screen_data is None:\n width = ale_lib.getScreenWidth(self.obj)\n height = ale_lib.getScreenWidth(self.obj)\n screen_data = np.zeros(width * height, dtype=np.uint8)\n ale_lib.getScreen(self.obj, as_ctypes(screen_data))\n return screen_data\n", "role": "user" }, { "content": "getScreen", "role": "assistant" } ]
def x(self, screen_data=None): if screen_data is None: width = ale_lib.getScreenWidth(self.obj) height = ale_lib.getScreenWidth(self.obj) screen_data = np.zeros(width * height, dtype=np.uint32) ale_lib.getScreenRGB(self.obj, as_ctypes(screen_data)) return screen_data
getScreenRGB
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, screen_data=None):\n if screen_data is None:\n width = ale_lib.getScreenWidth(self.obj)\n height = ale_lib.getScreenWidth(self.obj)\n screen_data = np.zeros(width * height, dtype=np.uint32)\n ale_lib.getScreenRGB(self.obj, as_ctypes(screen_data))\n return screen_data\n", "role": "user" }, { "content": "getScreenRGB", "role": "assistant" } ]
def x(self, ram=None): if ram is None: ram_size = ale_lib.getRAMSize(self.obj) ram = np.zeros(ram_size, dtype=np.uint8) ale_lib.getRAM(self.obj, as_ctypes(ram))
getRAM
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ram=None):\n if ram is None:\n ram_size = ale_lib.getRAMSize(self.obj)\n ram = np.zeros(ram_size, dtype=np.uint8)\n ale_lib.getRAM(self.obj, as_ctypes(ram))\n", "role": "user" }, { "content": "getRAM", "role": "assistant" } ]
def x(term): term = re.sub('\\s+', ' ', term) term = term.lower() return term
lowstrip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(term):\n term = re.sub('\\\\s+', ' ', term)\n term = term.lower()\n return term\n", "role": "user" }, { "content": "lowstrip", "role": "assistant" } ]
def x(left_path, left_column, right_path, right_column, outfile, titles, join, minscore, count, warp): right_file = csv.reader(open(right_path, 'r')) if titles: right_header = next(right_file) index = NGram((tuple(r) for r in right_file), threshold=minscore, warp= warp, key=lambda x: lowstrip(x[right_column])) left_file = csv.reader(open(left_path, 'r')) out = csv.writer(open(outfile, 'w'), lineterminator='\n') if titles: left_header = next(left_file) out.writerow(left_header + ['Rank', 'Similarity'] + right_header) for row in left_file: if not row: continue row = tuple(row) results = index.search(lowstrip(row[left_column]), threshold=minscore) if results: if count > 0: results = results[:count] for rank, result in enumerate(results, 1): out.writerow(row + (rank, result[1]) + result[0]) elif join == 'outer': out.writerow(row)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(left_path, left_column, right_path, right_column, outfile, titles,\n join, minscore, count, warp):\n right_file = csv.reader(open(right_path, 'r'))\n if titles:\n right_header = next(right_file)\n index = NGram((tuple(r) for r in right_file), threshold=minscore, warp=\n warp, key=lambda x: lowstrip(x[right_column]))\n left_file = csv.reader(open(left_path, 'r'))\n out = csv.writer(open(outfile, 'w'), lineterminator='\\n')\n if titles:\n left_header = next(left_file)\n out.writerow(left_header + ['Rank', 'Similarity'] + right_header)\n for row in left_file:\n if not row:\n continue\n row = tuple(row)\n results = index.search(lowstrip(row[left_column]), threshold=minscore)\n if results:\n if count > 0:\n results = results[:count]\n for rank, result in enumerate(results, 1):\n out.writerow(row + (rank, result[1]) + result[0])\n elif join == 'outer':\n out.writerow(row)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]