source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(src_path, lnk_path): if CHECK_LUSTRE_PATH_LEN: src_path = patch_lustre_path(src_path) lnk_path = patch_lustre_path(lnk_path) if not os.path.exists(src_path): return try: os.symlink(src_path, lnk_path) except EnvironmentError as exc: if exc.errno != errno.EEXIST: raise elif not os.path.islink(lnk_path): print( 'Warning: Cannot create symbolic link to {p}; a file named {f} already exists.' .format(p=src_path, f=lnk_path)) elif os.path.realpath(lnk_path) != src_path: os.remove(lnk_path) os.symlink(src_path, lnk_path)
make_symlink
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(src_path, lnk_path):\n if CHECK_LUSTRE_PATH_LEN:\n src_path = patch_lustre_path(src_path)\n lnk_path = patch_lustre_path(lnk_path)\n if not os.path.exists(src_path):\n return\n try:\n os.symlink(src_path, lnk_path)\n except EnvironmentError as exc:\n if exc.errno != errno.EEXIST:\n raise\n elif not os.path.islink(lnk_path):\n print(\n 'Warning: Cannot create symbolic link to {p}; a file named {f} already exists.'\n .format(p=src_path, f=lnk_path))\n elif os.path.realpath(lnk_path) != src_path:\n os.remove(lnk_path)\n os.symlink(src_path, lnk_path)\n", "role": "user" }, { "content": "make_symlink", "role": "assistant" } ]
def x(path): head, tail = os.path.split(path) if tail == '': return head, elif head == '': return tail, else: return splitpath(head) + (tail,)
splitpath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n head, tail = os.path.split(path)\n if tail == '':\n return head,\n elif head == '':\n return tail,\n else:\n return splitpath(head) + (tail,)\n", "role": "user" }, { "content": "splitpath", "role": "assistant" } ]
def x(f_path): if CHECK_LUSTRE_PATH_LEN and len(f_path) == 60: if os.path.isabs(f_path): f_path = '/.' + f_path else: f_path = './' + f_path return f_path
patch_lustre_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f_path):\n if CHECK_LUSTRE_PATH_LEN and len(f_path) == 60:\n if os.path.isabs(f_path):\n f_path = '/.' + f_path\n else:\n f_path = './' + f_path\n return f_path\n", "role": "user" }, { "content": "patch_lustre_path", "role": "assistant" } ]
def x(self, reproduce=False, **args): hashvals = {} fast_check = self.check_file(filepaths=self.data.keys(), hashvals= hashvals, hashfn=fast_hashes, shortcircuit=True, **args) if not fast_check: for filepath in hashvals: for hash, val in hashvals[filepath].items(): self.data[filepath]['hashes'][hash] = val if reproduce: for filepath in hashvals: print('Check failed for {0} {1}'.format(filepath, hashvals[ filepath])) tmphash = {} full_check = self.check_file(filepaths=filepath, hashfn= full_hashes, hashvals=tmphash, shortcircuit=False, **args) if full_check: print('Full hashes ({0}) checked ok'.format(full_hashes)) print('Updating fast hashes for {0} in {1}'.format( filepath, self.path)) self.add_fast(filepath, force=True) print('Saving updated manifest') self.needsync = True else: sys.stderr.write( 'Run cannot reproduce: manifest {0} is not correct\n' .format(self.path)) for path, hashdict in tmphash.items(): print(' {0}:'.format(path)) for hash, val in hashdict.items(): hash_table = self.data[path]['hashes'] hash_table_val = hash_table.get(hash, None) print(' {0}: {1} != {2}'.format(hash, val, hash_table_val)) sys.exit(1) else: print('Updating full hashes for {0} files in {1}'.format(len( hashvals), self.path)) self.add(filepaths=list(hashvals.keys()), hashfn=full_hashes, force=True, fullpaths=[self.fullpath(fpath) for fpath in list(hashvals.keys())]) self.needsync = True
check_fast
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, reproduce=False, **args):\n hashvals = {}\n fast_check = self.check_file(filepaths=self.data.keys(), hashvals=\n hashvals, hashfn=fast_hashes, shortcircuit=True, **args)\n if not fast_check:\n for filepath in hashvals:\n for hash, val in hashvals[filepath].items():\n self.data[filepath]['hashes'][hash] = val\n if reproduce:\n for filepath in hashvals:\n print('Check failed for {0} {1}'.format(filepath, hashvals[\n filepath]))\n tmphash = {}\n full_check = self.check_file(filepaths=filepath, hashfn=\n full_hashes, hashvals=tmphash, shortcircuit=False, **args)\n if full_check:\n print('Full hashes ({0}) checked ok'.format(full_hashes))\n print('Updating fast hashes for {0} in {1}'.format(\n filepath, self.path))\n self.add_fast(filepath, force=True)\n print('Saving updated manifest')\n self.needsync = True\n else:\n sys.stderr.write(\n 'Run cannot reproduce: manifest {0} is not correct\\n'\n .format(self.path))\n for path, hashdict in tmphash.items():\n print(' {0}:'.format(path))\n for hash, val in hashdict.items():\n hash_table = self.data[path]['hashes']\n hash_table_val = hash_table.get(hash, None)\n print(' {0}: {1} != {2}'.format(hash,\n val, hash_table_val))\n sys.exit(1)\n else:\n print('Updating full hashes for {0} files in {1}'.format(len(\n hashvals), self.path))\n self.add(filepaths=list(hashvals.keys()), hashfn=full_hashes,\n force=True, fullpaths=[self.fullpath(fpath) for fpath in\n list(hashvals.keys())])\n self.needsync = True\n", "role": "user" }, { "content": "check_fast", "role": "assistant" } ]
def x(self, filepath, fullpath, copy=False): if os.path.isdir(fullpath): return False for pattern in self.ignore: if fnmatch.fnmatch(os.path.basename(fullpath), pattern): return False if filepath not in self.data: self.data[filepath] = {} self.data[filepath]['fullpath'] = fullpath if 'hashes' not in self.data[filepath]: self.data[filepath]['hashes'] = {hash: None for hash in all_hashes} if copy: self.data[filepath]['copy'] = copy if hasattr(self, 'existing_filepaths'): if filepath in self.existing_filepaths: self.existing_filepaths.remove(filepath) return True
add_filepath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filepath, fullpath, copy=False):\n if os.path.isdir(fullpath):\n return False\n for pattern in self.ignore:\n if fnmatch.fnmatch(os.path.basename(fullpath), pattern):\n return False\n if filepath not in self.data:\n self.data[filepath] = {}\n self.data[filepath]['fullpath'] = fullpath\n if 'hashes' not in self.data[filepath]:\n self.data[filepath]['hashes'] = {hash: None for hash in all_hashes}\n if copy:\n self.data[filepath]['copy'] = copy\n if hasattr(self, 'existing_filepaths'):\n if filepath in self.existing_filepaths:\n self.existing_filepaths.remove(filepath)\n return True\n", "role": "user" }, { "content": "add_filepath", "role": "assistant" } ]
def x(self, filepath, hashfn=None, force=False): if hashfn is None: hashfn = fast_hashes self.add(filepath, hashfn, force, shortcircuit=True)
add_fast
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filepath, hashfn=None, force=False):\n if hashfn is None:\n hashfn = fast_hashes\n self.add(filepath, hashfn, force, shortcircuit=True)\n", "role": "user" }, { "content": "add_fast", "role": "assistant" } ]
def x(self, filepath): copy_file = False try: copy_file = self.data[filepath]['copy'] except KeyError: return False return copy_file
copy_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filepath):\n copy_file = False\n try:\n copy_file = self.data[filepath]['copy']\n except KeyError:\n return False\n return copy_file\n", "role": "user" }, { "content": "copy_file", "role": "assistant" } ]
def x(self, filepath): if not os.path.exists(self.fullpath(filepath)): print('File not found: {filepath}'.format(filepath=self.fullpath( filepath))) if self.contains(filepath): print('removing from manifest') self.delete(filepath) self.needsync = True else: try: destdir = os.path.dirname(filepath) if not os.path.exists(destdir): os.makedirs(destdir) if self.copy_file(filepath): shutil.copy(self.fullpath(filepath), filepath) perm = (stat.S_IRUSR | stat.S_IRGRP | stat.S_IROTH | stat. S_IWUSR) os.chmod(filepath, perm) else: make_symlink(self.fullpath(filepath), filepath) except Exception: action = 'copying' if self.copy_file else 'linking' print('payu: error: {action} orig: {orig} local: {local}'. format(action=action, orig=self.fullpath(filepath), local= filepath)) raise
make_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filepath):\n if not os.path.exists(self.fullpath(filepath)):\n print('File not found: {filepath}'.format(filepath=self.fullpath(\n filepath)))\n if self.contains(filepath):\n print('removing from manifest')\n self.delete(filepath)\n self.needsync = True\n else:\n try:\n destdir = os.path.dirname(filepath)\n if not os.path.exists(destdir):\n os.makedirs(destdir)\n if self.copy_file(filepath):\n shutil.copy(self.fullpath(filepath), filepath)\n perm = (stat.S_IRUSR | stat.S_IRGRP | stat.S_IROTH | stat.\n S_IWUSR)\n os.chmod(filepath, perm)\n else:\n make_symlink(self.fullpath(filepath), filepath)\n except Exception:\n action = 'copying' if self.copy_file else 'linking'\n print('payu: error: {action} orig: {orig} local: {local}'.\n format(action=action, orig=self.fullpath(filepath), local=\n filepath))\n raise\n", "role": "user" }, { "content": "make_link", "role": "assistant" } ]
def x(self, manifest, filepath, fullpath, copy=False): filepath = os.path.normpath(filepath) if self.manifests[manifest].add_filepath(filepath, fullpath, copy): self.manifests[manifest].make_link(filepath)
add_filepath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, manifest, filepath, fullpath, copy=False):\n filepath = os.path.normpath(filepath)\n if self.manifests[manifest].add_filepath(filepath, fullpath, copy):\n self.manifests[manifest].make_link(filepath)\n", "role": "user" }, { "content": "add_filepath", "role": "assistant" } ]
def x(dir='.'): cmd = ['git', 'rev-parse', 'HEAD'] try: with open(os.devnull, 'w') as devnull: revision_hash = subprocess.check_output(cmd, cwd=dir, stderr= devnull) if sys.version_info.major > 2: revision_hash = revision_hash.decode('ascii') return revision_hash.strip() except subprocess.CalledProcessError: return None
commit_hash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dir='.'):\n cmd = ['git', 'rev-parse', 'HEAD']\n try:\n with open(os.devnull, 'w') as devnull:\n revision_hash = subprocess.check_output(cmd, cwd=dir, stderr=\n devnull)\n if sys.version_info.major > 2:\n revision_hash = revision_hash.decode('ascii')\n return revision_hash.strip()\n except subprocess.CalledProcessError:\n return None\n", "role": "user" }, { "content": "commit_hash", "role": "assistant" } ]
def x(self): config_path = os.path.join(self.expt.control_path, DEFAULT_CONFIG_FNAME) self.manifest = [] if os.path.isfile(config_path): self.manifest.append(config_path) for model in self.expt.models: config_files = model.config_files + model.optional_config_files self.manifest.extend(os.path.join(model.control_path, f) for f in config_files) for mf in self.expt.manifest: self.manifest.append(mf.path)
create_manifest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n config_path = os.path.join(self.expt.control_path, DEFAULT_CONFIG_FNAME)\n self.manifest = []\n if os.path.isfile(config_path):\n self.manifest.append(config_path)\n for model in self.expt.models:\n config_files = model.config_files + model.optional_config_files\n self.manifest.extend(os.path.join(model.control_path, f) for f in\n config_files)\n for mf in self.expt.manifest:\n self.manifest.append(mf.path)\n", "role": "user" }, { "content": "create_manifest", "role": "assistant" } ]
def x(self): expt_name = self.config.get('name', self.expt.name) default_ssh_key = 'id_rsa_payu_' + expt_name ssh_key = self.config.get('sshid', default_ssh_key) ssh_key_path = os.path.join(os.path.expanduser('~'), '.ssh', 'payu', ssh_key) if not os.path.isfile(ssh_key_path): print('payu: error: Github SSH key {key} not found.'.format(key= ssh_key_path)) print('payu: error: Run `payu ghsetup` to generate a new key.') sys.exit(-1) cmd = 'ssh-agent bash -c "ssh-add {key}; git push --all payu"'.format(key =ssh_key_path) subprocess.check_call(shlex.split(cmd), cwd=self.expt.control_path)
push
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n expt_name = self.config.get('name', self.expt.name)\n default_ssh_key = 'id_rsa_payu_' + expt_name\n ssh_key = self.config.get('sshid', default_ssh_key)\n ssh_key_path = os.path.join(os.path.expanduser('~'), '.ssh', 'payu',\n ssh_key)\n if not os.path.isfile(ssh_key_path):\n print('payu: error: Github SSH key {key} not found.'.format(key=\n ssh_key_path))\n print('payu: error: Run `payu ghsetup` to generate a new key.')\n sys.exit(-1)\n cmd = 'ssh-agent bash -c \"ssh-add {key}; git push --all payu\"'.format(key\n =ssh_key_path)\n subprocess.check_call(shlex.split(cmd), cwd=self.expt.control_path)\n", "role": "user" }, { "content": "push", "role": "assistant" } ]
def x(self): github_auth = self.authenticate() github_username = github_auth[0] expt_name = self.config.get('name', self.expt.name) expt_description = self.expt.config.get('description') if not expt_description: expt_description = input('Briefly describe the experiment: ') assert isinstance(expt_description, str) expt_private = self.config.get('private', False) github_api_url = 'https://api.github.com' org_name = self.config.get('organization') if org_name: repo_target = org_name org_query_url = os.path.join(github_api_url, 'orgs', org_name) org_req = requests.get(org_query_url) if org_req.status_code == 404: print('payu: github organization {org} does not exist.'.format( org=org_name)) print(' You must first create this on the website.') elif org_req.status_code == 200: pass else: print('payu: abort!') sys.exit(-1) repo_query_url = os.path.join(github_api_url, 'orgs', org_name, 'repos' ) repo_api_url = os.path.join(github_api_url, 'repos', org_name, expt_name) else: repo_target = github_username repo_query_url = os.path.join(github_api_url, 'user', 'repos') repo_api_url = os.path.join(github_api_url, 'repos', github_username, expt_name) user_repos = [] page = 1 while True: repo_params = {'page': page, 'per_page': 100} repo_query = requests.get(repo_query_url, auth=github_auth, params= repo_params) assert repo_query.status_code == 200 if repo_query.json(): user_repos.extend(list(r['name'] for r in repo_query.json())) page += 1 else: break if expt_name not in user_repos: repo_config = {'name': expt_name, 'description': expt_description, 'private': expt_private, 'has_issues': True, 'has_downloads': True, 'has_wiki': False} repo_gen = requests.post(repo_query_url, json.dumps(repo_config), auth=github_auth) assert repo_gen.status_code == 201 git_remote_out = subprocess.check_output(shlex.split('git remote -v'), cwd=self.expt.control_path) git_remotes = dict([(r.split()[0], r.split()[1]) for r in git_remote_out.split('\n') if r]) remote_name = self.config.get('remote', 'payu') remote_url = os.path.join('ssh://[email protected]', repo_target, self. expt.name + '.git') if remote_name not in git_remotes: cmd = 'git remote add {name} {url}'.format(name=remote_name, url= remote_url) subprocess.check_call(shlex.split(cmd), cwd=self.expt.control_path) elif git_remotes[remote_name] != remote_url: print( 'payu: error: Existing remote URL does not match the proposed URL.' ) print( 'payu: error: To delete the old remote, type `git remote rm {name}`.' .format(name=remote_name)) sys.exit(-1) default_ssh_key = 'id_rsa_payu_' + expt_name ssh_key = self.config.get('sshid', default_ssh_key) ssh_dir = os.path.join(os.path.expanduser('~'), '.ssh', 'payu') mkdir_p(ssh_dir) ssh_keypath = os.path.join(ssh_dir, ssh_key) if not os.path.isfile(ssh_keypath): cmd = 'ssh-keygen -t rsa -f {key} -q -P ""'.format(key=ssh_key) subprocess.check_call(shlex.split(cmd), cwd=ssh_dir) with open(ssh_keypath + '.pub') as keyfile: pubkey = ' '.join(keyfile.read().split()[:-1]) repo_keys_url = os.path.join(repo_api_url, 'keys') keys_req = requests.get(repo_keys_url, auth=github_auth) assert keys_req.status_code == 200 if not any(k['key'] == pubkey for k in keys_req.json()): add_key_param = {'title': 'payu', 'key': pubkey} add_key_req = requests.post(repo_keys_url, auth=github_auth, json= add_key_param) assert add_key_req.status_code == 201
github_setup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n github_auth = self.authenticate()\n github_username = github_auth[0]\n expt_name = self.config.get('name', self.expt.name)\n expt_description = self.expt.config.get('description')\n if not expt_description:\n expt_description = input('Briefly describe the experiment: ')\n assert isinstance(expt_description, str)\n expt_private = self.config.get('private', False)\n github_api_url = 'https://api.github.com'\n org_name = self.config.get('organization')\n if org_name:\n repo_target = org_name\n org_query_url = os.path.join(github_api_url, 'orgs', org_name)\n org_req = requests.get(org_query_url)\n if org_req.status_code == 404:\n print('payu: github organization {org} does not exist.'.format(\n org=org_name))\n print(' You must first create this on the website.')\n elif org_req.status_code == 200:\n pass\n else:\n print('payu: abort!')\n sys.exit(-1)\n repo_query_url = os.path.join(github_api_url, 'orgs', org_name, 'repos'\n )\n repo_api_url = os.path.join(github_api_url, 'repos', org_name,\n expt_name)\n else:\n repo_target = github_username\n repo_query_url = os.path.join(github_api_url, 'user', 'repos')\n repo_api_url = os.path.join(github_api_url, 'repos',\n github_username, expt_name)\n user_repos = []\n page = 1\n while True:\n repo_params = {'page': page, 'per_page': 100}\n repo_query = requests.get(repo_query_url, auth=github_auth, params=\n repo_params)\n assert repo_query.status_code == 200\n if repo_query.json():\n user_repos.extend(list(r['name'] for r in repo_query.json()))\n page += 1\n else:\n break\n if expt_name not in user_repos:\n repo_config = {'name': expt_name, 'description': expt_description,\n 'private': expt_private, 'has_issues': True, 'has_downloads': \n True, 'has_wiki': False}\n repo_gen = requests.post(repo_query_url, json.dumps(repo_config),\n auth=github_auth)\n assert repo_gen.status_code == 201\n git_remote_out = subprocess.check_output(shlex.split('git remote -v'),\n cwd=self.expt.control_path)\n git_remotes = dict([(r.split()[0], r.split()[1]) for r in\n git_remote_out.split('\\n') if r])\n remote_name = self.config.get('remote', 'payu')\n remote_url = os.path.join('ssh://[email protected]', repo_target, self.\n expt.name + '.git')\n if remote_name not in git_remotes:\n cmd = 'git remote add {name} {url}'.format(name=remote_name, url=\n remote_url)\n subprocess.check_call(shlex.split(cmd), cwd=self.expt.control_path)\n elif git_remotes[remote_name] != remote_url:\n print(\n 'payu: error: Existing remote URL does not match the proposed URL.'\n )\n print(\n 'payu: error: To delete the old remote, type `git remote rm {name}`.'\n .format(name=remote_name))\n sys.exit(-1)\n default_ssh_key = 'id_rsa_payu_' + expt_name\n ssh_key = self.config.get('sshid', default_ssh_key)\n ssh_dir = os.path.join(os.path.expanduser('~'), '.ssh', 'payu')\n mkdir_p(ssh_dir)\n ssh_keypath = os.path.join(ssh_dir, ssh_key)\n if not os.path.isfile(ssh_keypath):\n cmd = 'ssh-keygen -t rsa -f {key} -q -P \"\"'.format(key=ssh_key)\n subprocess.check_call(shlex.split(cmd), cwd=ssh_dir)\n with open(ssh_keypath + '.pub') as keyfile:\n pubkey = ' '.join(keyfile.read().split()[:-1])\n repo_keys_url = os.path.join(repo_api_url, 'keys')\n keys_req = requests.get(repo_keys_url, auth=github_auth)\n assert keys_req.status_code == 200\n if not any(k['key'] == pubkey for k in keys_req.json()):\n add_key_param = {'title': 'payu', 'key': pubkey}\n add_key_req = requests.post(repo_keys_url, auth=github_auth, json=\n add_key_param)\n assert add_key_req.status_code == 201\n", "role": "user" }, { "content": "github_setup", "role": "assistant" } ]
def x(expiration): if re.match('^[1-9][0-9]*$', expiration): return expiration + '.0a1' if re.match('^[1-9][0-9]*\\.0$', expiration): return expiration + 'a1' return expiration
add_expiration_postfix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(expiration):\n if re.match('^[1-9][0-9]*$', expiration):\n return expiration + '.0a1'\n if re.match('^[1-9][0-9]*\\\\.0$', expiration):\n return expiration + 'a1'\n return expiration\n", "role": "user" }, { "content": "add_expiration_postfix", "role": "assistant" } ]
def x(filename): try: with open(filename, 'r') as f: return yaml.safe_load(f) except IOError as e: raise ParserError('Error opening ' + filename + ': ' + e.message) except ValueError as e: raise ParserError('Error parsing processes in {}: {}'.format( filename, e.message))
load_yaml_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n try:\n with open(filename, 'r') as f:\n return yaml.safe_load(f)\n except IOError as e:\n raise ParserError('Error opening ' + filename + ': ' + e.message)\n except ValueError as e:\n raise ParserError('Error parsing processes in {}: {}'.format(\n filename, e.message))\n", "role": "user" }, { "content": "load_yaml_file", "role": "assistant" } ]
def x(self, string): if string in self.table: return self.table[string] else: result = self.current_index self.table[string] = result self.current_index += self.c_strlen(string) return result
stringIndex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string):\n if string in self.table:\n return self.table[string]\n else:\n result = self.current_index\n self.table[string] = result\n self.current_index += self.c_strlen(string)\n return result\n", "role": "user" }, { "content": "stringIndex", "role": "assistant" } ]
def x(self, f, name): entries = self.table.items() entries.sort(key=lambda x: x[1]) def x(string): def x(s): if s == "'": return "'\\''" else: return "'%s'" % s return ', '.join(map(toCChar, string)) f.write('const char %s[] = {\n' % name) for string, offset in entries: if '*/' in string: raise ValueError( "String in string table contains unexpected sequence '*/': %s" % string) e = explodeToCharArray(string) if e: f.write(' /* %5d - "%s" */ %s, \'\\0\',\n' % (offset, string, explodeToCharArray(string))) else: f.write(' /* %5d - "%s" */ \'\\0\',\n' % (offset, string)) f.write('};\n\n')
writeDefinition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, f, name):\n entries = self.table.items()\n entries.sort(key=lambda x: x[1])\n\n def x(string):\n\n def x(s):\n if s == \"'\":\n return \"'\\\\''\"\n else:\n return \"'%s'\" % s\n return ', '.join(map(toCChar, string))\n f.write('const char %s[] = {\\n' % name)\n for string, offset in entries:\n if '*/' in string:\n raise ValueError(\n \"String in string table contains unexpected sequence '*/': %s\"\n % string)\n e = explodeToCharArray(string)\n if e:\n f.write(' /* %5d - \"%s\" */ %s, \\'\\\\0\\',\\n' % (offset, string,\n explodeToCharArray(string)))\n else:\n f.write(' /* %5d - \"%s\" */ \\'\\\\0\\',\\n' % (offset, string))\n f.write('};\\n\\n')\n", "role": "user" }, { "content": "writeDefinition", "role": "assistant" } ]
def x(context, obj): content_type = ContentType.objects.get_for_model(obj.__class__) comment_list = LogEntry.objects.filter(content_type=content_type, object_id=obj.pk, action_flag=COMMENT) return {'obj': obj, 'comment_list': comment_list, 'is_admin': context[ 'is_admin']}
comments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context, obj):\n content_type = ContentType.objects.get_for_model(obj.__class__)\n comment_list = LogEntry.objects.filter(content_type=content_type,\n object_id=obj.pk, action_flag=COMMENT)\n return {'obj': obj, 'comment_list': comment_list, 'is_admin': context[\n 'is_admin']}\n", "role": "user" }, { "content": "comments", "role": "assistant" } ]
def x(username, machine_name=None): try: ua = Account.objects.get(username=username, date_deleted__isnull=True) except Account.DoesNotExist: return 'Account not found' result = ua.get_disk_quota() if result is None: return False return result * 1048576
get_disk_quota
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(username, machine_name=None):\n try:\n ua = Account.objects.get(username=username, date_deleted__isnull=True)\n except Account.DoesNotExist:\n return 'Account not found'\n result = ua.get_disk_quota()\n if result is None:\n return False\n return result * 1048576\n", "role": "user" }, { "content": "get_disk_quota", "role": "assistant" } ]
def x(project, start, end, force_overwrite=False): filename = graphs.get_project_trend_graph_filename(project, start, end) csv_filename = os.path.join(GRAPH_ROOT, filename + '.csv') png_filename = os.path.join(GRAPH_ROOT, filename + '.png') _check_directory_exists(csv_filename) _check_directory_exists(png_filename) if not settings.GRAPH_DEBUG or force_overwrite: if os.path.exists(csv_filename): if os.path.exists(png_filename): return query = CPUJob.objects.filter(project=project, date__range=(start, end)) query = query.values('account', 'account__username', 'date') query = query.annotate(Sum('cpu_usage')).order_by('account', 'date') t_start = start t_end = end start_str = start.strftime('%Y-%m-%d') end_str = end.strftime('%Y-%m-%d') fig, ax = plt.subplots(figsize=(6, 4)) ax.set_xlim(start, end + datetime.timedelta(days=1)) ax.set_title('%s %s - %s' % (project.pid, start_str, end_str)) ax.set_ylabel('CPU Time (hours)') ax.set_xlabel('Date') locator = mdates.AutoDateLocator() ax.xaxis.set_major_locator(locator) ax.xaxis.set_major_formatter(mdates.AutoDateFormatter(locator)) ax.xaxis.set_minor_locator(mdates.DayLocator()) data = {} x_data = {} y_data = {} with open(csv_filename, 'w') as csv_file: csv_writer = csv.writer(csv_file) for row in query.iterator(): csv_writer.writerow([row['account__username'], row['date'], row ['cpu_usage__sum'] / 3600.0]) account = row['account'] date = row['date'] if account not in data: data[account] = {} x_data[account] = [] y_data[account] = [] data[account][date] = row['cpu_usage__sum'] for account, dates in six.iteritems(data): start = t_start end = t_end while start <= end: total = 0 if start in dates: total = dates[start] x_data[account].append(start) y_data[account].append(total / 3600.0) start = start + datetime.timedelta(days=1) del data totals = [] start = t_start end = t_end while start <= end: totals.append(0) start = start + datetime.timedelta(days=1) count = 0 for account in x_data.keys(): ax.bar(x_data[account], y_data[account], bottom=totals, color= graphs.get_colour(count), edgecolor=graphs.get_colour(count), align='edge') count = count + 1 i = 0 start = t_start end = t_end while start <= end: totals[i] += y_data[account][i] i = i + 1 start = start + datetime.timedelta(days=1) del x_data del y_data del totals fig.autofmt_xdate() plt.tight_layout() plt.savefig(png_filename) plt.close()
gen_project_trend_graph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(project, start, end, force_overwrite=False):\n filename = graphs.get_project_trend_graph_filename(project, start, end)\n csv_filename = os.path.join(GRAPH_ROOT, filename + '.csv')\n png_filename = os.path.join(GRAPH_ROOT, filename + '.png')\n _check_directory_exists(csv_filename)\n _check_directory_exists(png_filename)\n if not settings.GRAPH_DEBUG or force_overwrite:\n if os.path.exists(csv_filename):\n if os.path.exists(png_filename):\n return\n query = CPUJob.objects.filter(project=project, date__range=(start, end))\n query = query.values('account', 'account__username', 'date')\n query = query.annotate(Sum('cpu_usage')).order_by('account', 'date')\n t_start = start\n t_end = end\n start_str = start.strftime('%Y-%m-%d')\n end_str = end.strftime('%Y-%m-%d')\n fig, ax = plt.subplots(figsize=(6, 4))\n ax.set_xlim(start, end + datetime.timedelta(days=1))\n ax.set_title('%s %s - %s' % (project.pid, start_str, end_str))\n ax.set_ylabel('CPU Time (hours)')\n ax.set_xlabel('Date')\n locator = mdates.AutoDateLocator()\n ax.xaxis.set_major_locator(locator)\n ax.xaxis.set_major_formatter(mdates.AutoDateFormatter(locator))\n ax.xaxis.set_minor_locator(mdates.DayLocator())\n data = {}\n x_data = {}\n y_data = {}\n with open(csv_filename, 'w') as csv_file:\n csv_writer = csv.writer(csv_file)\n for row in query.iterator():\n csv_writer.writerow([row['account__username'], row['date'], row\n ['cpu_usage__sum'] / 3600.0])\n account = row['account']\n date = row['date']\n if account not in data:\n data[account] = {}\n x_data[account] = []\n y_data[account] = []\n data[account][date] = row['cpu_usage__sum']\n for account, dates in six.iteritems(data):\n start = t_start\n end = t_end\n while start <= end:\n total = 0\n if start in dates:\n total = dates[start]\n x_data[account].append(start)\n y_data[account].append(total / 3600.0)\n start = start + datetime.timedelta(days=1)\n del data\n totals = []\n start = t_start\n end = t_end\n while start <= end:\n totals.append(0)\n start = start + datetime.timedelta(days=1)\n count = 0\n for account in x_data.keys():\n ax.bar(x_data[account], y_data[account], bottom=totals, color=\n graphs.get_colour(count), edgecolor=graphs.get_colour(count),\n align='edge')\n count = count + 1\n i = 0\n start = t_start\n end = t_end\n while start <= end:\n totals[i] += y_data[account][i]\n i = i + 1\n start = start + datetime.timedelta(days=1)\n del x_data\n del y_data\n del totals\n fig.autofmt_xdate()\n plt.tight_layout()\n plt.savefig(png_filename)\n plt.close()\n", "role": "user" }, { "content": "gen_project_trend_graph", "role": "assistant" } ]
def x(start, end, force_overwrite=False): filename = graphs.get_institute_graph_filename(start, end) csv_filename = os.path.join(GRAPH_ROOT, filename + '.csv') png_filename = os.path.join(GRAPH_ROOT, filename + '.png') _check_directory_exists(csv_filename) _check_directory_exists(png_filename) if not settings.GRAPH_DEBUG or force_overwrite: if os.path.exists(csv_filename): if os.path.exists(png_filename): return institute_list = Institute.active.all() plt.subplots(figsize=(4, 4)) data = [] labels = [] total = 0 with open(csv_filename, 'w') as csv_file: csv_writer = csv.writer(csv_file) for institute in institute_list.iterator(): hours, jobs = usage.get_institute_usage(institute, start, end) total = total + int(hours) if hours > 0: csv_writer.writerow([institute.name, hours, jobs]) data.append(hours) labels.append(institute.name) mcu = usage.get_machine_category_usage(start, end) hours = int(mcu.available_time - total) csv_writer.writerow(['unused', hours]) data.append(hours) labels.append('Unused') plt.pie(data, labels=labels, autopct='%1.1f%%', shadow=True) plt.tight_layout() plt.savefig(png_filename) plt.close()
gen_institute_graph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start, end, force_overwrite=False):\n filename = graphs.get_institute_graph_filename(start, end)\n csv_filename = os.path.join(GRAPH_ROOT, filename + '.csv')\n png_filename = os.path.join(GRAPH_ROOT, filename + '.png')\n _check_directory_exists(csv_filename)\n _check_directory_exists(png_filename)\n if not settings.GRAPH_DEBUG or force_overwrite:\n if os.path.exists(csv_filename):\n if os.path.exists(png_filename):\n return\n institute_list = Institute.active.all()\n plt.subplots(figsize=(4, 4))\n data = []\n labels = []\n total = 0\n with open(csv_filename, 'w') as csv_file:\n csv_writer = csv.writer(csv_file)\n for institute in institute_list.iterator():\n hours, jobs = usage.get_institute_usage(institute, start, end)\n total = total + int(hours)\n if hours > 0:\n csv_writer.writerow([institute.name, hours, jobs])\n data.append(hours)\n labels.append(institute.name)\n mcu = usage.get_machine_category_usage(start, end)\n hours = int(mcu.available_time - total)\n csv_writer.writerow(['unused', hours])\n data.append(hours)\n labels.append('Unused')\n plt.pie(data, labels=labels, autopct='%1.1f%%', shadow=True)\n plt.tight_layout()\n plt.savefig(png_filename)\n plt.close()\n", "role": "user" }, { "content": "gen_institute_graph", "role": "assistant" } ]
def x(start, end, force_overwrite=False): filename = graphs.get_machine_graph_filename(start, end) csv_filename = os.path.join(GRAPH_ROOT, filename + '.csv') png_filename = os.path.join(GRAPH_ROOT, filename + '.png') _check_directory_exists(csv_filename) _check_directory_exists(png_filename) if not settings.GRAPH_DEBUG or force_overwrite: if os.path.exists(csv_filename): if os.path.exists(png_filename): return machine_list = Machine.objects.all() plt.subplots(figsize=(4, 4)) data = [] labels = [] with open(csv_filename, 'w') as csv_file: csv_writer = csv.writer(csv_file) for machine in machine_list.iterator(): hours, jobs = usage.get_machine_usage(machine, start, end) if hours > 0: csv_writer.writerow([machine.name, hours, jobs]) data.append(hours) labels.append(machine.name) plt.pie(data, labels=labels, autopct='%1.1f%%', shadow=True) del data del labels plt.tight_layout() plt.savefig(png_filename) plt.close()
gen_machine_graph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start, end, force_overwrite=False):\n filename = graphs.get_machine_graph_filename(start, end)\n csv_filename = os.path.join(GRAPH_ROOT, filename + '.csv')\n png_filename = os.path.join(GRAPH_ROOT, filename + '.png')\n _check_directory_exists(csv_filename)\n _check_directory_exists(png_filename)\n if not settings.GRAPH_DEBUG or force_overwrite:\n if os.path.exists(csv_filename):\n if os.path.exists(png_filename):\n return\n machine_list = Machine.objects.all()\n plt.subplots(figsize=(4, 4))\n data = []\n labels = []\n with open(csv_filename, 'w') as csv_file:\n csv_writer = csv.writer(csv_file)\n for machine in machine_list.iterator():\n hours, jobs = usage.get_machine_usage(machine, start, end)\n if hours > 0:\n csv_writer.writerow([machine.name, hours, jobs])\n data.append(hours)\n labels.append(machine.name)\n plt.pie(data, labels=labels, autopct='%1.1f%%', shadow=True)\n del data\n del labels\n plt.tight_layout()\n plt.savefig(png_filename)\n plt.close()\n", "role": "user" }, { "content": "gen_machine_graph", "role": "assistant" } ]
def x(start, end, force_overwrite=False): filename = graphs.get_trend_graph_filename(start, end) csv_filename = os.path.join(GRAPH_ROOT, filename + '.csv') png_filename = os.path.join(GRAPH_ROOT, filename + '.png') _check_directory_exists(csv_filename) _check_directory_exists(png_filename) if not settings.GRAPH_DEBUG or force_overwrite: if os.path.exists(csv_filename): if os.path.exists(png_filename): return query = CPUJob.objects.filter(date__range=(start, end)) query = query.values('date').annotate(Sum('cpu_usage')) query = query.order_by('date') t_start = start t_end = end start_str = start.strftime('%Y-%m-%d') end_str = end.strftime('%Y-%m-%d') fig, ax = plt.subplots(figsize=(6, 4)) ax.set_xlim(start, end) ax.set_title('%s - %s' % (start_str, end_str)) ax.set_ylabel('CPU Time (hours)') ax.set_xlabel('Date') locator = mdates.AutoDateLocator() ax.xaxis.set_major_locator(locator) ax.xaxis.set_major_formatter(mdates.AutoDateFormatter(locator)) ax.xaxis.set_minor_locator(mdates.DayLocator()) data = {} x_data = [] y_data = [] with open(csv_filename, 'w') as csv_file: csv_writer = csv.writer(csv_file) for row in query.iterator(): csv_writer.writerow([row['date'], row['cpu_usage__sum'] / 3600.0]) date = row['date'] data[date] = row['cpu_usage__sum'] start = t_start end = t_end while start <= end: total = 0 if start in data: total = data[start] x_data.append(start) y_data.append(total / 3600.0) start = start + datetime.timedelta(days=1) del data ax.plot(x_data, y_data) del x_data del y_data fig.autofmt_xdate() plt.tight_layout() plt.savefig(png_filename) plt.close()
gen_trend_graph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start, end, force_overwrite=False):\n filename = graphs.get_trend_graph_filename(start, end)\n csv_filename = os.path.join(GRAPH_ROOT, filename + '.csv')\n png_filename = os.path.join(GRAPH_ROOT, filename + '.png')\n _check_directory_exists(csv_filename)\n _check_directory_exists(png_filename)\n if not settings.GRAPH_DEBUG or force_overwrite:\n if os.path.exists(csv_filename):\n if os.path.exists(png_filename):\n return\n query = CPUJob.objects.filter(date__range=(start, end))\n query = query.values('date').annotate(Sum('cpu_usage'))\n query = query.order_by('date')\n t_start = start\n t_end = end\n start_str = start.strftime('%Y-%m-%d')\n end_str = end.strftime('%Y-%m-%d')\n fig, ax = plt.subplots(figsize=(6, 4))\n ax.set_xlim(start, end)\n ax.set_title('%s - %s' % (start_str, end_str))\n ax.set_ylabel('CPU Time (hours)')\n ax.set_xlabel('Date')\n locator = mdates.AutoDateLocator()\n ax.xaxis.set_major_locator(locator)\n ax.xaxis.set_major_formatter(mdates.AutoDateFormatter(locator))\n ax.xaxis.set_minor_locator(mdates.DayLocator())\n data = {}\n x_data = []\n y_data = []\n with open(csv_filename, 'w') as csv_file:\n csv_writer = csv.writer(csv_file)\n for row in query.iterator():\n csv_writer.writerow([row['date'], row['cpu_usage__sum'] / 3600.0])\n date = row['date']\n data[date] = row['cpu_usage__sum']\n start = t_start\n end = t_end\n while start <= end:\n total = 0\n if start in data:\n total = data[start]\n x_data.append(start)\n y_data.append(total / 3600.0)\n start = start + datetime.timedelta(days=1)\n del data\n ax.plot(x_data, y_data)\n del x_data\n del y_data\n fig.autofmt_xdate()\n plt.tight_layout()\n plt.savefig(png_filename)\n plt.close()\n", "role": "user" }, { "content": "gen_trend_graph", "role": "assistant" } ]
def x(daynum, max_days=1000000): if daynum is None: return None try: daycount = int(daynum) except ValueError: return None if daycount > max_days: daycount = max_days return date(1970, 1, 1) + timedelta(daycount)
daynum_to_date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(daynum, max_days=1000000):\n if daynum is None:\n return None\n try:\n daycount = int(daynum)\n except ValueError:\n return None\n if daycount > max_days:\n daycount = max_days\n return date(1970, 1, 1) + timedelta(daycount)\n", "role": "user" }, { "content": "daynum_to_date", "role": "assistant" } ]
def x(dataframe, target_day, past_days=28, future_days=10, date_format='%Y%m%d' ): target_day_date = datetime.strptime(target_day, date_format) min_activity_date = target_day_date - timedelta(past_days) min_activity = unix_time_nanos(min_activity_date) max_activity = unix_time_nanos(target_day_date + timedelta(1)) act_col = dataframe.activityTimestamp min_submission = datetime.strftime(min_activity_date, date_format) max_submission_date = target_day_date + timedelta(future_days) max_submission = datetime.strftime(max_submission_date, date_format) sub_col = dataframe.submission_date_s3 filtered = filter_date_range(dataframe, act_col, min_activity, max_activity, sub_col, min_submission, max_submission) return count_distinct_clientids(filtered)
mau
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dataframe, target_day, past_days=28, future_days=10, date_format='%Y%m%d'\n ):\n target_day_date = datetime.strptime(target_day, date_format)\n min_activity_date = target_day_date - timedelta(past_days)\n min_activity = unix_time_nanos(min_activity_date)\n max_activity = unix_time_nanos(target_day_date + timedelta(1))\n act_col = dataframe.activityTimestamp\n min_submission = datetime.strftime(min_activity_date, date_format)\n max_submission_date = target_day_date + timedelta(future_days)\n max_submission = datetime.strftime(max_submission_date, date_format)\n sub_col = dataframe.submission_date_s3\n filtered = filter_date_range(dataframe, act_col, min_activity,\n max_activity, sub_col, min_submission, max_submission)\n return count_distinct_clientids(filtered)\n", "role": "user" }, { "content": "mau", "role": "assistant" } ]
def x(day, weekday_start='Sunday'): delta_days = (day.weekday() + 1 ) % 7 if weekday_start is 'Sunday' else day.weekday() return day - timedelta(days=delta_days)
snap_to_beginning_of_week
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(day, weekday_start='Sunday'):\n delta_days = (day.weekday() + 1\n ) % 7 if weekday_start is 'Sunday' else day.weekday()\n return day - timedelta(days=delta_days)\n", "role": "user" }, { "content": "snap_to_beginning_of_week", "role": "assistant" } ]
def x(weekday_start='Sunday'): today = date.today() start_of_week = snap_to_beginning_of_week(today, weekday_start ) - timedelta(weeks=1) end_of_week = start_of_week + timedelta(days=6) return start_of_week, end_of_week
get_last_week_range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(weekday_start='Sunday'):\n today = date.today()\n start_of_week = snap_to_beginning_of_week(today, weekday_start\n ) - timedelta(weeks=1)\n end_of_week = start_of_week + timedelta(days=6)\n return start_of_week, end_of_week\n", "role": "user" }, { "content": "get_last_week_range", "role": "assistant" } ]
def x(): today = date.today() end_of_last_month = snap_to_beginning_of_month(today) - timedelta(days=1) start_of_last_month = snap_to_beginning_of_month(end_of_last_month) return start_of_last_month, end_of_last_month
get_last_month_range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n today = date.today()\n end_of_last_month = snap_to_beginning_of_month(today) - timedelta(days=1)\n start_of_last_month = snap_to_beginning_of_month(end_of_last_month)\n return start_of_last_month, end_of_last_month\n", "role": "user" }, { "content": "get_last_month_range", "role": "assistant" } ]
def x(spark, submission_date_s3=None, sample_id=None, mergeSchema=True, path='s3://telemetry-parquet/main_summary/v4'): base_path = path reader = spark.read.option('basePath', base_path) if mergeSchema: reader = reader.option('mergeSchema', 'true') if submission_date_s3 is not None and sample_id is None: paths = ['{}/submission_date_s3={}/'.format(base_path, s) for s in submission_date_s3] return reader.parquet(*paths) if submission_date_s3 is not None and sample_id is not None: paths = [] for sd in submission_date_s3: for si in sample_id: paths.append('{}/submission_date_s3={}/sample_id={}/'. format(base_path, sd, si)) return reader.parquet(*paths) if submission_date_s3 is None and sample_id is not None: data = reader.parquet(base_path) sids = ['{}'.format(s) for s in sample_id] criteria = 'sample_id IN ({})'.format(','.join(sids)) return data.where(criteria) return reader.parquet(base_path)
read_main_summary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(spark, submission_date_s3=None, sample_id=None, mergeSchema=True,\n path='s3://telemetry-parquet/main_summary/v4'):\n base_path = path\n reader = spark.read.option('basePath', base_path)\n if mergeSchema:\n reader = reader.option('mergeSchema', 'true')\n if submission_date_s3 is not None and sample_id is None:\n paths = ['{}/submission_date_s3={}/'.format(base_path, s) for s in\n submission_date_s3]\n return reader.parquet(*paths)\n if submission_date_s3 is not None and sample_id is not None:\n paths = []\n for sd in submission_date_s3:\n for si in sample_id:\n paths.append('{}/submission_date_s3={}/sample_id={}/'.\n format(base_path, sd, si))\n return reader.parquet(*paths)\n if submission_date_s3 is None and sample_id is not None:\n data = reader.parquet(base_path)\n sids = ['{}'.format(s) for s in sample_id]\n criteria = 'sample_id IN ({})'.format(','.join(sids))\n return data.where(criteria)\n return reader.parquet(base_path)\n", "role": "user" }, { "content": "read_main_summary", "role": "assistant" } ]
def x(dataframe, modulo, column='client_id', sample_id=42): return dataframe.withColumn('sampler', udf(lambda key: (crc32(key or '' ) & 4294967295) % modulo)(column)).where('sampler = %s' % sample_id ).drop('sampler')
sampler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dataframe, modulo, column='client_id', sample_id=42):\n return dataframe.withColumn('sampler', udf(lambda key: (crc32(key or ''\n ) & 4294967295) % modulo)(column)).where('sampler = %s' % sample_id\n ).drop('sampler')\n", "role": "user" }, { "content": "sampler", "role": "assistant" } ]
def x(request): if 'delete' in request.GET: models.MachineCache.objects.all().delete() models.InstituteCache.objects.all().delete() models.PersonCache.objects.all().delete() models.ProjectCache.objects.all().delete() return render(template_name='main.html', context={'content': 'Deleted'}, request=request) if request.method == 'POST': if 'task_id' in request.POST: result = Task.AsyncResult(request.POST['task_id']) if result.failed(): value = {'info': {}, 'ready': result.ready()} else: value = {'info': result.info, 'ready': result.ready()} return HttpResponse(json.dumps(value), content_type= 'application/json') return None
progress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n if 'delete' in request.GET:\n models.MachineCache.objects.all().delete()\n models.InstituteCache.objects.all().delete()\n models.PersonCache.objects.all().delete()\n models.ProjectCache.objects.all().delete()\n return render(template_name='main.html', context={'content':\n 'Deleted'}, request=request)\n if request.method == 'POST':\n if 'task_id' in request.POST:\n result = Task.AsyncResult(request.POST['task_id'])\n if result.failed():\n value = {'info': {}, 'ready': result.ready()}\n else:\n value = {'info': result.info, 'ready': result.ready()}\n return HttpResponse(json.dumps(value), content_type=\n 'application/json')\n return None\n", "role": "user" }, { "content": "progress", "role": "assistant" } ]
def x(func): def x(request, *args): lock_id = '%s-%s-built-%s' % (datetime.date.today(), func.__name__, ','.join([str(a) for a in args])) if cache.add(lock_id, 'true', LOCK_EXPIRE): result = func(request, *args) cache.set(lock_id, result.task_id) else: task_id = cache.get(lock_id) if not task_id: return None cache.set(lock_id, '') result = Task.AsyncResult(task_id) if result.ready(): result.forget() return None return result return inner
synchronise
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n def x(request, *args):\n lock_id = '%s-%s-built-%s' % (datetime.date.today(), func.__name__,\n ','.join([str(a) for a in args]))\n if cache.add(lock_id, 'true', LOCK_EXPIRE):\n result = func(request, *args)\n cache.set(lock_id, result.task_id)\n else:\n task_id = cache.get(lock_id)\n if not task_id:\n return None\n cache.set(lock_id, '')\n result = Task.AsyncResult(task_id)\n if result.ready():\n result.forget()\n return None\n return result\n return inner\n", "role": "user" }, { "content": "synchronise", "role": "assistant" } ]
def x(obj_list, tot_groups): sorted_list = sorted(obj_list, key=lambda x: x['size'], reverse=True) groups = [[] for _ in range(tot_groups)] for index, obj in enumerate(sorted_list): current_group = groups[index % len(groups)] current_group.append(obj) return groups
group_by_size_greedy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj_list, tot_groups):\n sorted_list = sorted(obj_list, key=lambda x: x['size'], reverse=True)\n groups = [[] for _ in range(tot_groups)]\n for index, obj in enumerate(sorted_list):\n current_group = groups[index % len(groups)]\n current_group.append(obj)\n return groups\n", "role": "user" }, { "content": "group_by_size_greedy", "role": "assistant" } ]
def x(obj_list, tot_groups, threshold=pow(2, 32)): sorted_obj_list = sorted([(obj['size'], obj) for obj in obj_list], reverse=True) groups = [(random.random(), []) for _ in range(tot_groups)] if tot_groups <= 1: groups = _group_by_size_greedy(obj_list, tot_groups) return groups heapq.heapify(groups) for obj in sorted_obj_list: if obj[0] > threshold: heapq.heappush(groups, (obj[0], [obj[1]])) else: size, files = heapq.heappop(groups) size += obj[0] files.append(obj[1]) heapq.heappush(groups, (size, files)) groups = [group[1] for group in groups] return groups
group_by_equal_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj_list, tot_groups, threshold=pow(2, 32)):\n sorted_obj_list = sorted([(obj['size'], obj) for obj in obj_list],\n reverse=True)\n groups = [(random.random(), []) for _ in range(tot_groups)]\n if tot_groups <= 1:\n groups = _group_by_size_greedy(obj_list, tot_groups)\n return groups\n heapq.heapify(groups)\n for obj in sorted_obj_list:\n if obj[0] > threshold:\n heapq.heappush(groups, (obj[0], [obj[1]]))\n else:\n size, files = heapq.heappop(groups)\n size += obj[0]\n files.append(obj[1])\n heapq.heappush(groups, (size, files))\n groups = [group[1] for group in groups]\n return groups\n", "role": "user" }, { "content": "group_by_equal_size", "role": "assistant" } ]
def x(self, *properties, **aliased_properties): if not (properties or aliased_properties): return self merged_properties = dict(zip(properties, properties)) merged_properties.update(aliased_properties) for prop_name in merged_properties.keys(): if prop_name in self.selection: raise Exception('The property {} has already been selected'. format(prop_name)) new_selection = self.selection.copy() new_selection.update(merged_properties) return self._copy(selection=new_selection)
select
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *properties, **aliased_properties):\n if not (properties or aliased_properties):\n return self\n merged_properties = dict(zip(properties, properties))\n merged_properties.update(aliased_properties)\n for prop_name in merged_properties.keys():\n if prop_name in self.selection:\n raise Exception('The property {} has already been selected'.\n format(prop_name))\n new_selection = self.selection.copy()\n new_selection.update(merged_properties)\n return self._copy(selection=new_selection)\n", "role": "user" }, { "content": "select", "role": "assistant" } ]
def x(self, **kwargs): clauses = copy(self.clauses) for dimension, condition in kwargs.items(): if dimension in self.clauses: raise Exception('There should be only one clause for {}'.format (dimension)) if dimension not in self.schema: raise Exception("The dimension {} doesn't exist".format(dimension)) if isfunction(condition) or isinstance(condition, functools.partial): clauses[dimension] = condition else: clauses[dimension] = functools.partial(lambda x, y: x == y, self._sanitize_dimension(str(condition))) return self._copy(clauses=clauses)
where
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n clauses = copy(self.clauses)\n for dimension, condition in kwargs.items():\n if dimension in self.clauses:\n raise Exception('There should be only one clause for {}'.format\n (dimension))\n if dimension not in self.schema:\n raise Exception(\"The dimension {} doesn't exist\".format(dimension))\n if isfunction(condition) or isinstance(condition, functools.partial):\n clauses[dimension] = condition\n else:\n clauses[dimension] = functools.partial(lambda x, y: x == y,\n self._sanitize_dimension(str(condition)))\n return self._copy(clauses=clauses)\n", "role": "user" }, { "content": "where", "role": "assistant" } ]
def x(self, sc, limit=None): clauses = copy(self.clauses) schema = self.schema if self.prefix: schema = ['prefix'] + schema clauses['prefix'] = lambda x: True with futures.ThreadPoolExecutor(self.max_concurrency) as executor: scanned = self._scan(schema, [self.prefix], clauses, executor) keys = sc.parallelize(scanned).flatMap(self.store.list_keys) return keys.take(limit) if limit else keys.collect()
summaries
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sc, limit=None):\n clauses = copy(self.clauses)\n schema = self.schema\n if self.prefix:\n schema = ['prefix'] + schema\n clauses['prefix'] = lambda x: True\n with futures.ThreadPoolExecutor(self.max_concurrency) as executor:\n scanned = self._scan(schema, [self.prefix], clauses, executor)\n keys = sc.parallelize(scanned).flatMap(self.store.list_keys)\n return keys.take(limit) if limit else keys.collect()\n", "role": "user" }, { "content": "summaries", "role": "assistant" } ]
def x(self, sc, group_by='greedy', limit=None, sample=1, seed=42, decode= None, summaries=None): decode = decode or message_parser.parse_heka_message summaries = summaries or self.summaries(sc, limit) if summaries and limit is None and sample != 1: if sample < 0 or sample > 1: raise ValueError('sample must be between 0 and 1') print( """WARNING: THIS IS NOT A REPRESENTATIVE SAMPLE. This 'sampling' is based on s3 files and is highly susceptible to skew. Use only for quicker performance while prototyping.""" ) seed_state = random.getstate() try: random.seed(seed) summaries = random.sample(summaries, int(len(summaries) * sample)) finally: random.setstate(seed_state) total_size = functools.reduce(lambda acc, item: acc + item['size'], summaries, 0) total_size_mb = total_size / float(1 << 20) print('fetching %.5fMB in %s files...' % (total_size_mb, len(summaries))) if group_by == 'equal_size': groups = _group_by_equal_size(summaries, 10 * sc.defaultParallelism) elif group_by == 'greedy': groups = _group_by_size_greedy(summaries, 10 * sc.defaultParallelism) else: raise Exception('group_by specification is invalid') self._compile_selection() keys = sc.parallelize(groups, len(groups)).flatMap(lambda x: x).map(lambda x: x['key']) file_handles = keys.map(self.store.get_key) data = file_handles.flatMap(decode) return data.map(self._apply_selection)
records
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sc, group_by='greedy', limit=None, sample=1, seed=42, decode=\n None, summaries=None):\n decode = decode or message_parser.parse_heka_message\n summaries = summaries or self.summaries(sc, limit)\n if summaries and limit is None and sample != 1:\n if sample < 0 or sample > 1:\n raise ValueError('sample must be between 0 and 1')\n print(\n \"\"\"WARNING: THIS IS NOT A REPRESENTATIVE SAMPLE.\nThis 'sampling' is based on s3 files and is highly\nsusceptible to skew. Use only for quicker performance\nwhile prototyping.\"\"\"\n )\n seed_state = random.getstate()\n try:\n random.seed(seed)\n summaries = random.sample(summaries, int(len(summaries) * sample))\n finally:\n random.setstate(seed_state)\n total_size = functools.reduce(lambda acc, item: acc + item['size'],\n summaries, 0)\n total_size_mb = total_size / float(1 << 20)\n print('fetching %.5fMB in %s files...' % (total_size_mb, len(summaries)))\n if group_by == 'equal_size':\n groups = _group_by_equal_size(summaries, 10 * sc.defaultParallelism)\n elif group_by == 'greedy':\n groups = _group_by_size_greedy(summaries, 10 * sc.defaultParallelism)\n else:\n raise Exception('group_by specification is invalid')\n self._compile_selection()\n keys = sc.parallelize(groups, len(groups)).flatMap(lambda x: x).map(lambda\n x: x['key'])\n file_handles = keys.map(self.store.get_key)\n data = file_handles.flatMap(decode)\n return data.map(self._apply_selection)\n", "role": "user" }, { "content": "records", "role": "assistant" } ]
def x(self, spark, group_by='greedy', limit=None, sample=1, seed=42, decode =None, summaries=None, schema=None, table_name=None): rdd = self.records(spark.sparkContext, group_by, limit, sample, seed, decode, summaries) if not schema: df = rdd.map(lambda d: Row(**d)).toDF() else: df = spark.createDataFrame(rdd, schema=schema) if table_name: df.createOrReplaceTempView(table_name) return df
dataframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, spark, group_by='greedy', limit=None, sample=1, seed=42, decode\n =None, summaries=None, schema=None, table_name=None):\n rdd = self.records(spark.sparkContext, group_by, limit, sample, seed,\n decode, summaries)\n if not schema:\n df = rdd.map(lambda d: Row(**d)).toDF()\n else:\n df = spark.createDataFrame(rdd, schema=schema)\n if table_name:\n df.createOrReplaceTempView(table_name)\n return df\n", "role": "user" }, { "content": "dataframe", "role": "assistant" } ]
def x(source_name): meta_bucket = 'net-mozaws-prod-us-west-2-pipeline-metadata' store = S3Store(meta_bucket) try: source = json.loads(store.get_key('sources.json').read().decode( 'utf-8'))[source_name] except KeyError: raise Exception('Unknown source {}'.format(source_name)) schema = store.get_key('{}/schema.json'.format(source['metadata_prefix']) ).read().decode('utf-8') dimensions = [f['field_name'] for f in json.loads(schema)['dimensions']] return Dataset(source['bucket'], dimensions, prefix=source['prefix'])
from_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source_name):\n meta_bucket = 'net-mozaws-prod-us-west-2-pipeline-metadata'\n store = S3Store(meta_bucket)\n try:\n source = json.loads(store.get_key('sources.json').read().decode(\n 'utf-8'))[source_name]\n except KeyError:\n raise Exception('Unknown source {}'.format(source_name))\n schema = store.get_key('{}/schema.json'.format(source['metadata_prefix'])\n ).read().decode('utf-8')\n dimensions = [f['field_name'] for f in json.loads(schema)['dimensions']]\n return Dataset(source['bucket'], dimensions, prefix=source['prefix'])\n", "role": "user" }, { "content": "from_source", "role": "assistant" } ]
def x(self, request, application, roles): application.reopen() link, is_secret = base.get_email_link(application) emails.send_invite_email(application, link, is_secret) messages.success(request, 'Sent an invitation to %s.' % application. applicant.email) return 'success'
get_next_action
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, application, roles):\n application.reopen()\n link, is_secret = base.get_email_link(application)\n emails.send_invite_email(application, link, is_secret)\n messages.success(request, 'Sent an invitation to %s.' % application.\n applicant.email)\n return 'success'\n", "role": "user" }, { "content": "get_next_action", "role": "assistant" } ]
def x(self, request, application, roles): errors = application.check_valid() if len(errors) > 0: for error in errors: messages.error(request, error) return 'error' application.submit() return 'success'
get_next_action
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, application, roles):\n errors = application.check_valid()\n if len(errors) > 0:\n for error in errors:\n messages.error(request, error)\n return 'error'\n application.submit()\n return 'success'\n", "role": "user" }, { "content": "get_next_action", "role": "assistant" } ]
def x(self, request, application, roles): errors = application.check_valid() if len(errors) > 0: for error in errors: messages.error(request, error) return 'error' approved_by = request.user created_person, created_account = application.approve(approved_by) application.extend() link, is_secret = base.get_email_link(application) emails.send_approved_email(application, created_person, created_account, link, is_secret) if created_person or created_account: return 'password_needed' else: return 'password_ok'
get_next_action
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, application, roles):\n errors = application.check_valid()\n if len(errors) > 0:\n for error in errors:\n messages.error(request, error)\n return 'error'\n approved_by = request.user\n created_person, created_account = application.approve(approved_by)\n application.extend()\n link, is_secret = base.get_email_link(application)\n emails.send_approved_email(application, created_person, created_account,\n link, is_secret)\n if created_person or created_account:\n return 'password_needed'\n else:\n return 'password_ok'\n", "role": "user" }, { "content": "get_next_action", "role": "assistant" } ]
def x(person, leader_list): context = CONTEXT.copy() context['person'] = person for lp in leader_list: leader = lp['leader'] context['project'] = lp['project'] context['receiver'] = leader to_email = leader.email subject = render_to_string( 'karaage/people/emails/bounced_email_subject.txt', context) body = render_to_string('karaage/people/emails/bounced_email_body.txt', context) send_mail(subject.replace('\n', ''), body, settings.ACCOUNTS_EMAIL, [to_email]) log.change(leader, 'Sent email about bounced emails from %s' % person)
send_bounced_warning
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(person, leader_list):\n context = CONTEXT.copy()\n context['person'] = person\n for lp in leader_list:\n leader = lp['leader']\n context['project'] = lp['project']\n context['receiver'] = leader\n to_email = leader.email\n subject = render_to_string(\n 'karaage/people/emails/bounced_email_subject.txt', context)\n body = render_to_string('karaage/people/emails/bounced_email_body.txt',\n context)\n send_mail(subject.replace('\\n', ''), body, settings.ACCOUNTS_EMAIL,\n [to_email])\n log.change(leader, 'Sent email about bounced emails from %s' % person)\n", "role": "user" }, { "content": "send_bounced_warning", "role": "assistant" } ]
def x(person): uid = urlsafe_base64_encode(force_bytes(person.pk)).decode('ascii') token = default_token_generator.make_token(person) url = '%s/persons/reset/%s/%s/' % (settings.REGISTRATION_BASE_URL, uid, token) context = CONTEXT.copy() context.update({'url': url, 'receiver': person}) to_email = person.email subject, body = render_email('reset_password', context) send_mail(subject, body, settings.ACCOUNTS_EMAIL, [to_email])
send_reset_password_email
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(person):\n uid = urlsafe_base64_encode(force_bytes(person.pk)).decode('ascii')\n token = default_token_generator.make_token(person)\n url = '%s/persons/reset/%s/%s/' % (settings.REGISTRATION_BASE_URL, uid,\n token)\n context = CONTEXT.copy()\n context.update({'url': url, 'receiver': person})\n to_email = person.email\n subject, body = render_email('reset_password', context)\n send_mail(subject, body, settings.ACCOUNTS_EMAIL, [to_email])\n", "role": "user" }, { "content": "send_reset_password_email", "role": "assistant" } ]
def x(person): url = '%s/profile/login/%s/' % (settings.REGISTRATION_BASE_URL, person. username) context = CONTEXT.copy() context.update({'url': url, 'receiver': person}) to_email = person.email subject, body = render_email('confirm_password', context) send_mail(subject, body, settings.ACCOUNTS_EMAIL, [to_email])
send_confirm_password_email
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(person):\n url = '%s/profile/login/%s/' % (settings.REGISTRATION_BASE_URL, person.\n username)\n context = CONTEXT.copy()\n context.update({'url': url, 'receiver': person})\n to_email = person.email\n subject, body = render_email('confirm_password', context)\n send_mail(subject, body, settings.ACCOUNTS_EMAIL, [to_email])\n", "role": "user" }, { "content": "send_confirm_password_email", "role": "assistant" } ]
def x(self, request, application, roles): try: authorised_persons = self.get_authorised_persons(application) authorised_persons.get(pk=request.user.pk) return True except Person.DoesNotExist: return False
check_can_approve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, application, roles):\n try:\n authorised_persons = self.get_authorised_persons(application)\n authorised_persons.get(pk=request.user.pk)\n return True\n except Person.DoesNotExist:\n return False\n", "role": "user" }, { "content": "check_can_approve", "role": "assistant" } ]
def x(self, request, application): authorised_persons = self.get_email_persons(application) link, is_secret = self.get_request_email_link(application) emails.send_request_email(self.authorised_text, self.authorised_role, authorised_persons, application, link, is_secret)
enter_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, application):\n authorised_persons = self.get_email_persons(application)\n link, is_secret = self.get_request_email_link(application)\n emails.send_request_email(self.authorised_text, self.authorised_role,\n authorised_persons, application, link, is_secret)\n", "role": "user" }, { "content": "enter_state", "role": "assistant" } ]
def x(self, request, application, label, roles): actions = self.get_actions(request, application, roles) if label == 'approve' and 'approve' in actions: application_form = self.get_approve_form(request, application, roles) form = application_form(request.POST or None, instance=application) if request.method == 'POST': if 'back' in request.POST: url = base.get_url(request, application, roles) return HttpResponseRedirect(url) if 'approve' in request.POST and form.is_valid(): form.save() return 'approve' return render(template_name=self.template_approve, context={ 'application': application, 'form': form, 'authorised_text': self.authorised_text, 'actions': self.get_actions(request, application, roles), 'roles': roles}, request=request) elif label == 'cancel' and 'cancel' in actions: if request.method == 'POST': form = EmailForm(request.POST) if 'back' in request.POST: url = base.get_url(request, application, roles) return HttpResponseRedirect(url) if 'cancel' in request.POST and form.is_valid(): to_email = application.applicant.email subject, body = form.get_data() emails.send_mail(subject, body, settings.ACCOUNTS_EMAIL, [ to_email]) return 'cancel' else: link, is_secret = base.get_email_link(application) subject, body = emails.render_email('common_declined', { 'receiver': application.applicant, 'authorised_text': self. authorised_text, 'application': application, 'link': link, 'is_secret': is_secret}) initial_data = {'body': body, 'subject': subject} form = EmailForm(initial=initial_data) return render(template_name=self.template_decline, context={ 'application': application, 'form': form, 'authorised_text': self.authorised_text, 'actions': self.get_actions(request, application, roles), 'roles': roles}, request=request) elif request.method == 'POST': for action in ['approve', 'cancel']: if action in request.POST: url = base.get_url(request, application, roles, action) return HttpResponseRedirect(url) if label is not None: return HttpResponseBadRequest('<h1>Bad Request</h1>') self.context = {'authorised_text': self.authorised_text} return super(StateWaitingForApproval, self).get_next_action(request, application, label, roles)
get_next_action
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, application, label, roles):\n actions = self.get_actions(request, application, roles)\n if label == 'approve' and 'approve' in actions:\n application_form = self.get_approve_form(request, application, roles)\n form = application_form(request.POST or None, instance=application)\n if request.method == 'POST':\n if 'back' in request.POST:\n url = base.get_url(request, application, roles)\n return HttpResponseRedirect(url)\n if 'approve' in request.POST and form.is_valid():\n form.save()\n return 'approve'\n return render(template_name=self.template_approve, context={\n 'application': application, 'form': form, 'authorised_text':\n self.authorised_text, 'actions': self.get_actions(request,\n application, roles), 'roles': roles}, request=request)\n elif label == 'cancel' and 'cancel' in actions:\n if request.method == 'POST':\n form = EmailForm(request.POST)\n if 'back' in request.POST:\n url = base.get_url(request, application, roles)\n return HttpResponseRedirect(url)\n if 'cancel' in request.POST and form.is_valid():\n to_email = application.applicant.email\n subject, body = form.get_data()\n emails.send_mail(subject, body, settings.ACCOUNTS_EMAIL, [\n to_email])\n return 'cancel'\n else:\n link, is_secret = base.get_email_link(application)\n subject, body = emails.render_email('common_declined', {\n 'receiver': application.applicant, 'authorised_text': self.\n authorised_text, 'application': application, 'link': link,\n 'is_secret': is_secret})\n initial_data = {'body': body, 'subject': subject}\n form = EmailForm(initial=initial_data)\n return render(template_name=self.template_decline, context={\n 'application': application, 'form': form, 'authorised_text':\n self.authorised_text, 'actions': self.get_actions(request,\n application, roles), 'roles': roles}, request=request)\n elif request.method == 'POST':\n for action in ['approve', 'cancel']:\n if action in request.POST:\n url = base.get_url(request, application, roles, action)\n return HttpResponseRedirect(url)\n if label is not None:\n return HttpResponseBadRequest('<h1>Bad Request</h1>')\n self.context = {'authorised_text': self.authorised_text}\n return super(StateWaitingForApproval, self).get_next_action(request,\n application, label, roles)\n", "role": "user" }, { "content": "get_next_action", "role": "assistant" } ]
def x(self, request, application, label, roles): actions = self.get_actions(request, application, roles) if label is None and 'is_applicant' in roles: assert application.content_type.model == 'person' if application.applicant.has_usable_password(): form = forms.PersonVerifyPassword(data=request.POST or None, person=application.applicant) form_type = 'verify' else: form = forms.PersonSetPassword(data=request.POST or None, person=application.applicant) form_type = 'set' if request.method == 'POST': if 'cancel' in request.POST: return 'cancel' if form.is_valid(): form.save() messages.success(request, 'Password updated. New accounts activated.') for action in actions: if action in request.POST: return action return HttpResponseBadRequest('<h1>Bad Request</h1>') return render(template_name='kgapplications/common_password.html', context={'application': application, 'form': form, 'actions': actions, 'roles': roles, 'type': form_type}, request=request) return super(StatePassword, self).get_next_action(request, application, label, roles)
get_next_action
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, application, label, roles):\n actions = self.get_actions(request, application, roles)\n if label is None and 'is_applicant' in roles:\n assert application.content_type.model == 'person'\n if application.applicant.has_usable_password():\n form = forms.PersonVerifyPassword(data=request.POST or None,\n person=application.applicant)\n form_type = 'verify'\n else:\n form = forms.PersonSetPassword(data=request.POST or None,\n person=application.applicant)\n form_type = 'set'\n if request.method == 'POST':\n if 'cancel' in request.POST:\n return 'cancel'\n if form.is_valid():\n form.save()\n messages.success(request,\n 'Password updated. New accounts activated.')\n for action in actions:\n if action in request.POST:\n return action\n return HttpResponseBadRequest('<h1>Bad Request</h1>')\n return render(template_name='kgapplications/common_password.html',\n context={'application': application, 'form': form, 'actions':\n actions, 'roles': roles, 'type': form_type}, request=request)\n return super(StatePassword, self).get_next_action(request, application,\n label, roles)\n", "role": "user" }, { "content": "get_next_action", "role": "assistant" } ]
def x(self, request, application, label, roles): actions = self.get_actions(request, application, roles) if label is None and 'is_applicant' in roles and 'is_admin' not in roles: for action in actions: if action in request.POST: return action return render(template_name='kgapplications/common_declined.html', context={'application': application, 'actions': actions, 'roles': roles}, request=request) return super(StateDeclined, self).get_next_action(request, application, label, roles)
get_next_action
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, application, label, roles):\n actions = self.get_actions(request, application, roles)\n if label is None and 'is_applicant' in roles and 'is_admin' not in roles:\n for action in actions:\n if action in request.POST:\n return action\n return render(template_name='kgapplications/common_declined.html',\n context={'application': application, 'actions': actions,\n 'roles': roles}, request=request)\n return super(StateDeclined, self).get_next_action(request, application,\n label, roles)\n", "role": "user" }, { "content": "get_next_action", "role": "assistant" } ]
def x(self, step, step_id): assert step_id not in self._steps assert step_id not in self._order assert isinstance(step, Step) self._steps[step_id] = step self._order.append(step_id)
add_step
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, step, step_id):\n assert step_id not in self._steps\n assert step_id not in self._order\n assert isinstance(step, Step)\n self._steps[step_id] = step\n self._order.append(step_id)\n", "role": "user" }, { "content": "add_step", "role": "assistant" } ]
def x(self, request, application, label, roles): actions = self.get_actions(request, application, roles) if 'is_applicant' not in roles: return super(StateWithSteps, self).get_next_action(request, application, label, roles) if label is None: this_id = self._order[0] url = base.get_url(request, application, roles, this_id) return HttpResponseRedirect(url) else: this_id = label if this_id not in self._steps: return HttpResponseBadRequest('<h1>Bad Request</h1>') position = self._order.index(this_id) this_step = self._steps[this_id] step_actions = {} if 'cancel' in actions: step_actions['cancel'] = 'state:cancel' if 'submit' in actions and position == len(self._order) - 1: step_actions['submit'] = 'state:submit' if position > 0: step_actions['prev'] = self._order[position - 1] if position < len(self._order) - 1: step_actions['next'] = self._order[position + 1] if request.method == 'GET': response = this_step.view(request, application, this_id, roles, step_actions.keys()) assert isinstance(response, HttpResponse) return response elif request.method == 'POST': response = this_step.view(request, application, this_id, roles, step_actions.keys()) assert response is not None if isinstance(response, HttpResponse): return response else: if response not in step_actions: raise RuntimeError("Invalid response '%s' from step '%s'" % (response, this_step)) action = step_actions[response] if action.startswith('state:'): return action[6:] else: url = base.get_url(request, application, roles, action) return HttpResponseRedirect(url) return HttpResponseBadRequest('<h1>Bad Request</h1>')
get_next_action
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, application, label, roles):\n actions = self.get_actions(request, application, roles)\n if 'is_applicant' not in roles:\n return super(StateWithSteps, self).get_next_action(request,\n application, label, roles)\n if label is None:\n this_id = self._order[0]\n url = base.get_url(request, application, roles, this_id)\n return HttpResponseRedirect(url)\n else:\n this_id = label\n if this_id not in self._steps:\n return HttpResponseBadRequest('<h1>Bad Request</h1>')\n position = self._order.index(this_id)\n this_step = self._steps[this_id]\n step_actions = {}\n if 'cancel' in actions:\n step_actions['cancel'] = 'state:cancel'\n if 'submit' in actions and position == len(self._order) - 1:\n step_actions['submit'] = 'state:submit'\n if position > 0:\n step_actions['prev'] = self._order[position - 1]\n if position < len(self._order) - 1:\n step_actions['next'] = self._order[position + 1]\n if request.method == 'GET':\n response = this_step.view(request, application, this_id, roles,\n step_actions.keys())\n assert isinstance(response, HttpResponse)\n return response\n elif request.method == 'POST':\n response = this_step.view(request, application, this_id, roles,\n step_actions.keys())\n assert response is not None\n if isinstance(response, HttpResponse):\n return response\n else:\n if response not in step_actions:\n raise RuntimeError(\"Invalid response '%s' from step '%s'\" %\n (response, this_step))\n action = step_actions[response]\n if action.startswith('state:'):\n return action[6:]\n else:\n url = base.get_url(request, application, roles, action)\n return HttpResponseRedirect(url)\n return HttpResponseBadRequest('<h1>Bad Request</h1>')\n", "role": "user" }, { "content": "get_next_action", "role": "assistant" } ]
def x(self, request, application, label, roles): actions = self.get_actions(request, application, roles) if label is None and 'is_applicant' in roles and 'is_admin' not in roles: for action in actions: if action in request.POST: return action link, is_secret = base.get_email_link(application) return render(template_name= 'kgapplications/software_introduction.html', context={'actions': actions, 'application': application, 'roles': roles, 'link': link, 'is_secret': is_secret}, request=request) return super(StateIntroduction, self).get_next_action(request, application, label, roles)
get_next_action
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, application, label, roles):\n actions = self.get_actions(request, application, roles)\n if label is None and 'is_applicant' in roles and 'is_admin' not in roles:\n for action in actions:\n if action in request.POST:\n return action\n link, is_secret = base.get_email_link(application)\n return render(template_name=\n 'kgapplications/software_introduction.html', context={'actions':\n actions, 'application': application, 'roles': roles, 'link':\n link, 'is_secret': is_secret}, request=request)\n return super(StateIntroduction, self).get_next_action(request,\n application, label, roles)\n", "role": "user" }, { "content": "get_next_action", "role": "assistant" } ]
def x(): global _DATASTORES array = settings.DATASTORES for config in array: cls = _lookup(config['ENGINE']) ds = _get_datastore(cls, DataStore, config) _DATASTORES.append(ds) legacy_settings = getattr(settings, 'MACHINE_CATEGORY_DATASTORES', None) if legacy_settings is not None: warnings.warn( 'MACHINE_CATEGORY_DATASTORES is deprecated, please change to use DATASTORES' ) for name in ['ldap']: array = settings.MACHINE_CATEGORY_DATASTORES.get(name, []) for config in array: cls = _lookup(config['ENGINE']) ds = _get_datastore(cls, DataStore, config) _DATASTORES.append(ds)
init_datastores
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n global _DATASTORES\n array = settings.DATASTORES\n for config in array:\n cls = _lookup(config['ENGINE'])\n ds = _get_datastore(cls, DataStore, config)\n _DATASTORES.append(ds)\n legacy_settings = getattr(settings, 'MACHINE_CATEGORY_DATASTORES', None)\n if legacy_settings is not None:\n warnings.warn(\n 'MACHINE_CATEGORY_DATASTORES is deprecated, please change to use DATASTORES'\n )\n for name in ['ldap']:\n array = settings.MACHINE_CATEGORY_DATASTORES.get(name, [])\n for config in array:\n cls = _lookup(config['ENGINE'])\n ds = _get_datastore(cls, DataStore, config)\n _DATASTORES.append(ds)\n", "role": "user" }, { "content": "init_datastores", "role": "assistant" } ]
def x(account, old_username, new_username): for datastore in _get_datastores(): datastore.set_account_username(account, old_username, new_username)
set_account_username
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(account, old_username, new_username):\n for datastore in _get_datastores():\n datastore.set_account_username(account, old_username, new_username)\n", "role": "user" }, { "content": "set_account_username", "role": "assistant" } ]
def x(account): result = [] for datastore in _get_datastores(): value = datastore.get_account_details(account) value['datastore'] = datastore.config['DESCRIPTION'] result.append(value) return result
get_account_details
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(account):\n result = []\n for datastore in _get_datastores():\n value = datastore.get_account_details(account)\n value['datastore'] = datastore.config['DESCRIPTION']\n result.append(value)\n return result\n", "role": "user" }, { "content": "get_account_details", "role": "assistant" } ]
def x(group, old_name, new_name): for datastore in _get_datastores(): datastore.set_group_name(group, old_name, new_name)
set_group_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(group, old_name, new_name):\n for datastore in _get_datastores():\n datastore.set_group_name(group, old_name, new_name)\n", "role": "user" }, { "content": "set_group_name", "role": "assistant" } ]
def x(group): result = [] for datastore in _get_datastores(): value = datastore.get_group_details(group) value['datastore'] = datastore.config['DESCRIPTION'] result.append(value) return result
get_group_details
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(group):\n result = []\n for datastore in _get_datastores():\n value = datastore.get_group_details(group)\n value['datastore'] = datastore.config['DESCRIPTION']\n result.append(value)\n return result\n", "role": "user" }, { "content": "get_group_details", "role": "assistant" } ]
def x(project): result = [] for datastore in _get_datastores(): value = datastore.get_project_details(project) value['datastore'] = datastore.config['DESCRIPTION'] result.append(value) return result
get_project_details
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(project):\n result = []\n for datastore in _get_datastores():\n value = datastore.get_project_details(project)\n value['datastore'] = datastore.config['DESCRIPTION']\n result.append(value)\n return result\n", "role": "user" }, { "content": "get_project_details", "role": "assistant" } ]
def x(project, old_pid, new_pid): for datastore in _get_datastores(): datastore.save_project(project) datastore.set_project_pid(project, old_pid, new_pid)
set_project_pid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(project, old_pid, new_pid):\n for datastore in _get_datastores():\n datastore.save_project(project)\n datastore.set_project_pid(project, old_pid, new_pid)\n", "role": "user" }, { "content": "set_project_pid", "role": "assistant" } ]
def x(institute): result = [] for datastore in _get_datastores(): value = datastore.get_institute_details(institute) value['datastore'] = datastore.config['DESCRIPTION'] result.append(value) return result
get_institute_details
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(institute):\n result = []\n for datastore in _get_datastores():\n value = datastore.get_institute_details(institute)\n value['datastore'] = datastore.config['DESCRIPTION']\n result.append(value)\n return result\n", "role": "user" }, { "content": "get_institute_details", "role": "assistant" } ]
def x(accounts_query, group): query = accounts_query.filter(date_deleted__isnull=True) for account in query: add_account_to_group(account, group)
add_accounts_to_group
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(accounts_query, group):\n query = accounts_query.filter(date_deleted__isnull=True)\n for account in query:\n add_account_to_group(account, group)\n", "role": "user" }, { "content": "add_accounts_to_group", "role": "assistant" } ]
def x(accounts_query, group): query = accounts_query.filter(date_deleted__isnull=True) for account in query: remove_account_from_group(account, group)
remove_accounts_from_group
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(accounts_query, group):\n query = accounts_query.filter(date_deleted__isnull=True)\n for account in query:\n remove_account_from_group(account, group)\n", "role": "user" }, { "content": "remove_accounts_from_group", "role": "assistant" } ]
def x(accounts_query, project): query = accounts_query.filter(date_deleted__isnull=True) for account in query: add_account_to_project(account, project)
add_accounts_to_project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(accounts_query, project):\n query = accounts_query.filter(date_deleted__isnull=True)\n for account in query:\n add_account_to_project(account, project)\n", "role": "user" }, { "content": "add_accounts_to_project", "role": "assistant" } ]
def x(accounts_query, project): query = accounts_query.filter(date_deleted__isnull=True) for account in query: remove_account_from_project(account, project)
remove_accounts_from_project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(accounts_query, project):\n query = accounts_query.filter(date_deleted__isnull=True)\n for account in query:\n remove_account_from_project(account, project)\n", "role": "user" }, { "content": "remove_accounts_from_project", "role": "assistant" } ]
def x(accounts_query, institute): query = accounts_query.filter(date_deleted__isnull=True) for account in query: add_account_to_institute(account, institute)
add_accounts_to_institute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(accounts_query, institute):\n query = accounts_query.filter(date_deleted__isnull=True)\n for account in query:\n add_account_to_institute(account, institute)\n", "role": "user" }, { "content": "add_accounts_to_institute", "role": "assistant" } ]
def x(accounts_query, institute): query = accounts_query.filter(date_deleted__isnull=True) for account in query: remove_account_from_institute(account, institute)
remove_accounts_from_institute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(accounts_query, institute):\n query = accounts_query.filter(date_deleted__isnull=True)\n for account in query:\n remove_account_from_institute(account, institute)\n", "role": "user" }, { "content": "remove_accounts_from_institute", "role": "assistant" } ]
def x(self, request, application, label, roles, actions): status = None applicant = application.applicant attrs = [] saml_session = saml.is_saml_session(request) if 'cancel' in request.POST: return 'cancel' if 'prev' in request.POST: return 'prev' if applicant.saml_id is not None: status = 'You have already registered a shibboleth id.' form = None done = True elif application.content_type.model != 'applicant': status = 'You are already registered in the system.' form = None done = True elif applicant.institute is not None and applicant.institute.saml_entityid is None: status = 'Your institute does not have shibboleth registered.' form = None done = True elif Institute.objects.filter(saml_entityid__isnull=False).count() == 0: status = 'No institutes support shibboleth here.' form = None done = True else: form = saml.SAMLInstituteForm(request.POST or None, initial={ 'institute': applicant.institute}) done = False status = None if request.method == 'POST': if 'login' in request.POST and form.is_valid(): institute = form.cleaned_data['institute'] applicant.institute = institute applicant.save() url = base.get_url(request, application, roles, label) if institute.saml_entityid is not None: url = saml.build_shib_url(request, url, institute. saml_entityid) return HttpResponseRedirect(url) elif 'logout' in request.POST: if saml_session: url = saml.logout_url(request) return HttpResponseRedirect(url) else: return HttpResponseBadRequest('<h1>Bad Request</h1>') if saml_session: attrs, _ = saml.parse_attributes(request) saml_session = True if request.method == 'POST': if 'cancel' in request.POST: return 'cancel' if 'prev' in request.POST: return 'prev' if not done: if saml_session: applicant = _get_applicant_from_saml(request) if applicant is not None: application.applicant = applicant application.save() else: applicant = application.applicant applicant = saml.add_saml_data(applicant, request) applicant.save() done = True else: status = 'Please login to SAML before proceeding.' if request.method == 'POST' and done: for action in actions: if action in request.POST: return action return HttpResponseBadRequest('<h1>Bad Request</h1>') return render(template_name= 'kgapplications/project_aed_shibboleth.html', context={'form': form, 'done': done, 'status': status, 'actions': actions, 'roles': roles, 'application': application, 'attrs': attrs, 'saml_session': saml_session}, request=request)
view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, application, label, roles, actions):\n status = None\n applicant = application.applicant\n attrs = []\n saml_session = saml.is_saml_session(request)\n if 'cancel' in request.POST:\n return 'cancel'\n if 'prev' in request.POST:\n return 'prev'\n if applicant.saml_id is not None:\n status = 'You have already registered a shibboleth id.'\n form = None\n done = True\n elif application.content_type.model != 'applicant':\n status = 'You are already registered in the system.'\n form = None\n done = True\n elif applicant.institute is not None and applicant.institute.saml_entityid is None:\n status = 'Your institute does not have shibboleth registered.'\n form = None\n done = True\n elif Institute.objects.filter(saml_entityid__isnull=False).count() == 0:\n status = 'No institutes support shibboleth here.'\n form = None\n done = True\n else:\n form = saml.SAMLInstituteForm(request.POST or None, initial={\n 'institute': applicant.institute})\n done = False\n status = None\n if request.method == 'POST':\n if 'login' in request.POST and form.is_valid():\n institute = form.cleaned_data['institute']\n applicant.institute = institute\n applicant.save()\n url = base.get_url(request, application, roles, label)\n if institute.saml_entityid is not None:\n url = saml.build_shib_url(request, url, institute.\n saml_entityid)\n return HttpResponseRedirect(url)\n elif 'logout' in request.POST:\n if saml_session:\n url = saml.logout_url(request)\n return HttpResponseRedirect(url)\n else:\n return HttpResponseBadRequest('<h1>Bad Request</h1>')\n if saml_session:\n attrs, _ = saml.parse_attributes(request)\n saml_session = True\n if request.method == 'POST':\n if 'cancel' in request.POST:\n return 'cancel'\n if 'prev' in request.POST:\n return 'prev'\n if not done:\n if saml_session:\n applicant = _get_applicant_from_saml(request)\n if applicant is not None:\n application.applicant = applicant\n application.save()\n else:\n applicant = application.applicant\n applicant = saml.add_saml_data(applicant, request)\n applicant.save()\n done = True\n else:\n status = 'Please login to SAML before proceeding.'\n if request.method == 'POST' and done:\n for action in actions:\n if action in request.POST:\n return action\n return HttpResponseBadRequest('<h1>Bad Request</h1>')\n return render(template_name=\n 'kgapplications/project_aed_shibboleth.html', context={'form': form,\n 'done': done, 'status': status, 'actions': actions, 'roles': roles,\n 'application': application, 'attrs': attrs, 'saml_session':\n saml_session}, request=request)\n", "role": "user" }, { "content": "view", "role": "assistant" } ]
def x(self, request, application, label, roles, actions): status = None form = None if application.content_type.model != 'applicant': status = 'You are already registered in the system.' elif application.content_type.model == 'applicant': if application.applicant.saml_id is not None: form = forms.SAMLApplicantForm(request.POST or None, instance= application.applicant) else: form = forms.UserApplicantForm(request.POST or None, instance= application.applicant) if form is not None and request.method == 'POST': if form.is_valid(): form.save(commit=True) for action in actions: if action in request.POST: return action return HttpResponseBadRequest('<h1>Bad Request</h1>') else: if 'cancel' in request.POST: return 'cancel' if 'prev' in request.POST: return 'prev' if form is None: for action in actions: if action in request.POST: return action return render(template_name='kgapplications/project_aed_applicant.html', context={'form': form, 'application': application, 'status': status, 'actions': actions, 'roles': roles}, request=request)
view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, application, label, roles, actions):\n status = None\n form = None\n if application.content_type.model != 'applicant':\n status = 'You are already registered in the system.'\n elif application.content_type.model == 'applicant':\n if application.applicant.saml_id is not None:\n form = forms.SAMLApplicantForm(request.POST or None, instance=\n application.applicant)\n else:\n form = forms.UserApplicantForm(request.POST or None, instance=\n application.applicant)\n if form is not None and request.method == 'POST':\n if form.is_valid():\n form.save(commit=True)\n for action in actions:\n if action in request.POST:\n return action\n return HttpResponseBadRequest('<h1>Bad Request</h1>')\n else:\n if 'cancel' in request.POST:\n return 'cancel'\n if 'prev' in request.POST:\n return 'prev'\n if form is None:\n for action in actions:\n if action in request.POST:\n return action\n return render(template_name='kgapplications/project_aed_applicant.html',\n context={'form': form, 'application': application, 'status': status,\n 'actions': actions, 'roles': roles}, request=request)\n", "role": "user" }, { "content": "view", "role": "assistant" } ]
def x(self, request, application, label, roles, actions): if 'ajax' in request.POST: resp = self.handle_ajax(request, application) return HttpResponse(json.dumps(resp), content_type='application/json') form_models = {'common': forms.CommonApplicationForm, 'new': forms. NewProjectApplicationForm, 'existing': forms. ExistingProjectApplicationForm} project_forms = {} for key, form in six.iteritems(form_models): project_forms[key] = form(request.POST or None, instance=application) if application.project is not None: project_forms['common'].initial = {'application_type': 'U'} elif application.name != '': project_forms['common'].initial = {'application_type': 'P'} if 'application_type' in request.POST: at = request.POST['application_type'] valid = True if at == 'U': if project_forms['common'].is_valid(): project_forms['common'].save(commit=False) else: valid = False if project_forms['existing'].is_valid(): project_forms['existing'].save(commit=False) else: valid = False elif at == 'P': if project_forms['common'].is_valid(): project_forms['common'].save(commit=False) else: valid = False if project_forms['new'].is_valid(): project_forms['new'].save(commit=False) else: valid = False application.institute = application.applicant.institute else: return HttpResponseBadRequest('<h1>Bad Request</h1>') if at != 'U': project_forms['existing'] = form_models['existing'](instance= application) application.project = None if at != 'P': project_forms['new'] = form_models['new'](instance=application) application.name = '' application.institute = None application.description = None application.additional_req = None application.machine_categories = [] application.pid = None application.save() if project_forms['new'].is_valid() and at == 'P': project_forms['new'].save_m2m() if 'cancel' in request.POST: return 'cancel' if 'prev' in request.POST: return 'prev' if valid: for action in actions: if action in request.POST: return action return HttpResponseBadRequest('<h1>Bad Request</h1>') else: if 'cancel' in request.POST: return 'cancel' if 'prev' in request.POST: return 'prev' project_id = project_forms['existing']['project'].value() project = None if project_id: try: project = Project.objects.get(pk=project_id) except Project.DoesNotExist: pass return render(template_name='kgapplications/project_aed_project.html', context={'forms': project_forms, 'project': project, 'actions': actions, 'roles': roles, 'application': application}, request=request)
view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, application, label, roles, actions):\n if 'ajax' in request.POST:\n resp = self.handle_ajax(request, application)\n return HttpResponse(json.dumps(resp), content_type='application/json')\n form_models = {'common': forms.CommonApplicationForm, 'new': forms.\n NewProjectApplicationForm, 'existing': forms.\n ExistingProjectApplicationForm}\n project_forms = {}\n for key, form in six.iteritems(form_models):\n project_forms[key] = form(request.POST or None, instance=application)\n if application.project is not None:\n project_forms['common'].initial = {'application_type': 'U'}\n elif application.name != '':\n project_forms['common'].initial = {'application_type': 'P'}\n if 'application_type' in request.POST:\n at = request.POST['application_type']\n valid = True\n if at == 'U':\n if project_forms['common'].is_valid():\n project_forms['common'].save(commit=False)\n else:\n valid = False\n if project_forms['existing'].is_valid():\n project_forms['existing'].save(commit=False)\n else:\n valid = False\n elif at == 'P':\n if project_forms['common'].is_valid():\n project_forms['common'].save(commit=False)\n else:\n valid = False\n if project_forms['new'].is_valid():\n project_forms['new'].save(commit=False)\n else:\n valid = False\n application.institute = application.applicant.institute\n else:\n return HttpResponseBadRequest('<h1>Bad Request</h1>')\n if at != 'U':\n project_forms['existing'] = form_models['existing'](instance=\n application)\n application.project = None\n if at != 'P':\n project_forms['new'] = form_models['new'](instance=application)\n application.name = ''\n application.institute = None\n application.description = None\n application.additional_req = None\n application.machine_categories = []\n application.pid = None\n application.save()\n if project_forms['new'].is_valid() and at == 'P':\n project_forms['new'].save_m2m()\n if 'cancel' in request.POST:\n return 'cancel'\n if 'prev' in request.POST:\n return 'prev'\n if valid:\n for action in actions:\n if action in request.POST:\n return action\n return HttpResponseBadRequest('<h1>Bad Request</h1>')\n else:\n if 'cancel' in request.POST:\n return 'cancel'\n if 'prev' in request.POST:\n return 'prev'\n project_id = project_forms['existing']['project'].value()\n project = None\n if project_id:\n try:\n project = Project.objects.get(pk=project_id)\n except Project.DoesNotExist:\n pass\n return render(template_name='kgapplications/project_aed_project.html',\n context={'forms': project_forms, 'project': project, 'actions':\n actions, 'roles': roles, 'application': application}, request=request)\n", "role": "user" }, { "content": "view", "role": "assistant" } ]
def x(self, request, application, label, roles, actions): if application.content_type.model == 'applicant': if not application.applicant.email_verified: application.applicant.email_verified = True application.applicant.save() for action in actions: if action in request.POST: return action link, is_secret = base.get_email_link(application) return render(template_name= 'kgapplications/project_aed_introduction.html', context={'actions': actions, 'application': application, 'roles': roles, 'link': link, 'is_secret': is_secret}, request=request)
view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, application, label, roles, actions):\n if application.content_type.model == 'applicant':\n if not application.applicant.email_verified:\n application.applicant.email_verified = True\n application.applicant.save()\n for action in actions:\n if action in request.POST:\n return action\n link, is_secret = base.get_email_link(application)\n return render(template_name=\n 'kgapplications/project_aed_introduction.html', context={'actions':\n actions, 'application': application, 'roles': roles, 'link': link,\n 'is_secret': is_secret}, request=request)\n", "role": "user" }, { "content": "view", "role": "assistant" } ]
def x(self, request, application, label, roles): if 'is_applicant' in roles: new_person = None reason = None details = None attrs, _ = saml.parse_attributes(request) saml_id = attrs['persistent_id'] if saml_id is not None: query = Person.objects.filter(saml_id=saml_id) if application.content_type.model == 'person': query = query.exclude(pk=application.applicant.pk) if query.count() > 0: new_person = Person.objects.get(saml_id=saml_id) reason = 'SAML id is already in use by existing person.' details = ( 'It is not possible to continue this application ' + 'as is because the saml identity already exists ' + 'as a registered user.') del query if request.user.is_authenticated: new_person = request.user reason = ('%s was logged in and accessed the secret URL.' % new_person) details = ('If you want to access this application ' + 'as %s ' % application.applicant + 'without %s stealing it, ' % new_person + 'you will have to ensure %s is ' % new_person + 'logged out first.') if new_person is not None: if application.applicant != new_person: if 'steal' in request.POST: old_applicant = application.applicant application.applicant = new_person application.save() log.change(application.application_ptr, 'Stolen application from %s' % old_applicant) messages.success(request, 'Stolen application from %s' % old_applicant) url = base.get_url(request, application, roles, label) return HttpResponseRedirect(url) else: return render(template_name= 'kgapplications/project_aed_steal.html', context={ 'application': application, 'person': new_person, 'reason': reason, 'details': details}, request=request) if ('is_leader' in roles or 'is_delegate' in roles ) and 'is_admin' not in roles and 'is_applicant' not in roles: actions = ['reopen'] if 'reopen' in request.POST: return 'reopen' return render(template_name= 'kgapplications/project_aed_for_leader.html', context={ 'application': application, 'actions': actions, 'roles': roles}, request=request) return super(StateApplicantEnteringDetails, self).get_next_action(request, application, label, roles)
get_next_action
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, application, label, roles):\n if 'is_applicant' in roles:\n new_person = None\n reason = None\n details = None\n attrs, _ = saml.parse_attributes(request)\n saml_id = attrs['persistent_id']\n if saml_id is not None:\n query = Person.objects.filter(saml_id=saml_id)\n if application.content_type.model == 'person':\n query = query.exclude(pk=application.applicant.pk)\n if query.count() > 0:\n new_person = Person.objects.get(saml_id=saml_id)\n reason = 'SAML id is already in use by existing person.'\n details = (\n 'It is not possible to continue this application ' +\n 'as is because the saml identity already exists ' +\n 'as a registered user.')\n del query\n if request.user.is_authenticated:\n new_person = request.user\n reason = ('%s was logged in and accessed the secret URL.' %\n new_person)\n details = ('If you want to access this application ' + 'as %s ' %\n application.applicant + 'without %s stealing it, ' %\n new_person + 'you will have to ensure %s is ' % new_person +\n 'logged out first.')\n if new_person is not None:\n if application.applicant != new_person:\n if 'steal' in request.POST:\n old_applicant = application.applicant\n application.applicant = new_person\n application.save()\n log.change(application.application_ptr, \n 'Stolen application from %s' % old_applicant)\n messages.success(request, 'Stolen application from %s' %\n old_applicant)\n url = base.get_url(request, application, roles, label)\n return HttpResponseRedirect(url)\n else:\n return render(template_name=\n 'kgapplications/project_aed_steal.html', context={\n 'application': application, 'person': new_person,\n 'reason': reason, 'details': details}, request=request)\n if ('is_leader' in roles or 'is_delegate' in roles\n ) and 'is_admin' not in roles and 'is_applicant' not in roles:\n actions = ['reopen']\n if 'reopen' in request.POST:\n return 'reopen'\n return render(template_name=\n 'kgapplications/project_aed_for_leader.html', context={\n 'application': application, 'actions': actions, 'roles': roles},\n request=request)\n return super(StateApplicantEnteringDetails, self).get_next_action(request,\n application, label, roles)\n", "role": "user" }, { "content": "get_next_action", "role": "assistant" } ]
def x(value): if value is None: value = '' value = value.replace('\n', ' ') value = value.replace('\t', ' ') value = value.replace('|', ' ') value = value.strip() value = value.replace('\\', '') value = ''.join(c for c in value if 31 < ord(c) < 127) return value
filter_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if value is None:\n value = ''\n value = value.replace('\\n', ' ')\n value = value.replace('\\t', ' ')\n value = value.replace('|', ' ')\n value = value.strip()\n value = value.replace('\\\\', '')\n value = ''.join(c for c in value if 31 < ord(c) < 127)\n return value\n", "role": "user" }, { "content": "filter_string", "role": "assistant" } ]
def x(value, arg): length = int(arg) if value is None: value = '' if len(value) > length: return value[:length] + '...' else: return value
truncate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, arg):\n length = int(arg)\n if value is None:\n value = ''\n if len(value) > length:\n return value[:length] + '...'\n else:\n return value\n", "role": "user" }, { "content": "truncate", "role": "assistant" } ]
def x(self, command, ignore_errors=None): if ignore_errors is None: ignore_errors = [] command = self._get_command(command) logger.debug('Cmd %s' % command) null = open('/dev/null', 'w') retcode = subprocess.call(command, stdout=null, stderr=null) null.close() if retcode in ignore_errors: logger.debug('<-- Cmd %s returned %d (ignored)' % (command, retcode)) return if retcode: logger.error('<-- Cmd %s returned: %d (error)' % (command, retcode)) raise subprocess.CalledProcessError(retcode, command) logger.debug('<-- Returned %d (good)' % retcode) return
call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command, ignore_errors=None):\n if ignore_errors is None:\n ignore_errors = []\n command = self._get_command(command)\n logger.debug('Cmd %s' % command)\n null = open('/dev/null', 'w')\n retcode = subprocess.call(command, stdout=null, stderr=null)\n null.close()\n if retcode in ignore_errors:\n logger.debug('<-- Cmd %s returned %d (ignored)' % (command, retcode))\n return\n if retcode:\n logger.error('<-- Cmd %s returned: %d (error)' % (command, retcode))\n raise subprocess.CalledProcessError(retcode, command)\n logger.debug('<-- Returned %d (good)' % retcode)\n return\n", "role": "user" }, { "content": "call", "role": "assistant" } ]
def x(self, username): cmd = ['glsuser', '-u', username, '--raw'] results = self._read_output(cmd) if len(results) == 0: return None elif len(results) > 1: logger.error("Command returned multiple results for '%s'." % username) raise RuntimeError("Command returned multiple results for '%s'." % username) the_result = results[0] the_name = the_result['Name'] if username.lower() != the_name.lower(): logger.error("We expected username '%s' but got username '%s'." % ( username, the_name)) raise RuntimeError( "We expected username '%s' but got username '%s'." % (username, the_name)) return the_result
get_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username):\n cmd = ['glsuser', '-u', username, '--raw']\n results = self._read_output(cmd)\n if len(results) == 0:\n return None\n elif len(results) > 1:\n logger.error(\"Command returned multiple results for '%s'.\" % username)\n raise RuntimeError(\"Command returned multiple results for '%s'.\" %\n username)\n the_result = results[0]\n the_name = the_result['Name']\n if username.lower() != the_name.lower():\n logger.error(\"We expected username '%s' but got username '%s'.\" % (\n username, the_name))\n raise RuntimeError(\n \"We expected username '%s' but got username '%s'.\" % (username,\n the_name))\n return the_result\n", "role": "user" }, { "content": "get_user", "role": "assistant" } ]
def x(self, username): cmd = ['gbalance', '-u', username, '--raw'] results = self._read_output(cmd) if len(results) == 0: return None return results
get_user_balance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username):\n cmd = ['gbalance', '-u', username, '--raw']\n results = self._read_output(cmd)\n if len(results) == 0:\n return None\n return results\n", "role": "user" }, { "content": "get_user_balance", "role": "assistant" } ]
def x(self, projectname): ds_project = self.get_project(projectname) if ds_project is None: logger.error("Project '%s' does not exist in MAM" % projectname) raise RuntimeError("Project '%s' does not exist in MAM" % projectname) user_list = [] if ds_project['Users'] != '': user_list = ds_project['Users'].lower().split(',') return user_list
get_users_in_project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, projectname):\n ds_project = self.get_project(projectname)\n if ds_project is None:\n logger.error(\"Project '%s' does not exist in MAM\" % projectname)\n raise RuntimeError(\"Project '%s' does not exist in MAM\" % projectname)\n user_list = []\n if ds_project['Users'] != '':\n user_list = ds_project['Users'].lower().split(',')\n return user_list\n", "role": "user" }, { "content": "get_users_in_project", "role": "assistant" } ]
def x(self, username): ds_balance = self.get_user_balance(username) if ds_balance is None: return [] project_list = [] for bal in ds_balance: project_list.append(bal['Name']) return project_list
get_projects_in_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username):\n ds_balance = self.get_user_balance(username)\n if ds_balance is None:\n return []\n project_list = []\n for bal in ds_balance:\n project_list.append(bal['Name'])\n return project_list\n", "role": "user" }, { "content": "get_projects_in_user", "role": "assistant" } ]
def x(self, account, username): default_project_name = self._null_project if account.default_project is not None: default_project_name = account.default_project.pid ds_user = self.get_user(username) if account.date_deleted is None: logger.debug('account is active') if ds_user is None: self._create_user(username, default_project_name) else: self._set_user_default_project(username, default_project_name) self._call(['gchuser', '-n', self._filter_string(account.person. get_full_name()), '-u', username]) self._call(['gchuser', '-E', self._filter_string(account.person. email), '-u', username]) mam_projects = self.get_projects_in_user(username) for project in account.person.projects.all(): if project.pid not in mam_projects: self.add_account_to_project(account, project) else: logger.debug('account is not active') if ds_user is not None: self._call(['grmuser', '-u', username], ignore_errors=[8]) return
save_account
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account, username):\n default_project_name = self._null_project\n if account.default_project is not None:\n default_project_name = account.default_project.pid\n ds_user = self.get_user(username)\n if account.date_deleted is None:\n logger.debug('account is active')\n if ds_user is None:\n self._create_user(username, default_project_name)\n else:\n self._set_user_default_project(username, default_project_name)\n self._call(['gchuser', '-n', self._filter_string(account.person.\n get_full_name()), '-u', username])\n self._call(['gchuser', '-E', self._filter_string(account.person.\n email), '-u', username])\n mam_projects = self.get_projects_in_user(username)\n for project in account.person.projects.all():\n if project.pid not in mam_projects:\n self.add_account_to_project(account, project)\n else:\n logger.debug('account is not active')\n if ds_user is not None:\n self._call(['grmuser', '-u', username], ignore_errors=[8])\n return\n", "role": "user" }, { "content": "save_account", "role": "assistant" } ]
def x(self, account, username): ds_user = self.get_user(username) if ds_user is not None: self._call(['grmuser', '-u', username], ignore_errors=[8]) return
delete_account
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account, username):\n ds_user = self.get_user(username)\n if ds_user is not None:\n self._call(['grmuser', '-u', username], ignore_errors=[8])\n return\n", "role": "user" }, { "content": "delete_account", "role": "assistant" } ]
def x(self, account, old_username, new_username): self._delete_account(account, old_username) self._save_account(account, new_username)
set_account_username
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account, old_username, new_username):\n self._delete_account(account, old_username)\n self._save_account(account, new_username)\n", "role": "user" }, { "content": "set_account_username", "role": "assistant" } ]
def x(self, account): result = self.get_user(account.username) if result is None: result = {} return result
get_account_details
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account):\n result = self.get_user(account.username)\n if result is None:\n result = {}\n return result\n", "role": "user" }, { "content": "get_account_details", "role": "assistant" } ]
def x(self, project): pid = project.pid if project.is_active: logger.debug('project is active') ds_project = self.get_project(pid) if ds_project is None: self._create_project(pid) name = self._truncate(project.name, 40) self._set_project(pid, name, project.institute) else: logger.debug('project is not active') ds_project = self.get_project(pid) if ds_project is not None: self._delete_project(pid) return
save_project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, project):\n pid = project.pid\n if project.is_active:\n logger.debug('project is active')\n ds_project = self.get_project(pid)\n if ds_project is None:\n self._create_project(pid)\n name = self._truncate(project.name, 40)\n self._set_project(pid, name, project.institute)\n else:\n logger.debug('project is not active')\n ds_project = self.get_project(pid)\n if ds_project is not None:\n self._delete_project(pid)\n return\n", "role": "user" }, { "content": "save_project", "role": "assistant" } ]
def x(self, project): pid = project.pid ds_project = self.get_project(pid) if ds_project is not None: self._delete_project(pid) return
delete_project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, project):\n pid = project.pid\n ds_project = self.get_project(pid)\n if ds_project is not None:\n self._delete_project(pid)\n return\n", "role": "user" }, { "content": "delete_project", "role": "assistant" } ]
def x(self, project): result = self.get_project(project.pid) if result is None: result = {} return result
get_project_details
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, project):\n result = self.get_project(project.pid)\n if result is None:\n result = {}\n return result\n", "role": "user" }, { "content": "get_project_details", "role": "assistant" } ]
def x(self, institute): name = institute.name logger.debug("save_institute '%s'" % name) if institute.is_active: logger.debug('institute is active') self._call(['goldsh', 'Organization', 'Create', 'Name=%s' % name], ignore_errors=[185]) else: logger.debug('institute is not active') self._call(['goldsh', 'Organization', 'Delete', 'Name==%s' % name]) logger.debug('returning') return
save_institute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, institute):\n name = institute.name\n logger.debug(\"save_institute '%s'\" % name)\n if institute.is_active:\n logger.debug('institute is active')\n self._call(['goldsh', 'Organization', 'Create', 'Name=%s' % name],\n ignore_errors=[185])\n else:\n logger.debug('institute is not active')\n self._call(['goldsh', 'Organization', 'Delete', 'Name==%s' % name])\n logger.debug('returning')\n return\n", "role": "user" }, { "content": "save_institute", "role": "assistant" } ]
def x(self, institute): name = institute.name logger.debug("institute_deleted '%s'" % name) self._call(['goldsh', 'Organization', 'Delete', 'Name==%s' % name]) logger.debug('returning') return
delete_institute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, institute):\n name = institute.name\n logger.debug(\"institute_deleted '%s'\" % name)\n self._call(['goldsh', 'Organization', 'Delete', 'Name==%s' % name])\n logger.debug('returning')\n return\n", "role": "user" }, { "content": "delete_institute", "role": "assistant" } ]
def x(self, account, project): username = account.username projectname = project.pid self._call(['gchproject', '--add-user', username, '-p', projectname], ignore_errors=[74])
add_account_to_project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account, project):\n username = account.username\n projectname = project.pid\n self._call(['gchproject', '--add-user', username, '-p', projectname],\n ignore_errors=[74])\n", "role": "user" }, { "content": "add_account_to_project", "role": "assistant" } ]
def x(fig, width=600): img = StringIO() fig.savefig(img, format='svg') img.seek(0) print("%html <div style='width:{}px'>{}</div>".format(width, img.buf))
show
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fig, width=600):\n img = StringIO()\n fig.savefig(img, format='svg')\n img.seek(0)\n print(\"%html <div style='width:{}px'>{}</div>\".format(width, img.buf))\n", "role": "user" }, { "content": "show", "role": "assistant" } ]
def x(hub_name, genome, email, short_label=None, long_label=None): if short_label is None: short_label = hub_name if long_label is None: long_label = short_label hub = Hub(hub=hub_name, short_label=short_label, long_label=long_label, email=email) genome = Genome(genome) genomes_file = GenomesFile() trackdb = TrackDb() hub.add_genomes_file(genomes_file) genomes_file.add_genome(genome) genome.add_trackdb(trackdb) return hub, genomes_file, genome, trackdb
default_hub
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hub_name, genome, email, short_label=None, long_label=None):\n if short_label is None:\n short_label = hub_name\n if long_label is None:\n long_label = short_label\n hub = Hub(hub=hub_name, short_label=short_label, long_label=long_label,\n email=email)\n genome = Genome(genome)\n genomes_file = GenomesFile()\n trackdb = TrackDb()\n hub.add_genomes_file(genomes_file)\n genomes_file.add_genome(genome)\n genome.add_trackdb(trackdb)\n return hub, genomes_file, genome, trackdb\n", "role": "user" }, { "content": "default_hub", "role": "assistant" } ]
def x(machine, usage, date, machine_name, log_type): assert machine.name == machine_name year, month, day = date.split('-') date = datetime.date(int(year), int(month), int(day)) return parse_logs(usage, date, machine_name, log_type)
parse_usage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(machine, usage, date, machine_name, log_type):\n assert machine.name == machine_name\n year, month, day = date.split('-')\n date = datetime.date(int(year), int(month), int(day))\n return parse_logs(usage, date, machine_name, log_type)\n", "role": "user" }, { "content": "parse_usage", "role": "assistant" } ]
def x(filenames, strict_type_checks=True): if strict_type_checks: load_whitelist() all_histograms = OrderedDict() for filename in filenames: parser = FILENAME_PARSERS[os.path.basename(filename)] histograms = parser(filename, strict_type_checks) if not isinstance(histograms, OrderedDict): raise ParserError( 'Histogram parser did not provide an OrderedDict.') for name, definition in iteritems(histograms): if name in all_histograms: raise ParserError('Duplicate histogram name "%s".' % name) all_histograms[name] = definition use_counter_indices = filter(lambda x: x[1].startswith('USE_COUNTER2_'), enumerate(iterkeys(all_histograms))) if use_counter_indices: lower_bound = use_counter_indices[0][0] upper_bound = use_counter_indices[-1][0] n_counters = upper_bound - lower_bound + 1 if n_counters != len(use_counter_indices): raise ParserError( 'Use counter histograms must be defined in a contiguous block.' ) if whitelists is not None: all_whitelist_entries = itertools.chain.from_iterable(whitelists. itervalues()) orphaned = set(all_whitelist_entries) - set(iterkeys(all_histograms)) if len(orphaned) > 0: msg = """The following entries are orphaned and should be removed from histogram-whitelists.json: %s""" raise ParserError(msg % ', '.join(sorted(orphaned))) for name, definition in iteritems(all_histograms): yield Histogram(name, definition, strict_type_checks=strict_type_checks )
from_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filenames, strict_type_checks=True):\n if strict_type_checks:\n load_whitelist()\n all_histograms = OrderedDict()\n for filename in filenames:\n parser = FILENAME_PARSERS[os.path.basename(filename)]\n histograms = parser(filename, strict_type_checks)\n if not isinstance(histograms, OrderedDict):\n raise ParserError(\n 'Histogram parser did not provide an OrderedDict.')\n for name, definition in iteritems(histograms):\n if name in all_histograms:\n raise ParserError('Duplicate histogram name \"%s\".' % name)\n all_histograms[name] = definition\n use_counter_indices = filter(lambda x: x[1].startswith('USE_COUNTER2_'),\n enumerate(iterkeys(all_histograms)))\n if use_counter_indices:\n lower_bound = use_counter_indices[0][0]\n upper_bound = use_counter_indices[-1][0]\n n_counters = upper_bound - lower_bound + 1\n if n_counters != len(use_counter_indices):\n raise ParserError(\n 'Use counter histograms must be defined in a contiguous block.'\n )\n if whitelists is not None:\n all_whitelist_entries = itertools.chain.from_iterable(whitelists.\n itervalues())\n orphaned = set(all_whitelist_entries) - set(iterkeys(all_histograms))\n if len(orphaned) > 0:\n msg = \"\"\"The following entries are orphaned and should be removed from histogram-whitelists.json:\n%s\"\"\"\n raise ParserError(msg % ', '.join(sorted(orphaned)))\n for name, definition in iteritems(all_histograms):\n yield Histogram(name, definition, strict_type_checks=strict_type_checks\n )\n", "role": "user" }, { "content": "from_files", "role": "assistant" } ]
def x(self): bucket_fns = {'boolean': linear_buckets, 'flag': linear_buckets, 'count': linear_buckets, 'enumerated': linear_buckets, 'categorical': linear_buckets, 'linear': linear_buckets, 'exponential': exponential_buckets} if self._kind not in bucket_fns: raise ParserError('Unknown kind "%s" for histogram "%s".' % (self. _kind, self._name)) fn = bucket_fns[self._kind] return fn(self.low(), self.high(), self.n_buckets())
ranges
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n bucket_fns = {'boolean': linear_buckets, 'flag': linear_buckets,\n 'count': linear_buckets, 'enumerated': linear_buckets,\n 'categorical': linear_buckets, 'linear': linear_buckets,\n 'exponential': exponential_buckets}\n if self._kind not in bucket_fns:\n raise ParserError('Unknown kind \"%s\" for histogram \"%s\".' % (self.\n _kind, self._name))\n fn = bucket_fns[self._kind]\n return fn(self.low(), self.high(), self.n_buckets())\n", "role": "user" }, { "content": "ranges", "role": "assistant" } ]
def x(institute): number = '0001' prefix = 'p%s' % institute.name.replace(' ', '')[:4] found = True while found: try: Project.objects.get(pid=prefix + number) number = str(int(number) + 1) if len(number) == 1: number = '000' + number elif len(number) == 2: number = '00' + number elif len(number) == 3: number = '0' + number except Project.DoesNotExist: found = False return prefix + number
get_new_pid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(institute):\n number = '0001'\n prefix = 'p%s' % institute.name.replace(' ', '')[:4]\n found = True\n while found:\n try:\n Project.objects.get(pid=prefix + number)\n number = str(int(number) + 1)\n if len(number) == 1:\n number = '000' + number\n elif len(number) == 2:\n number = '00' + number\n elif len(number) == 3:\n number = '0' + number\n except Project.DoesNotExist:\n found = False\n return prefix + number\n", "role": "user" }, { "content": "get_new_pid", "role": "assistant" } ]
def x(extra_context, context): for key, value in six.iteritems(extra_context): if callable(value): context[key] = value() else: context[key] = value
apply_extra_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(extra_context, context):\n for key, value in six.iteritems(extra_context):\n if callable(value):\n context[key] = value()\n else:\n context[key] = value\n", "role": "user" }, { "content": "apply_extra_context", "role": "assistant" } ]
def x(model, form_class): if form_class: return form_class._meta.model, form_class if model: tmp_model = model class Meta: model = tmp_model class_name = model.__name__ + 'Form' form_class = ModelFormMetaclass(class_name, (ModelForm,), {'Meta': Meta}) return model, form_class raise GenericViewError( 'Generic view must be called with either a model or form_class argument.' )
get_model_and_form_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(model, form_class):\n if form_class:\n return form_class._meta.model, form_class\n if model:\n tmp_model = model\n\n\n class Meta:\n model = tmp_model\n class_name = model.__name__ + 'Form'\n form_class = ModelFormMetaclass(class_name, (ModelForm,), {'Meta':\n Meta})\n return model, form_class\n raise GenericViewError(\n 'Generic view must be called with either a model or form_class argument.'\n )\n", "role": "user" }, { "content": "get_model_and_form_class", "role": "assistant" } ]
def x(post_save_redirect, obj): if post_save_redirect: return HttpResponseRedirect(post_save_redirect % obj.__dict__) elif hasattr(obj, 'get_absolute_url'): return HttpResponseRedirect(obj.get_absolute_url()) else: raise ImproperlyConfigured( 'No URL to redirect to. Either pass a post_save_redirect parameter to the generic view or define a get_absolute_url method on the Model.' )
redirect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(post_save_redirect, obj):\n if post_save_redirect:\n return HttpResponseRedirect(post_save_redirect % obj.__dict__)\n elif hasattr(obj, 'get_absolute_url'):\n return HttpResponseRedirect(obj.get_absolute_url())\n else:\n raise ImproperlyConfigured(\n 'No URL to redirect to. Either pass a post_save_redirect parameter to the generic view or define a get_absolute_url method on the Model.'\n )\n", "role": "user" }, { "content": "redirect", "role": "assistant" } ]
def x(model, object_id, slug, slug_field): lookup_kwargs = {} if object_id: lookup_kwargs['%s__exact' % model._meta.pk.name] = object_id elif slug and slug_field: lookup_kwargs['%s__exact' % slug_field] = slug else: raise GenericViewError( 'Generic view must be called with either an object_id or a slug/slug_field.' ) try: return model.objects.get(**lookup_kwargs) except ObjectDoesNotExist: raise Http404('No %s found for %s' % (model._meta.verbose_name, lookup_kwargs))
lookup_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(model, object_id, slug, slug_field):\n lookup_kwargs = {}\n if object_id:\n lookup_kwargs['%s__exact' % model._meta.pk.name] = object_id\n elif slug and slug_field:\n lookup_kwargs['%s__exact' % slug_field] = slug\n else:\n raise GenericViewError(\n 'Generic view must be called with either an object_id or a slug/slug_field.'\n )\n try:\n return model.objects.get(**lookup_kwargs)\n except ObjectDoesNotExist:\n raise Http404('No %s found for %s' % (model._meta.verbose_name,\n lookup_kwargs))\n", "role": "user" }, { "content": "lookup_object", "role": "assistant" } ]