source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, event): logger.debug('file removed: %s', event.src_path) name = self.file_name(event) self.on_delete(self.target_class, name)
on_deleted
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n logger.debug('file removed: %s', event.src_path)\n name = self.file_name(event)\n self.on_delete(self.target_class, name)\n", "role": "user" }, { "content": "on_deleted", "role": "assistant" } ]
def x(self, event): self.on_deleted(events.FileDeletedEvent(event.src_path)) self.on_created(events.FileCreatedEvent(event.dest_path))
on_moved
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n self.on_deleted(events.FileDeletedEvent(event.src_path))\n self.on_created(events.FileCreatedEvent(event.dest_path))\n", "role": "user" }, { "content": "on_moved", "role": "assistant" } ]
def x(state, args): args = parser.parse_args(args[1:]) if not args.query: print('Must supply query.') return search_query = _compile_re_query(args.query) results = state.titles.search(search_query) results = [(anime.aid, anime.main_title) for anime in results] state.results['anidb'].set(results) state.results['anidb'].print()
command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(state, args):\n args = parser.parse_args(args[1:])\n if not args.query:\n print('Must supply query.')\n return\n search_query = _compile_re_query(args.query)\n results = state.titles.search(search_query)\n results = [(anime.aid, anime.main_title) for anime in results]\n state.results['anidb'].set(results)\n state.results['anidb'].print()\n", "role": "user" }, { "content": "command", "role": "assistant" } ]
def x(self): oldhash = self.session_hash self.new_session_id() try: self.rdb.rename(oldhash, self.session_hash) self.rdb.expire(self.session_hash, self.ttl) except: pass
regenerate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n oldhash = self.session_hash\n self.new_session_id()\n try:\n self.rdb.rename(oldhash, self.session_hash)\n self.rdb.expire(self.session_hash, self.ttl)\n except:\n pass\n", "role": "user" }, { "content": "regenerate", "role": "assistant" } ]
def x(self, key, default=None): retval = self.__getitem__(key) if not retval: retval = default return retval
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, default=None):\n retval = self.__getitem__(key)\n if not retval:\n retval = default\n return retval\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self): all_items = [(k.decode('utf-8'), v.decode('utf-8')) for k, v in self. rdb.hgetall(self.session_hash).items()] return all_items
items
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n all_items = [(k.decode('utf-8'), v.decode('utf-8')) for k, v in self.\n rdb.hgetall(self.session_hash).items()]\n return all_items\n", "role": "user" }, { "content": "items", "role": "assistant" } ]
def x(self): all_keys = [k.decode('utf-8') for k, v in self.rdb.hgetall(self. session_hash).items()] return all_keys
keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n all_keys = [k.decode('utf-8') for k, v in self.rdb.hgetall(self.\n session_hash).items()]\n return all_keys\n", "role": "user" }, { "content": "keys", "role": "assistant" } ]
def x(self): all_values = [v.decode('utf-8') for k, v in self.rdb.hgetall(self. session_hash).items()] return all_values
values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n all_values = [v.decode('utf-8') for k, v in self.rdb.hgetall(self.\n session_hash).items()]\n return all_values\n", "role": "user" }, { "content": "values", "role": "assistant" } ]
def x(x, N): out = np.zeros(N, dtype=np.float64) out[0] = -np.cos(x) / x out[1] = -np.cos(x) / x ** 2 - np.sin(x) / x for n in xrange(2, N): out[n] = (2.0 * n - 1.0) / x * out[n - 1] - out[n - 2] return out
sbessely
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x, N):\n out = np.zeros(N, dtype=np.float64)\n out[0] = -np.cos(x) / x\n out[1] = -np.cos(x) / x ** 2 - np.sin(x) / x\n for n in xrange(2, N):\n out[n] = (2.0 * n - 1.0) / x * out[n - 1] - out[n - 2]\n return out\n", "role": "user" }, { "content": "sbessely", "role": "assistant" } ]
def x(x, N): nmax = N - 1 out = np.zeros(N, dtype=np.float64) z = x ** 2 out[0] = np.sin(x) / x j1 = np.sin(x) / z - np.cos(x) / x u = 1 v = x / (2.0 * nmax + 1.0) w = v n = nmax while np.abs(v / w) > 1e-20: n = n + 1 u = 1 / (1 - z * u / (4.0 * n ** 2 - 1.0)) v *= u - 1 w += v out[nmax] = w for n in xrange(nmax - 1, 0, -1): out[n] = 1.0 / ((2.0 * n + 1.0) / x - out[n + 1]) if np.abs(out[0]) >= np.abs(j1): out[1] *= out[0] else: out[1] = j1 for n in xrange(1, nmax): out[n + 1] *= out[n] return out
sbesselj
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x, N):\n nmax = N - 1\n out = np.zeros(N, dtype=np.float64)\n z = x ** 2\n out[0] = np.sin(x) / x\n j1 = np.sin(x) / z - np.cos(x) / x\n u = 1\n v = x / (2.0 * nmax + 1.0)\n w = v\n n = nmax\n while np.abs(v / w) > 1e-20:\n n = n + 1\n u = 1 / (1 - z * u / (4.0 * n ** 2 - 1.0))\n v *= u - 1\n w += v\n out[nmax] = w\n for n in xrange(nmax - 1, 0, -1):\n out[n] = 1.0 / ((2.0 * n + 1.0) / x - out[n + 1])\n if np.abs(out[0]) >= np.abs(j1):\n out[1] *= out[0]\n else:\n out[1] = j1\n for n in xrange(1, nmax):\n out[n + 1] *= out[n]\n return out\n", "role": "user" }, { "content": "sbesselj", "role": "assistant" } ]
def x(x, N): jn = sbesselj(x, N) yn = sbessely(x, N) return jn + 1.0j * yn
sbesselh1
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x, N):\n jn = sbesselj(x, N)\n yn = sbessely(x, N)\n return jn + 1.0j * yn\n", "role": "user" }, { "content": "sbesselh1", "role": "assistant" } ]
def x(x, N): jn = sbesselj(x, N) yn = sbessely(x, N) return jn - 1.0j * yn
sbesselh2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x, N):\n jn = sbesselj(x, N)\n yn = sbessely(x, N)\n return jn - 1.0j * yn\n", "role": "user" }, { "content": "sbesselh2", "role": "assistant" } ]
def x(xvec, N): first_time = True for x in xvec: a = sbesselj(x, N) if first_time: out = np.array([a]) first_time = False else: out = np.concatenate([out, [a]], axis=0) return out.T
sbesselj_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(xvec, N):\n first_time = True\n for x in xvec:\n a = sbesselj(x, N)\n if first_time:\n out = np.array([a])\n first_time = False\n else:\n out = np.concatenate([out, [a]], axis=0)\n return out.T\n", "role": "user" }, { "content": "sbesselj_array", "role": "assistant" } ]
def x(xvec, N): first_time = True for x in xvec: a = sbessely(x, N) if first_time: out = np.array([a]) first_time = False else: out = np.concatenate([out, [a]], axis=0) return out.T
sbessely_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(xvec, N):\n first_time = True\n for x in xvec:\n a = sbessely(x, N)\n if first_time:\n out = np.array([a])\n first_time = False\n else:\n out = np.concatenate([out, [a]], axis=0)\n return out.T\n", "role": "user" }, { "content": "sbessely_array", "role": "assistant" } ]
def x(z, N): b = sbesselj(z, N) vvv = 2.0 * np.array(range(0, N), dtype=np.float64) + 1.0 sm = np.sum(np.sort(vvv * b ** 2)) return np.abs((sm - 1.0) / sm) + np.spacing(1)
sbesselj_sum
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(z, N):\n b = sbesselj(z, N)\n vvv = 2.0 * np.array(range(0, N), dtype=np.float64) + 1.0\n sm = np.sum(np.sort(vvv * b ** 2))\n return np.abs((sm - 1.0) / sm) + np.spacing(1)\n", "role": "user" }, { "content": "sbesselj_sum", "role": "assistant" } ]
def x(dicts): chunks = [args for args in np.array_split(dicts, 20)] results = parallel(_count, chunks, n_jobs=-1) return _count(results)
merge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dicts):\n chunks = [args for args in np.array_split(dicts, 20)]\n results = parallel(_count, chunks, n_jobs=-1)\n return _count(results)\n", "role": "user" }, { "content": "merge", "role": "assistant" } ]
def x(dicts): counts = defaultdict(int) for d in dicts: for k, v in d.items(): counts[k] += v return counts
count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dicts):\n counts = defaultdict(int)\n for d in dicts:\n for k, v in d.items():\n counts[k] += v\n return counts\n", "role": "user" }, { "content": "count", "role": "assistant" } ]
def x(iterable, n): iterable = iter(iterable) while True: yield chain([next(iterable)], islice(iterable, n - 1))
chunks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(iterable, n):\n iterable = iter(iterable)\n while True:\n yield chain([next(iterable)], islice(iterable, n - 1))\n", "role": "user" }, { "content": "chunks", "role": "assistant" } ]
def x(path, chunk_size=50000): with open(path) as f: for i, lines in enumerate(_chunks(f, chunk_size)): file_split = '{}.{}'.format(os.path.basename(path), i) chunk_path = os.path.join('/tmp', file_split) with open(chunk_path, 'w') as f: f.writelines(lines) yield chunk_path
split_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, chunk_size=50000):\n with open(path) as f:\n for i, lines in enumerate(_chunks(f, chunk_size)):\n file_split = '{}.{}'.format(os.path.basename(path), i)\n chunk_path = os.path.join('/tmp', file_split)\n with open(chunk_path, 'w') as f:\n f.writelines(lines)\n yield chunk_path\n", "role": "user" }, { "content": "split_file", "role": "assistant" } ]
def x(path): with open(path, 'r') as f: for line in f: if line.strip(): yield line
doc_stream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n with open(path, 'r') as f:\n for line in f:\n if line.strip():\n yield line\n", "role": "user" }, { "content": "doc_stream", "role": "assistant" } ]
def x(self, line): if not self.is_valid_line(line): logger.warn("Invalid line for %s section: '%s'", self.section_name, line) return self.lines.append(line)
add_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, line):\n if not self.is_valid_line(line):\n logger.warn(\"Invalid line for %s section: '%s'\", self.section_name,\n line)\n return\n self.lines.append(line)\n", "role": "user" }, { "content": "add_line", "role": "assistant" } ]
def x(self, line): adjusted_line = line.strip().lower() return any([adjusted_line.startswith(directive) for directive in directives_by_section[self.section_name]])
is_valid_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, line):\n adjusted_line = line.strip().lower()\n return any([adjusted_line.startswith(directive) for directive in\n directives_by_section[self.section_name]])\n", "role": "user" }, { "content": "is_valid_line", "role": "assistant" } ]
def x(stop_word_file): stop_words = [] for line in open(stop_word_file): if line.strip()[0:1] != '#': for word in line.split(): stop_words.append(word) return stop_words
load_stop_words
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stop_word_file):\n stop_words = []\n for line in open(stop_word_file):\n if line.strip()[0:1] != '#':\n for word in line.split():\n stop_words.append(word)\n return stop_words\n", "role": "user" }, { "content": "load_stop_words", "role": "assistant" } ]
def x(text, min_word_return_size): splitter = re.compile('[^a-zA-Z0-9_\\+\\-/]') words = [] for single_word in splitter.split(text): current_word = single_word.strip().lower() if len(current_word ) > min_word_return_size and current_word != '' and not is_number( current_word): words.append(current_word) return words
separate_words
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, min_word_return_size):\n splitter = re.compile('[^a-zA-Z0-9_\\\\+\\\\-/]')\n words = []\n for single_word in splitter.split(text):\n current_word = single_word.strip().lower()\n if len(current_word\n ) > min_word_return_size and current_word != '' and not is_number(\n current_word):\n words.append(current_word)\n return words\n", "role": "user" }, { "content": "separate_words", "role": "assistant" } ]
def x(text): sentence_delimiters = re.compile(u'[\\[\\]\n.!?,;:\t\\-\\"\\(\\)\\\'’–]') sentences = sentence_delimiters.split(text) return sentences
split_sentences
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n sentence_delimiters = re.compile(u'[\\\\[\\\\]\\n.!?,;:\\t\\\\-\\\\\"\\\\(\\\\)\\\\\\'’–]')\n sentences = sentence_delimiters.split(text)\n return sentences\n", "role": "user" }, { "content": "split_sentences", "role": "assistant" } ]
def x(request, viewname, *args): url = reverse(viewname, PARAMS_URL_CONF, args) params = request.GET.urlencode().split('&') if hasattr(request, 'cparam'): for k, v in request.cparam.items(): params.append('{0}={1}'.format(k, v)) new_params = '&'.join(x for x in params if x != '') if len(new_params) > 0: return HttpResponseRedirect('{0}?{1}'.format(url, new_params)) return HttpResponseRedirect(url)
param_redirect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, viewname, *args):\n url = reverse(viewname, PARAMS_URL_CONF, args)\n params = request.GET.urlencode().split('&')\n if hasattr(request, 'cparam'):\n for k, v in request.cparam.items():\n params.append('{0}={1}'.format(k, v))\n new_params = '&'.join(x for x in params if x != '')\n if len(new_params) > 0:\n return HttpResponseRedirect('{0}?{1}'.format(url, new_params))\n return HttpResponseRedirect(url)\n", "role": "user" }, { "content": "param_redirect", "role": "assistant" } ]
def x(release=None, limit=5): assert 'mysql_user' in env, 'Missing mysqL_user in env' assert 'mysql_password' in env, 'Missing mysql_password in env' assert 'mysql_host' in env, 'Missing mysql_host in env' assert 'mysql_db' in env, 'Missing mysql_db in env' if not release: release = paths.get_current_release_name() max_versions = limit + 1 if not release: return env.run('mkdir -p %s' % paths.get_backup_path('mysql')) backup_file = 'mysql/%s.sql.gz' % release backup_path = paths.get_backup_path(backup_file) env.run('mysqldump -u %s -p%s -h %s %s | gzip -c > %s' % (env. mysql_user, env.mysql_password, env.mysql_host, env.mysql_db, backup_path)) env.run('ls -dt %s/* | tail -n +%s | xargs rm -rf' % (paths. get_backup_path('mysql'), max_versions))
backup_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(release=None, limit=5):\n assert 'mysql_user' in env, 'Missing mysqL_user in env'\n assert 'mysql_password' in env, 'Missing mysql_password in env'\n assert 'mysql_host' in env, 'Missing mysql_host in env'\n assert 'mysql_db' in env, 'Missing mysql_db in env'\n if not release:\n release = paths.get_current_release_name()\n max_versions = limit + 1\n if not release:\n return\n env.run('mkdir -p %s' % paths.get_backup_path('mysql'))\n backup_file = 'mysql/%s.sql.gz' % release\n backup_path = paths.get_backup_path(backup_file)\n env.run('mysqldump -u %s -p%s -h %s %s | gzip -c > %s' % (env.\n mysql_user, env.mysql_password, env.mysql_host, env.mysql_db,\n backup_path))\n env.run('ls -dt %s/* | tail -n +%s | xargs rm -rf' % (paths.\n get_backup_path('mysql'), max_versions))\n", "role": "user" }, { "content": "backup_db", "role": "assistant" } ]
def x(release=None): assert 'mysql_user' in env, 'Missing mysqL_user in env' assert 'mysql_password' in env, 'Missing mysql_password in env' assert 'mysql_host' in env, 'Missing mysql_host in env' assert 'mysql_db' in env, 'Missing mysql_db in env' if not release: release = paths.get_current_release_name() if not release: raise Exception('Release %s was not found' % release) backup_file = 'mysql/%s.sql.gz' % release backup_path = paths.get_backup_path(backup_file) if not env.exists(backup_path): raise Exception('Backup file %s not found' % backup_path) env.run('gunzip < %s | mysql -u %s -p%s -h %s %s' % (backup_path, env. mysql_user, env.mysql_password, env.mysql_host, env.mysql_db))
restore_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(release=None):\n assert 'mysql_user' in env, 'Missing mysqL_user in env'\n assert 'mysql_password' in env, 'Missing mysql_password in env'\n assert 'mysql_host' in env, 'Missing mysql_host in env'\n assert 'mysql_db' in env, 'Missing mysql_db in env'\n if not release:\n release = paths.get_current_release_name()\n if not release:\n raise Exception('Release %s was not found' % release)\n backup_file = 'mysql/%s.sql.gz' % release\n backup_path = paths.get_backup_path(backup_file)\n if not env.exists(backup_path):\n raise Exception('Backup file %s not found' % backup_path)\n env.run('gunzip < %s | mysql -u %s -p%s -h %s %s' % (backup_path, env.\n mysql_user, env.mysql_password, env.mysql_host, env.mysql_db))\n", "role": "user" }, { "content": "restore_db", "role": "assistant" } ]
def x(self, add_colour=True): with self._mutex: if self.kind == self.PERIODIC: result = 'Periodic', ['reset'] elif self.kind == self.EVENT_DRIVEN: result = 'Event-driven', ['reset'] elif self.kind == self.OTHER: result = 'Other', ['reset'] if add_colour: return utils.build_attr_string(result[1], supported=add_colour ) + result[0] + utils.build_attr_string('reset', supported= add_colour) else: return result[0]
kind_as_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, add_colour=True):\n with self._mutex:\n if self.kind == self.PERIODIC:\n result = 'Periodic', ['reset']\n elif self.kind == self.EVENT_DRIVEN:\n result = 'Event-driven', ['reset']\n elif self.kind == self.OTHER:\n result = 'Other', ['reset']\n if add_colour:\n return utils.build_attr_string(result[1], supported=add_colour\n ) + result[0] + utils.build_attr_string('reset', supported=\n add_colour)\n else:\n return result[0]\n", "role": "user" }, { "content": "kind_as_string", "role": "assistant" } ]
def x(self, add_colour=True): with self._mutex: if self.running: result = 'Running', ['bold', 'green'] else: result = 'Stopped', ['reset'] if add_colour: return utils.build_attr_string(result[1], supported=add_colour ) + result[0] + utils.build_attr_string('reset', supported= add_colour) else: return result[0]
running_as_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, add_colour=True):\n with self._mutex:\n if self.running:\n result = 'Running', ['bold', 'green']\n else:\n result = 'Stopped', ['reset']\n if add_colour:\n return utils.build_attr_string(result[1], supported=add_colour\n ) + result[0] + utils.build_attr_string('reset', supported=\n add_colour)\n else:\n return result[0]\n", "role": "user" }, { "content": "running_as_string", "role": "assistant" } ]
def x(self): with self._mutex: kind = self._obj.get_kind() if kind == RTC.PERIODIC: return self.PERIODIC elif kind == RTC.EVENT_DRIVEN: return self.EVENT_DRIVEN else: return self.OTHER
kind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n kind = self._obj.get_kind()\n if kind == RTC.PERIODIC:\n return self.PERIODIC\n elif kind == RTC.EVENT_DRIVEN:\n return self.EVENT_DRIVEN\n else:\n return self.OTHER\n", "role": "user" }, { "content": "kind", "role": "assistant" } ]
def x(self): with self._mutex: if self._owner: return self._owner.get_component_profile().instance_name else: return ''
owner_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n if self._owner:\n return self._owner.get_component_profile().instance_name\n else:\n return ''\n", "role": "user" }, { "content": "owner_name", "role": "assistant" } ]
def x(self): with self._mutex: return [obj.get_component_profile().instance_name for obj in self. _participants]
participant_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n return [obj.get_component_profile().instance_name for obj in self.\n _participants]\n", "role": "user" }, { "content": "participant_names", "role": "assistant" } ]
def x(self, instance): return self.create_manager(instance, self.rating_model._base_manager. __class__)
delete_manager
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, instance):\n return self.create_manager(instance, self.rating_model._base_manager.\n __class__)\n", "role": "user" }, { "content": "delete_manager", "role": "assistant" } ]
def x(self, instance, superclass): rel_model = self.rating_model rated_model = self.rated_model class RelatedManager(superclass): def x(self): qs = RatingsQuerySet(rel_model, rated_model=rated_model) return qs.filter(**self.core_filters) def x(self, *objs): lookup_kwargs = rel_model.lookup_kwargs(instance) for obj in objs: if not isinstance(obj, self.model): raise TypeError("'%s' instance expected" % self.model. _meta.object_name) for k, v in lookup_kwargs.iteritems(): setattr(obj, k, v) obj.save() add.alters_data = True def x(self, **kwargs): kwargs.update(rel_model.lookup_kwargs(instance)) return super(RelatedManager, self).create(**kwargs) create.alters_data = True def x(self, **kwargs): kwargs.update(rel_model.lookup_kwargs(instance)) return super(RelatedManager, self).get_or_create(**kwargs) get_or_create.alters_data = True def x(self, *objs): for obj in objs: if obj in self.all(): obj.delete() else: raise rel_model.DoesNotExist('%r is not related to %r.' % (obj, instance)) remove.alters_data = True def x(self): self.all().delete() clear.alters_data = True def x(self, user, score): rating, created = self.get_or_create(user=user) if created or score != rating.score: rating.score = score rating.save() return rating def x(self, user): return self.filter(user=user, **rel_model.lookup_kwargs(instance) ).delete() def x(self, aggregator): score = self.all().aggregate(agg=aggregator('score')) return score['agg'] def x(self): return self.perform_aggregation(models.Sum) def x(self): return self.perform_aggregation(models.Avg) def x(self): return self.perform_aggregation(models.StdDev) def x(self): return self.perform_aggregation(models.Variance) def x(self): return SimilarItem.objects.get_for_item(instance) manager = RelatedManager() manager.core_filters = rel_model.lookup_kwargs(instance) manager.model = rel_model return manager
create_manager
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, instance, superclass):\n rel_model = self.rating_model\n rated_model = self.rated_model\n\n\n class RelatedManager(superclass):\n\n def x(self):\n qs = RatingsQuerySet(rel_model, rated_model=rated_model)\n return qs.filter(**self.core_filters)\n\n def x(self, *objs):\n lookup_kwargs = rel_model.lookup_kwargs(instance)\n for obj in objs:\n if not isinstance(obj, self.model):\n raise TypeError(\"'%s' instance expected\" % self.model.\n _meta.object_name)\n for k, v in lookup_kwargs.iteritems():\n setattr(obj, k, v)\n obj.save()\n add.alters_data = True\n\n def x(self, **kwargs):\n kwargs.update(rel_model.lookup_kwargs(instance))\n return super(RelatedManager, self).create(**kwargs)\n create.alters_data = True\n\n def x(self, **kwargs):\n kwargs.update(rel_model.lookup_kwargs(instance))\n return super(RelatedManager, self).get_or_create(**kwargs)\n get_or_create.alters_data = True\n\n def x(self, *objs):\n for obj in objs:\n if obj in self.all():\n obj.delete()\n else:\n raise rel_model.DoesNotExist('%r is not related to %r.' %\n (obj, instance))\n remove.alters_data = True\n\n def x(self):\n self.all().delete()\n clear.alters_data = True\n\n def x(self, user, score):\n rating, created = self.get_or_create(user=user)\n if created or score != rating.score:\n rating.score = score\n rating.save()\n return rating\n\n def x(self, user):\n return self.filter(user=user, **rel_model.lookup_kwargs(instance)\n ).delete()\n\n def x(self, aggregator):\n score = self.all().aggregate(agg=aggregator('score'))\n return score['agg']\n\n def x(self):\n return self.perform_aggregation(models.Sum)\n\n def x(self):\n return self.perform_aggregation(models.Avg)\n\n def x(self):\n return self.perform_aggregation(models.StdDev)\n\n def x(self):\n return self.perform_aggregation(models.Variance)\n\n def x(self):\n return SimilarItem.objects.get_for_item(instance)\n manager = RelatedManager()\n manager.core_filters = rel_model.lookup_kwargs(instance)\n manager.model = rel_model\n return manager\n", "role": "user" }, { "content": "create_manager", "role": "assistant" } ]
def x(self, value): result = 0 for i in range(len(value)): result += self.seed * result + ord(value[i]) return (self.capacity - 1) % result
hash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n result = 0\n for i in range(len(value)):\n result += self.seed * result + ord(value[i])\n return (self.capacity - 1) % result\n", "role": "user" }, { "content": "hash", "role": "assistant" } ]
def x(self, data): if not data: return False data = self._compress_by_md5(data) result = True name = self.key + str(int(data[0:2], 16) % self.block_num) for h in self.hash_function: local_hash = h.hash(data) result = result & self.server.getbit(name, local_hash) return result
is_contains
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n if not data:\n return False\n data = self._compress_by_md5(data)\n result = True\n name = self.key + str(int(data[0:2], 16) % self.block_num)\n for h in self.hash_function:\n local_hash = h.hash(data)\n result = result & self.server.getbit(name, local_hash)\n return result\n", "role": "user" }, { "content": "is_contains", "role": "assistant" } ]
def x(self, data): if not data: return data = self._compress_by_md5(data) name = self.key + str(int(data[0:2], 16) % self.block_num) for h in self.hash_function: local_hash = h.hash(data) self.server.setbit(name, local_hash, 1)
insert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n if not data:\n return\n data = self._compress_by_md5(data)\n name = self.key + str(int(data[0:2], 16) % self.block_num)\n for h in self.hash_function:\n local_hash = h.hash(data)\n self.server.setbit(name, local_hash, 1)\n", "role": "user" }, { "content": "insert", "role": "assistant" } ]
def x(self, clusters, version=None): now = datetime.datetime.now() sections = [Section('Auto-generated by Lighthouse (%s)' % now.strftime( '%c'), self.global_stanza, self.defaults_stanza)] meta_stanzas = [MetaFrontendStanza(name, self.meta_clusters[name][ 'port'], self.meta_clusters[name].get('frontend', []), members, self.bind_address) for name, members in six.iteritems(self. get_meta_clusters(clusters))] frontend_stanzas = [FrontendStanza(cluster, self.bind_address) for cluster in clusters if 'port' in cluster.haproxy] backend_stanzas = [BackendStanza(cluster) for cluster in clusters] if version and version >= (1, 5, 0): peers_stanzas = [PeersStanza(cluster) for cluster in clusters] else: peers_stanzas = [] sections.extend([Section('Frontend stanzas for ACL meta clusters', * meta_stanzas), Section('Per-cluster frontend definitions', * frontend_stanzas), Section('Per-cluster backend definitions', * backend_stanzas), Section('Per-cluster peer listings', * peers_stanzas), Section('Individual proxy definitions', *self. proxy_stanzas)]) if self.stats_stanza: sections.append(Section('Listener for stats web interface', self. stats_stanza)) return '\n\n\n'.join([str(section) for section in sections]) + '\n'
generate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, clusters, version=None):\n now = datetime.datetime.now()\n sections = [Section('Auto-generated by Lighthouse (%s)' % now.strftime(\n '%c'), self.global_stanza, self.defaults_stanza)]\n meta_stanzas = [MetaFrontendStanza(name, self.meta_clusters[name][\n 'port'], self.meta_clusters[name].get('frontend', []), members,\n self.bind_address) for name, members in six.iteritems(self.\n get_meta_clusters(clusters))]\n frontend_stanzas = [FrontendStanza(cluster, self.bind_address) for\n cluster in clusters if 'port' in cluster.haproxy]\n backend_stanzas = [BackendStanza(cluster) for cluster in clusters]\n if version and version >= (1, 5, 0):\n peers_stanzas = [PeersStanza(cluster) for cluster in clusters]\n else:\n peers_stanzas = []\n sections.extend([Section('Frontend stanzas for ACL meta clusters', *\n meta_stanzas), Section('Per-cluster frontend definitions', *\n frontend_stanzas), Section('Per-cluster backend definitions', *\n backend_stanzas), Section('Per-cluster peer listings', *\n peers_stanzas), Section('Individual proxy definitions', *self.\n proxy_stanzas)])\n if self.stats_stanza:\n sections.append(Section('Listener for stats web interface', self.\n stats_stanza))\n return '\\n\\n\\n'.join([str(section) for section in sections]) + '\\n'\n", "role": "user" }, { "content": "generate", "role": "assistant" } ]
def x(self, clusters): meta_clusters = collections.defaultdict(list) for cluster in clusters: if not cluster.meta_cluster: continue meta_clusters[cluster.meta_cluster].append(cluster) unconfigured_meta_clusters = [name for name in meta_clusters.keys() if name not in self.meta_clusters] for name in unconfigured_meta_clusters: logger.error('Meta cluster %s not configured!') del meta_clusters[name] return meta_clusters
get_meta_clusters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, clusters):\n meta_clusters = collections.defaultdict(list)\n for cluster in clusters:\n if not cluster.meta_cluster:\n continue\n meta_clusters[cluster.meta_cluster].append(cluster)\n unconfigured_meta_clusters = [name for name in meta_clusters.keys() if \n name not in self.meta_clusters]\n for name in unconfigured_meta_clusters:\n logger.error('Meta cluster %s not configured!')\n del meta_clusters[name]\n return meta_clusters\n", "role": "user" }, { "content": "get_meta_clusters", "role": "assistant" } ]
def x(cls, size, string, filetype='JPEG'): render_size = max(size, GenAvatar.MAX_RENDER_SIZE) image = Image.new('RGB', (render_size, render_size), cls. _background_color(string)) draw = ImageDraw.Draw(image) font = cls._font(render_size) text = cls._text(string) draw.text(cls._text_position(render_size, text, font), text, fill=cls. FONT_COLOR, font=font) stream = BytesIO() image = image.resize((size, size), Image.ANTIALIAS) image.save(stream, format=filetype, optimize=True) return stream
generate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, size, string, filetype='JPEG'):\n render_size = max(size, GenAvatar.MAX_RENDER_SIZE)\n image = Image.new('RGB', (render_size, render_size), cls.\n _background_color(string))\n draw = ImageDraw.Draw(image)\n font = cls._font(render_size)\n text = cls._text(string)\n draw.text(cls._text_position(render_size, text, font), text, fill=cls.\n FONT_COLOR, font=font)\n stream = BytesIO()\n image = image.resize((size, size), Image.ANTIALIAS)\n image.save(stream, format=filetype, optimize=True)\n return stream\n", "role": "user" }, { "content": "generate", "role": "assistant" } ]
def x(s): seed(s) r = v = b = 255 while r + v + b > 255 * 2: r = randint(0, 255) v = randint(0, 255) b = randint(0, 255) return r, v, b
background_color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n seed(s)\n r = v = b = 255\n while r + v + b > 255 * 2:\n r = randint(0, 255)\n v = randint(0, 255)\n b = randint(0, 255)\n return r, v, b\n", "role": "user" }, { "content": "background_color", "role": "assistant" } ]
def x(size): path = os.path.join(os.path.dirname(__file__), 'data', 'wqy-microhei.ttc') return ImageFont.truetype(path, size=int(0.65 * size), index=0)
font
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(size):\n path = os.path.join(os.path.dirname(__file__), 'data', 'wqy-microhei.ttc')\n return ImageFont.truetype(path, size=int(0.65 * size), index=0)\n", "role": "user" }, { "content": "font", "role": "assistant" } ]
def x(size, text, font): width, height = font.getsize(text) left = (size - width) / 2.0 top = (size - height) / 3.0 return left, top
text_position
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(size, text, font):\n width, height = font.getsize(text)\n left = (size - width) / 2.0\n top = (size - height) / 3.0\n return left, top\n", "role": "user" }, { "content": "text_position", "role": "assistant" } ]
def x(self): if self.Death: age = self.Death - self.Born else: age = datetime.date.today() - self.Born return age.days
age
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.Death:\n age = self.Death - self.Born\n else:\n age = datetime.date.today() - self.Born\n return age.days\n", "role": "user" }, { "content": "age", "role": "assistant" } ]
def x(self): try: self.breeding_males.all()[0].Cage if int(self.breeding_males.all()[0].Cage) == int(self.Cage): type = 'resident-breeder' else: type = 'non-resident-breeder' except IndexError: type = 'unknown-breeder' except ValueError: type = 'unknown-breeder' return type
breeding_male_location_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n self.breeding_males.all()[0].Cage\n if int(self.breeding_males.all()[0].Cage) == int(self.Cage):\n type = 'resident-breeder'\n else:\n type = 'non-resident-breeder'\n except IndexError:\n type = 'unknown-breeder'\n except ValueError:\n type = 'unknown-breeder'\n return type\n", "role": "user" }, { "content": "breeding_male_location_type", "role": "assistant" } ]
def x(self): try: self.breeding_females.all()[0].Cage if int(self.breeding_females.all()[0].Cage) == int(self.Cage): type = 'resident-breeder' else: type = 'non-resident-breeder' except IndexError: type = 'unknown-breeder' except ValueError: type = 'unknown-breeder' return type
breeding_female_location_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n self.breeding_females.all()[0].Cage\n if int(self.breeding_females.all()[0].Cage) == int(self.Cage):\n type = 'resident-breeder'\n else:\n type = 'non-resident-breeder'\n except IndexError:\n type = 'unknown-breeder'\n except ValueError:\n type = 'unknown-breeder'\n return type\n", "role": "user" }, { "content": "breeding_female_location_type", "role": "assistant" } ]
def x(self): if self.Death: self.Alive = False super(Animal, self).save()
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.Death:\n self.Alive = False\n super(Animal, self).save()\n", "role": "user" }, { "content": "save", "role": "assistant" } ]
def x(self): if self.End: age = self.End - self.Start else: age = datetime.date.today() - self.Start return age.days
duration
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.End:\n age = self.End - self.Start\n else:\n age = datetime.date.today() - self.Start\n return age.days\n", "role": "user" }, { "content": "duration", "role": "assistant" } ]
def x(self): return Animal.objects.filter(Breeding=self, Weaned__isnull=True, Alive=True )
unweaned
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return Animal.objects.filter(Breeding=self, Weaned__isnull=True, Alive=True\n )\n", "role": "user" }, { "content": "unweaned", "role": "assistant" } ]
def x(self): if int(self.Male.all()[0].Cage) == int(self.Cage): type = 'resident breeder' else: type = 'non-resident breeder' return type
male_breeding_location_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if int(self.Male.all()[0].Cage) == int(self.Cage):\n type = 'resident breeder'\n else:\n type = 'non-resident breeder'\n return type\n", "role": "user" }, { "content": "male_breeding_location_type", "role": "assistant" } ]
def x(self): if self.End: self.Active = False super(Breeding, self).save()
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.End:\n self.Active = False\n super(Breeding, self).save()\n", "role": "user" }, { "content": "save", "role": "assistant" } ]
def x(self, on_add, on_update, on_delete): handler = ConfigFileChangeHandler(self.target_class, on_add, on_update, on_delete) for file_name in os.listdir(self.file_path): if os.path.isdir(os.path.join(self.file_path, file_name)): continue if not self.target_class.config_subdirectory and not (file_name. endswith('.yaml') or file_name.endswith('.yml')): continue handler.on_created(events.FileCreatedEvent(os.path.join(self. file_path, file_name))) observer = observers.Observer() observer.schedule(handler, self.file_path) observer.start() return observer
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, on_add, on_update, on_delete):\n handler = ConfigFileChangeHandler(self.target_class, on_add, on_update,\n on_delete)\n for file_name in os.listdir(self.file_path):\n if os.path.isdir(os.path.join(self.file_path, file_name)):\n continue\n if not self.target_class.config_subdirectory and not (file_name.\n endswith('.yaml') or file_name.endswith('.yml')):\n continue\n handler.on_created(events.FileCreatedEvent(os.path.join(self.\n file_path, file_name)))\n observer = observers.Observer()\n observer.schedule(handler, self.file_path)\n observer.start()\n return observer\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(func): @wraps(func) def x(*args): if MPLINSTALLED == False: raise ImportError(msg) return func(*args) return wrap
matplotlibensure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @wraps(func)\n def x(*args):\n if MPLINSTALLED == False:\n raise ImportError(msg)\n return func(*args)\n return wrap\n", "role": "user" }, { "content": "matplotlibensure", "role": "assistant" } ]
def x(date: datetime.date) ->float: return datetime.datetime(date.year, date.month, date.day, tzinfo= datetime.timezone.utc).timestamp()
to_ts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(date: datetime.date) ->float:\n return datetime.datetime(date.year, date.month, date.day, tzinfo=\n datetime.timezone.utc).timestamp()\n", "role": "user" }, { "content": "to_ts", "role": "assistant" } ]
def x(ts: float) ->datetime.date: return datetime.datetime.fromtimestamp(ts, tz=datetime.timezone.utc).date()
to_date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ts: float) ->datetime.date:\n return datetime.datetime.fromtimestamp(ts, tz=datetime.timezone.utc).date()\n", "role": "user" }, { "content": "to_date", "role": "assistant" } ]
def x(sock, buffer_size=4096): response = '' extra = '' while True: try: chunk = sock.recv(buffer_size) if chunk: response += chunk except socket.error as e: if e.errno not in [errno.EAGAIN, errno.EINTR]: raise if not response: break if '\n' in response: response, extra = response.split('\n', 1) break return response, extra
get_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sock, buffer_size=4096):\n response = ''\n extra = ''\n while True:\n try:\n chunk = sock.recv(buffer_size)\n if chunk:\n response += chunk\n except socket.error as e:\n if e.errno not in [errno.EAGAIN, errno.EINTR]:\n raise\n if not response:\n break\n if '\\n' in response:\n response, extra = response.split('\\n', 1)\n break\n return response, extra\n", "role": "user" }, { "content": "get_response", "role": "assistant" } ]
def x(self, server, filter=[], dynamic=None): if dynamic == None: dynamic = self._dynamic self._parse_name_server(server, filter, dynamic=dynamic)
add_name_server
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, server, filter=[], dynamic=None):\n if dynamic == None:\n dynamic = self._dynamic\n self._parse_name_server(server, filter, dynamic=dynamic)\n", "role": "user" }, { "content": "add_name_server", "role": "assistant" } ]
def x(self, path): node = self.get_node(path) if not node: return False return node.is_component
is_component
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n node = self.get_node(path)\n if not node:\n return False\n return node.is_component\n", "role": "user" }, { "content": "is_component", "role": "assistant" } ]
def x(self, path): node = self.get_node(path) if not node: return False return node.is_directory
is_directory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n node = self.get_node(path)\n if not node:\n return False\n return node.is_directory\n", "role": "user" }, { "content": "is_directory", "role": "assistant" } ]
def x(self, path): node = self.get_node(path) if not node: return False return node.is_manager
is_manager
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n node = self.get_node(path)\n if not node:\n return False\n return node.is_manager\n", "role": "user" }, { "content": "is_manager", "role": "assistant" } ]
def x(self, path): node = self.get_node(path) if not node: return False return node.is_nameserver
is_nameserver
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n node = self.get_node(path)\n if not node:\n return False\n return node.is_nameserver\n", "role": "user" }, { "content": "is_nameserver", "role": "assistant" } ]
def x(self, path): node = self.get_node(path) if not node: return True return node.is_unknown
is_unknown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n node = self.get_node(path)\n if not node:\n return True\n return node.is_unknown\n", "role": "user" }, { "content": "is_unknown", "role": "assistant" } ]
def x(self, path): node = self.get_node(path) if not node: return False return node.is_zombie
is_zombie
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n node = self.get_node(path)\n if not node:\n return False\n return node.is_zombie\n", "role": "user" }, { "content": "is_zombie", "role": "assistant" } ]
def x(self, func, args=None, filter=[]): return self._root.iterate(func, args, filter)
iterate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, func, args=None, filter=[]):\n return self._root.iterate(func, args, filter)\n", "role": "user" }, { "content": "iterate", "role": "assistant" } ]
def x(self, filter=[], dynamic=None): if dynamic == None: dynamic = self._dynamic if NAMESERVERS_ENV_VAR in os.environ: servers = [s for s in os.environ[NAMESERVERS_ENV_VAR].split(';') if s] self._parse_name_servers(servers, filter, dynamic)
load_servers_from_env
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filter=[], dynamic=None):\n if dynamic == None:\n dynamic = self._dynamic\n if NAMESERVERS_ENV_VAR in os.environ:\n servers = [s for s in os.environ[NAMESERVERS_ENV_VAR].split(';') if s]\n self._parse_name_servers(servers, filter, dynamic)\n", "role": "user" }, { "content": "load_servers_from_env", "role": "assistant" } ]
def x(port_obj, owner): profile = port_obj.get_port_profile() props = utils.nvlist_to_dict(profile.properties) if props['port.port_type'] == 'DataInPort': return DataInPort(port_obj, owner) elif props['port.port_type'] == 'DataOutPort': return DataOutPort(port_obj, owner) elif props['port.port_type'] == 'CorbaPort': return CorbaPort(port_obj, owner) else: return Port(port_obj, owner)
parse_port
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(port_obj, owner):\n profile = port_obj.get_port_profile()\n props = utils.nvlist_to_dict(profile.properties)\n if props['port.port_type'] == 'DataInPort':\n return DataInPort(port_obj, owner)\n elif props['port.port_type'] == 'DataOutPort':\n return DataOutPort(port_obj, owner)\n elif props['port.port_type'] == 'CorbaPort':\n return CorbaPort(port_obj, owner)\n else:\n return Port(port_obj, owner)\n", "role": "user" }, { "content": "parse_port", "role": "assistant" } ]
def x(self, dests=[], name=None, id='', props={}): with self._mutex: if self.porttype == 'DataInPort' or self.porttype == 'DataOutPort': for prop in props: if prop in self.properties: if props[prop] not in [x.strip() for x in self. properties[prop].split(',') ] and 'any' not in self.properties[prop].lower(): raise exceptions.IncompatibleDataPortConnectionPropsError for d in dests: if prop in d.properties: if props[prop] not in [x.strip() for x in d. properties[prop].split(',') ] and 'any' not in d.properties[prop].lower(): raise exceptions.IncompatibleDataPortConnectionPropsError if not name: name = self.name + '_'.join([d.name for d in dests]) props = utils.dict_to_nvlist(props) profile = RTC.ConnectorProfile(name, id, [self._obj] + [d._obj for d in dests], props) return_code, profile = self._obj.connect(profile) if return_code != RTC.RTC_OK: raise exceptions.FailedToConnectError(return_code) self.reparse_connections() for d in dests: d.reparse_connections()
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dests=[], name=None, id='', props={}):\n with self._mutex:\n if self.porttype == 'DataInPort' or self.porttype == 'DataOutPort':\n for prop in props:\n if prop in self.properties:\n if props[prop] not in [x.strip() for x in self.\n properties[prop].split(',')\n ] and 'any' not in self.properties[prop].lower():\n raise exceptions.IncompatibleDataPortConnectionPropsError\n for d in dests:\n if prop in d.properties:\n if props[prop] not in [x.strip() for x in d.\n properties[prop].split(',')\n ] and 'any' not in d.properties[prop].lower():\n raise exceptions.IncompatibleDataPortConnectionPropsError\n if not name:\n name = self.name + '_'.join([d.name for d in dests])\n props = utils.dict_to_nvlist(props)\n profile = RTC.ConnectorProfile(name, id, [self._obj] + [d._obj for\n d in dests], props)\n return_code, profile = self._obj.connect(profile)\n if return_code != RTC.RTC_OK:\n raise exceptions.FailedToConnectError(return_code)\n self.reparse_connections()\n for d in dests:\n d.reparse_connections()\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self): with self._mutex: for conn in self.connections: self.object.disconnect(conn.id) self.reparse_connections()
disconnect_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n for conn in self.connections:\n self.object.disconnect(conn.id)\n self.reparse_connections()\n", "role": "user" }, { "content": "disconnect_all", "role": "assistant" } ]
def x(self, dest): with self._mutex: for conn in self.connections: if conn.has_port(self) and conn.has_port(dest): return conn return None
get_connection_by_dest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dest):\n with self._mutex:\n for conn in self.connections:\n if conn.has_port(self) and conn.has_port(dest):\n return conn\n return None\n", "role": "user" }, { "content": "get_connection_by_dest", "role": "assistant" } ]
def x(self, dest): with self._mutex: res = [] for c in self.connections: if c.has_port(self) and c.has_port(dest): res.append(c) return res
get_connections_by_dest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dest):\n with self._mutex:\n res = []\n for c in self.connections:\n if c.has_port(self) and c.has_port(dest):\n res.append(c)\n return res\n", "role": "user" }, { "content": "get_connections_by_dest", "role": "assistant" } ]
def x(self, dests): with self._mutex: res = [] for c in self.connections: if not c.has_port(self): continue has_dest = False for d in dests: if c.has_port(d): has_dest = True break if has_dest: res.append(c) return res
get_connections_by_dests
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dests):\n with self._mutex:\n res = []\n for c in self.connections:\n if not c.has_port(self):\n continue\n has_dest = False\n for d in dests:\n if c.has_port(d):\n has_dest = True\n break\n if has_dest:\n res.append(c)\n return res\n", "role": "user" }, { "content": "get_connections_by_dests", "role": "assistant" } ]
def x(self, id): with self._mutex: for conn in self.connections: if conn.id == id: return conn return None
get_connection_by_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id):\n with self._mutex:\n for conn in self.connections:\n if conn.id == id:\n return conn\n return None\n", "role": "user" }, { "content": "get_connection_by_id", "role": "assistant" } ]
def x(self, name): with self._mutex: for conn in self.connections: if conn.name == name: return conn return None
get_connection_by_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n with self._mutex:\n for conn in self.connections:\n if conn.name == name:\n return conn\n return None\n", "role": "user" }, { "content": "get_connection_by_name", "role": "assistant" } ]
def x(self): with self._mutex: if not self._connections: self._connections = [Connection(cp, self) for cp in self._obj. get_connector_profiles()] return self._connections
connections
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n if not self._connections:\n self._connections = [Connection(cp, self) for cp in self._obj.\n get_connector_profiles()]\n return self._connections\n", "role": "user" }, { "content": "connections", "role": "assistant" } ]
def x(self, dests=[], name=None, id='', props={}): with self._mutex: new_props = props.copy() ptypes = [d.porttype for d in dests] if self.porttype == 'DataInPort': if 'DataOutPort' not in ptypes: raise exceptions.WrongPortTypeError if self.porttype == 'DataOutPort': if 'DataInPort' not in ptypes: raise exceptions.WrongPortTypeError if 'dataport.dataflow_type' not in new_props: new_props['dataport.dataflow_type'] = 'push' if 'dataport.interface_type' not in new_props: new_props['dataport.interface_type'] = 'corba_cdr' if 'dataport.subscription_type' not in new_props: new_props['dataport.subscription_type'] = 'new' if 'dataport.data_type' not in new_props: new_props['dataport.data_type'] = self.properties[ 'dataport.data_type'] super(DataPort, self).connect(dests=dests, name=name, id=id, props= new_props)
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dests=[], name=None, id='', props={}):\n with self._mutex:\n new_props = props.copy()\n ptypes = [d.porttype for d in dests]\n if self.porttype == 'DataInPort':\n if 'DataOutPort' not in ptypes:\n raise exceptions.WrongPortTypeError\n if self.porttype == 'DataOutPort':\n if 'DataInPort' not in ptypes:\n raise exceptions.WrongPortTypeError\n if 'dataport.dataflow_type' not in new_props:\n new_props['dataport.dataflow_type'] = 'push'\n if 'dataport.interface_type' not in new_props:\n new_props['dataport.interface_type'] = 'corba_cdr'\n if 'dataport.subscription_type' not in new_props:\n new_props['dataport.subscription_type'] = 'new'\n if 'dataport.data_type' not in new_props:\n new_props['dataport.data_type'] = self.properties[\n 'dataport.data_type']\n super(DataPort, self).connect(dests=dests, name=name, id=id, props=\n new_props)\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self, dests=None, name=None, id='', props={}): with self._mutex: for d in dests: if not d.porttype == 'CorbaPort': raise exceptions.WrongPortTypeError if self.interfaces: for d in dests: if not d.interfaces: raise exceptions.MismatchedInterfacesError for intf in self.interfaces: for d in dests: match = d.get_interface_by_instance_name(intf.instance_name ) if not match: raise exceptions.MismatchedInterfacesError if intf.polarity == match.polarity: raise exceptions.MismatchedPolarityError else: for d in dests: if d.interfaces: raise exceptions.MismatchedInterfacesError new_props = props.copy() if 'port.port_type' not in new_props: new_props['port.port_type'] = 'CorbaPort' super(CorbaPort, self).connect(dests=dests, name=name, id=id, props =new_props)
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dests=None, name=None, id='', props={}):\n with self._mutex:\n for d in dests:\n if not d.porttype == 'CorbaPort':\n raise exceptions.WrongPortTypeError\n if self.interfaces:\n for d in dests:\n if not d.interfaces:\n raise exceptions.MismatchedInterfacesError\n for intf in self.interfaces:\n for d in dests:\n match = d.get_interface_by_instance_name(intf.instance_name\n )\n if not match:\n raise exceptions.MismatchedInterfacesError\n if intf.polarity == match.polarity:\n raise exceptions.MismatchedPolarityError\n else:\n for d in dests:\n if d.interfaces:\n raise exceptions.MismatchedInterfacesError\n new_props = props.copy()\n if 'port.port_type' not in new_props:\n new_props['port.port_type'] = 'CorbaPort'\n super(CorbaPort, self).connect(dests=dests, name=name, id=id, props\n =new_props)\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self, name): with self._mutex: for intf in self.interfaces: if intf.instance_name == name: return intf return None
get_interface_by_instance_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n with self._mutex:\n for intf in self.interfaces:\n if intf.instance_name == name:\n return intf\n return None\n", "role": "user" }, { "content": "get_interface_by_instance_name", "role": "assistant" } ]
def x(self): with self._mutex: if not self._interfaces: profile = self._obj.get_port_profile() self._interfaces = [SvcInterface(intf) for intf in profile. interfaces] return self._interfaces
interfaces
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n if not self._interfaces:\n profile = self._obj.get_port_profile()\n self._interfaces = [SvcInterface(intf) for intf in profile.\n interfaces]\n return self._interfaces\n", "role": "user" }, { "content": "interfaces", "role": "assistant" } ]
def x(self, add_colour=True): with self._mutex: if self.polarity == self.PROVIDED: result = 'Provided', ['reset'] elif self.polarity == self.REQUIRED: result = 'Required', ['reset'] if add_colour: return utils.build_attr_string(result[1], supported=add_colour ) + result[0] + utils.build_attr_string('reset', supported= add_colour) else: return result[0]
polarity_as_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, add_colour=True):\n with self._mutex:\n if self.polarity == self.PROVIDED:\n result = 'Provided', ['reset']\n elif self.polarity == self.REQUIRED:\n result = 'Required', ['reset']\n if add_colour:\n return utils.build_attr_string(result[1], supported=add_colour\n ) + result[0] + utils.build_attr_string('reset', supported=\n add_colour)\n else:\n return result[0]\n", "role": "user" }, { "content": "polarity_as_string", "role": "assistant" } ]
def x(self): with self._mutex: if not self.ports: raise exceptions.NotConnectedError p = self.ports[0][1] ii = 1 while not p and ii < len(self.ports): p = self.ports[ii][1] ii += 1 if not p: raise exceptions.UnknownConnectionOwnerError p.object.disconnect(self.id)
disconnect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n if not self.ports:\n raise exceptions.NotConnectedError\n p = self.ports[0][1]\n ii = 1\n while not p and ii < len(self.ports):\n p = self.ports[ii][1]\n ii += 1\n if not p:\n raise exceptions.UnknownConnectionOwnerError\n p.object.disconnect(self.id)\n", "role": "user" }, { "content": "disconnect", "role": "assistant" } ]
def x(self, port): with self._mutex: for p in self.ports: if not p[1]: continue if port.object._is_equivalent(p[1].object): return True return False
has_port
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, port):\n with self._mutex:\n for p in self.ports:\n if not p[1]:\n continue\n if port.object._is_equivalent(p[1].object):\n return True\n return False\n", "role": "user" }, { "content": "has_port", "role": "assistant" } ]
def x(self): def x(node, args): if node.get_port_by_ref(args): return node return None with self._mutex: if not self._ports: self._ports = [] for p in self._obj.ports: if self.owner and self.owner.owner: root = self.owner.owner.root owner_nodes = [n for n in root.iterate(has_port, args=p, filter=['is_component']) if n] if not owner_nodes: self._ports.append(('Unknown', None)) else: port_owner = owner_nodes[0] port_owner_path = port_owner.full_path_str port_name = p.get_port_profile().name prefix = port_owner.instance_name + '.' if port_name.startswith(prefix): port_name = port_name[len(prefix):] self._ports.append((port_owner_path + ':' + port_name, parse_port(p, self.owner.owner))) else: self._ports.append((p.get_port_profile().name, parse_port(p, None))) return self._ports
ports
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n def x(node, args):\n if node.get_port_by_ref(args):\n return node\n return None\n with self._mutex:\n if not self._ports:\n self._ports = []\n for p in self._obj.ports:\n if self.owner and self.owner.owner:\n root = self.owner.owner.root\n owner_nodes = [n for n in root.iterate(has_port, args=p,\n filter=['is_component']) if n]\n if not owner_nodes:\n self._ports.append(('Unknown', None))\n else:\n port_owner = owner_nodes[0]\n port_owner_path = port_owner.full_path_str\n port_name = p.get_port_profile().name\n prefix = port_owner.instance_name + '.'\n if port_name.startswith(prefix):\n port_name = port_name[len(prefix):]\n self._ports.append((port_owner_path + ':' +\n port_name, parse_port(p, self.owner.owner)))\n else:\n self._ports.append((p.get_port_profile().name,\n parse_port(p, None)))\n return self._ports\n", "role": "user" }, { "content": "ports", "role": "assistant" } ]
def x(self): if self._analysis is not None: return self._analysis if self.cache_dir is not None: path = os.path.join(self.cache_dir, self.checksum) try: if self.refresh_cache: raise IOError with open(path + '.pickle', 'rb') as pickle_file: self._analysis = pickle.load(pickle_file) except IOError: self._analysis = librosa_analysis.analyze_frames(self. all_as_mono(), self.samplerate) with open(path + '.pickle', 'wb') as pickle_file: pickle.dump(self._analysis, pickle_file, pickle. HIGHEST_PROTOCOL) else: self._analysis = librosa_analysis.analyze_frames(self.all_as_mono(), self.samplerate) return self._analysis
analysis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._analysis is not None:\n return self._analysis\n if self.cache_dir is not None:\n path = os.path.join(self.cache_dir, self.checksum)\n try:\n if self.refresh_cache:\n raise IOError\n with open(path + '.pickle', 'rb') as pickle_file:\n self._analysis = pickle.load(pickle_file)\n except IOError:\n self._analysis = librosa_analysis.analyze_frames(self.\n all_as_mono(), self.samplerate)\n with open(path + '.pickle', 'wb') as pickle_file:\n pickle.dump(self._analysis, pickle_file, pickle.\n HIGHEST_PROTOCOL)\n else:\n self._analysis = librosa_analysis.analyze_frames(self.all_as_mono(),\n self.samplerate)\n return self._analysis\n", "role": "user" }, { "content": "analysis", "role": "assistant" } ]
def x(request, breeding_id): breeding = get_object_or_404(Breeding, pk=breeding_id) PupsFormSet = inlineformset_factory(Breeding, Animal, extra=10, exclude =('Notes', 'Alive', 'Death', 'Cause_of_Death', 'Father', 'Mother', 'Breeding')) if request.method == 'POST': formset = PupsFormSet(request.POST, instance=breeding) if formset.is_valid(): formset.save() return HttpResponseRedirect(breeding.get_absolute_url()) else: formset = PupsFormSet(instance=breeding) return render('breeding_pups.html', {'formset': formset, 'breeding': breeding})
breeding_pups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, breeding_id):\n breeding = get_object_or_404(Breeding, pk=breeding_id)\n PupsFormSet = inlineformset_factory(Breeding, Animal, extra=10, exclude\n =('Notes', 'Alive', 'Death', 'Cause_of_Death', 'Father', 'Mother',\n 'Breeding'))\n if request.method == 'POST':\n formset = PupsFormSet(request.POST, instance=breeding)\n if formset.is_valid():\n formset.save()\n return HttpResponseRedirect(breeding.get_absolute_url())\n else:\n formset = PupsFormSet(instance=breeding)\n return render('breeding_pups.html', {'formset': formset, 'breeding':\n breeding})\n", "role": "user" }, { "content": "breeding_pups", "role": "assistant" } ]
def x(request, breeding_id): breeding = Breeding.objects.select_related().get(id=breeding_id) strain = breeding.Strain PupsFormSet = inlineformset_factory(Breeding, Animal, extra=0, exclude= ('Alive', 'Father', 'Mother', 'Breeding', 'Notes')) if request.method == 'POST': formset = PupsFormSet(request.POST, instance=breeding) if formset.is_valid(): formset.save() return HttpResponseRedirect(breeding.get_absolute_url()) else: formset = PupsFormSet(instance=breeding) return render(request, 'breeding_change.html', {'formset': formset, 'breeding': breeding})
breeding_change
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, breeding_id):\n breeding = Breeding.objects.select_related().get(id=breeding_id)\n strain = breeding.Strain\n PupsFormSet = inlineformset_factory(Breeding, Animal, extra=0, exclude=\n ('Alive', 'Father', 'Mother', 'Breeding', 'Notes'))\n if request.method == 'POST':\n formset = PupsFormSet(request.POST, instance=breeding)\n if formset.is_valid():\n formset.save()\n return HttpResponseRedirect(breeding.get_absolute_url())\n else:\n formset = PupsFormSet(instance=breeding)\n return render(request, 'breeding_change.html', {'formset': formset,\n 'breeding': breeding})\n", "role": "user" }, { "content": "breeding_change", "role": "assistant" } ]
def x(request, breeding_id): breeding = Breeding.objects.get(id=breeding_id) strain = breeding.Strain PupsFormSet = inlineformset_factory(Breeding, Animal, extra=0, exclude= ('Alive', 'Father', 'Mother', 'Breeding', 'Notes', 'Rack', 'Rack_Position', 'Strain', 'Background', 'Genotype', 'Death', 'Cause_of_Death', 'Backcross', 'Generation')) if request.method == 'POST': formset = PupsFormSet(request.POST, instance=breeding, queryset= Animal.objects.filter(Alive=True, Weaned__isnull=True)) if formset.is_valid(): formset.save() return HttpResponseRedirect(breeding.get_absolute_url()) else: formset = PupsFormSet(instance=breeding, queryset=Animal.objects. filter(Alive=True, Weaned__isnull=True)) return render(request, 'breeding_wean.html', {'formset': formset, 'breeding': breeding})
breeding_wean
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, breeding_id):\n breeding = Breeding.objects.get(id=breeding_id)\n strain = breeding.Strain\n PupsFormSet = inlineformset_factory(Breeding, Animal, extra=0, exclude=\n ('Alive', 'Father', 'Mother', 'Breeding', 'Notes', 'Rack',\n 'Rack_Position', 'Strain', 'Background', 'Genotype', 'Death',\n 'Cause_of_Death', 'Backcross', 'Generation'))\n if request.method == 'POST':\n formset = PupsFormSet(request.POST, instance=breeding, queryset=\n Animal.objects.filter(Alive=True, Weaned__isnull=True))\n if formset.is_valid():\n formset.save()\n return HttpResponseRedirect(breeding.get_absolute_url())\n else:\n formset = PupsFormSet(instance=breeding, queryset=Animal.objects.\n filter(Alive=True, Weaned__isnull=True))\n return render(request, 'breeding_wean.html', {'formset': formset,\n 'breeding': breeding})\n", "role": "user" }, { "content": "breeding_wean", "role": "assistant" } ]
def x(request): if request.method == 'POST': form = MultipleAnimalForm(request.POST) if form.is_valid(): count = form.cleaned_data['count'] for i in range(count): animal = Animal(Strain=form.cleaned_data['Strain'], Background=form.cleaned_data['Background'], Breeding= form.cleaned_data['Breeding'], Cage=form.cleaned_data[ 'Cage'], Rack=form.cleaned_data['Rack'], Rack_Position= form.cleaned_data['Rack_Position'], Genotype=form. cleaned_data['Genotype'], Gender=form.cleaned_data[ 'Gender'], Born=form.cleaned_data['Born'], Weaned=form. cleaned_data['Weaned'], Backcross=form.cleaned_data[ 'Backcross'], Generation=form.cleaned_data['Generation' ], Father=form.cleaned_data['Father'], Mother=form. cleaned_data['Mother'], Markings=form.cleaned_data[ 'Markings'], Notes=form.cleaned_data['Notes']) animal.save() return HttpResponseRedirect(reverse('strain-list')) else: form = MultipleAnimalForm() return render(request, 'animal_multiple_form.html', {'form': form})
multiple_pups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n if request.method == 'POST':\n form = MultipleAnimalForm(request.POST)\n if form.is_valid():\n count = form.cleaned_data['count']\n for i in range(count):\n animal = Animal(Strain=form.cleaned_data['Strain'],\n Background=form.cleaned_data['Background'], Breeding=\n form.cleaned_data['Breeding'], Cage=form.cleaned_data[\n 'Cage'], Rack=form.cleaned_data['Rack'], Rack_Position=\n form.cleaned_data['Rack_Position'], Genotype=form.\n cleaned_data['Genotype'], Gender=form.cleaned_data[\n 'Gender'], Born=form.cleaned_data['Born'], Weaned=form.\n cleaned_data['Weaned'], Backcross=form.cleaned_data[\n 'Backcross'], Generation=form.cleaned_data['Generation'\n ], Father=form.cleaned_data['Father'], Mother=form.\n cleaned_data['Mother'], Markings=form.cleaned_data[\n 'Markings'], Notes=form.cleaned_data['Notes'])\n animal.save()\n return HttpResponseRedirect(reverse('strain-list'))\n else:\n form = MultipleAnimalForm()\n return render(request, 'animal_multiple_form.html', {'form': form})\n", "role": "user" }, { "content": "multiple_pups", "role": "assistant" } ]
def x(request, breeding_id): breeding = Breeding.objects.get(id=breeding_id) if request.method == 'POST': form = MultipleBreedingAnimalForm(request.POST) if form.is_valid(): count = form.cleaned_data['count'] for i in range(count): animal = Animal(Strain=breeding.Strain, Background=breeding .background, Breeding=breeding, Cage=breeding.Cage, Rack=breeding.Rack, Rack_Position=breeding. Rack_Position, Genotype=breeding.genotype, Gender=form. cleaned_data['Gender'], Born=form.cleaned_data['Born'], Weaned=form.cleaned_data['Weaned'], Backcross=breeding. backcross, Generation=breeding.generation) animal.save() return HttpResponseRedirect(breeding.get_absolute_url()) else: form = MultipleBreedingAnimalForm() return render(request, 'animal_multiple_form.html', {'form': form, 'breeding': breeding})
multiple_breeding_pups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, breeding_id):\n breeding = Breeding.objects.get(id=breeding_id)\n if request.method == 'POST':\n form = MultipleBreedingAnimalForm(request.POST)\n if form.is_valid():\n count = form.cleaned_data['count']\n for i in range(count):\n animal = Animal(Strain=breeding.Strain, Background=breeding\n .background, Breeding=breeding, Cage=breeding.Cage,\n Rack=breeding.Rack, Rack_Position=breeding.\n Rack_Position, Genotype=breeding.genotype, Gender=form.\n cleaned_data['Gender'], Born=form.cleaned_data['Born'],\n Weaned=form.cleaned_data['Weaned'], Backcross=breeding.\n backcross, Generation=breeding.generation)\n animal.save()\n return HttpResponseRedirect(breeding.get_absolute_url())\n else:\n form = MultipleBreedingAnimalForm()\n return render(request, 'animal_multiple_form.html', {'form': form,\n 'breeding': breeding})\n", "role": "user" }, { "content": "multiple_breeding_pups", "role": "assistant" } ]
def x(request): oldest_animal = Animal.objects.filter(Born__isnull=False).order_by('Born')[ 0] archive_dict = {} tested_year = oldest_animal.Born.year while tested_year <= datetime.date.today().year: archive_dict[tested_year] = Animal.objects.filter(Born__year= tested_year).count() tested_year = tested_year + 1 return render(request, 'animal_archive.html', {'archive_dict': archive_dict})
date_archive_year
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n oldest_animal = Animal.objects.filter(Born__isnull=False).order_by('Born')[\n 0]\n archive_dict = {}\n tested_year = oldest_animal.Born.year\n while tested_year <= datetime.date.today().year:\n archive_dict[tested_year] = Animal.objects.filter(Born__year=\n tested_year).count()\n tested_year = tested_year + 1\n return render(request, 'animal_archive.html', {'archive_dict':\n archive_dict})\n", "role": "user" }, { "content": "date_archive_year", "role": "assistant" } ]
def x(request): eartag_list = Animal.objects.filter(Born__lt=datetime.date.today() - datetime.timedelta(days=settings.WEAN_AGE)).filter(MouseID__isnull= True, Alive=True) genotype_list = Animal.objects.filter(Q(Genotype='N.D.') | Q( Genotype__icontains='?')).filter(Alive=True, Born__lt=datetime.date .today() - datetime.timedelta(days=settings.GENOTYPE_AGE)) wean = datetime.date.today() - datetime.timedelta(days=settings.WEAN_AGE) wean_list = Animal.objects.filter(Born__lt=wean).filter(Weaned=None, Alive=True).exclude(Strain=2).order_by('Strain', 'Background', 'Rack', 'Cage') return render(request, 'todo.html', {'eartag_list': eartag_list, 'wean_list': wean_list, 'genotype_list': genotype_list})
todo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n eartag_list = Animal.objects.filter(Born__lt=datetime.date.today() -\n datetime.timedelta(days=settings.WEAN_AGE)).filter(MouseID__isnull=\n True, Alive=True)\n genotype_list = Animal.objects.filter(Q(Genotype='N.D.') | Q(\n Genotype__icontains='?')).filter(Alive=True, Born__lt=datetime.date\n .today() - datetime.timedelta(days=settings.GENOTYPE_AGE))\n wean = datetime.date.today() - datetime.timedelta(days=settings.WEAN_AGE)\n wean_list = Animal.objects.filter(Born__lt=wean).filter(Weaned=None,\n Alive=True).exclude(Strain=2).order_by('Strain', 'Background',\n 'Rack', 'Cage')\n return render(request, 'todo.html', {'eartag_list': eartag_list,\n 'wean_list': wean_list, 'genotype_list': genotype_list})\n", "role": "user" }, { "content": "todo", "role": "assistant" } ]
def x(self, *args, **kwargs): return super(AnimalList, self).dispatch(*args, **kwargs)
dispatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n return super(AnimalList, self).dispatch(*args, **kwargs)\n", "role": "user" }, { "content": "dispatch", "role": "assistant" } ]
def x(self, **kwargs): context = super(AnimalListAlive, self).get_context_data(**kwargs) context['list_type'] = 'Alive' return context
get_context_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n context = super(AnimalListAlive, self).get_context_data(**kwargs)\n context['list_type'] = 'Alive'\n return context\n", "role": "user" }, { "content": "get_context_data", "role": "assistant" } ]
def x(self, *args, **kwargs): return super(AnimalCreate, self).dispatch(*args, **kwargs)
dispatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n return super(AnimalCreate, self).dispatch(*args, **kwargs)\n", "role": "user" }, { "content": "dispatch", "role": "assistant" } ]
def x(self, *args, **kwargs): return super(AnimalUpdate, self).dispatch(*args, **kwargs)
dispatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n return super(AnimalUpdate, self).dispatch(*args, **kwargs)\n", "role": "user" }, { "content": "dispatch", "role": "assistant" } ]
def x(self, *args, **kwargs): return super(AnimalDelete, self).dispatch(*args, **kwargs)
dispatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n return super(AnimalDelete, self).dispatch(*args, **kwargs)\n", "role": "user" }, { "content": "dispatch", "role": "assistant" } ]
def x(self, **kwargs): context = super(StrainList, self).get_context_data(**kwargs) context['strain_list_alive'] = Strain.objects.filter(animal__Alive=True ).annotate(alive=Count('animal')) context['cages'] = Animal.objects.filter(Alive=True).values('Cage') return context
get_context_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n context = super(StrainList, self).get_context_data(**kwargs)\n context['strain_list_alive'] = Strain.objects.filter(animal__Alive=True\n ).annotate(alive=Count('animal'))\n context['cages'] = Animal.objects.filter(Alive=True).values('Cage')\n return context\n", "role": "user" }, { "content": "get_context_data", "role": "assistant" } ]
def x(self, **kwargs): strain = super(StrainDetail, self).get_object() context = super(StrainDetail, self).get_context_data(**kwargs) context['breeding_cages'] = Breeding.objects.filter(Strain=strain) context['animal_list'] = Animal.objects.filter(Strain=strain).order_by( 'Background', 'Genotype') context['cages'] = Animal.objects.filter(Strain=strain).values('Cage' ).distinct() context['active'] = False return context
get_context_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n strain = super(StrainDetail, self).get_object()\n context = super(StrainDetail, self).get_context_data(**kwargs)\n context['breeding_cages'] = Breeding.objects.filter(Strain=strain)\n context['animal_list'] = Animal.objects.filter(Strain=strain).order_by(\n 'Background', 'Genotype')\n context['cages'] = Animal.objects.filter(Strain=strain).values('Cage'\n ).distinct()\n context['active'] = False\n return context\n", "role": "user" }, { "content": "get_context_data", "role": "assistant" } ]
def x(self, *args, **kwargs): return super(StrainCreate, self).dispatch(*args, **kwargs)
dispatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n return super(StrainCreate, self).dispatch(*args, **kwargs)\n", "role": "user" }, { "content": "dispatch", "role": "assistant" } ]
def x(self, *args, **kwargs): return super(StrainUpdate, self).dispatch(*args, **kwargs)
dispatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n return super(StrainUpdate, self).dispatch(*args, **kwargs)\n", "role": "user" }, { "content": "dispatch", "role": "assistant" } ]