source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(*, header_names, header_prefix='', header=True, sep=',', newline='\n'): if isinstance(header, str): header_line = header + newline elif not (header is None or isinstance(header, bool)): raise ValueError(f'Invalid value for argument `header`: {header}') elif header: header_line = header_prefix + sep.join(header_names) + newline else: header_line = '' return header_line
generate_csv_header_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*, header_names, header_prefix='', header=True, sep=',', newline='\\n'):\n if isinstance(header, str):\n header_line = header + newline\n elif not (header is None or isinstance(header, bool)):\n raise ValueError(f'Invalid value for argument `header`: {header}')\n elif header:\n header_line = header_prefix + sep.join(header_names) + newline\n else:\n header_line = ''\n return header_line\n", "role": "user" }, { "content": "generate_csv_header_line", "role": "assistant" } ]
def x(table_name): pattern = '^(([^.]+)\\.)?(.+)$' m = re.match(pattern, table_name) schema, table_name = m.group(2), m.group(3) return schema, table_name
extract_schema_if_given
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(table_name):\n pattern = '^(([^.]+)\\\\.)?(.+)$'\n m = re.match(pattern, table_name)\n schema, table_name = m.group(2), m.group(3)\n return schema, table_name\n", "role": "user" }, { "content": "extract_schema_if_given", "role": "assistant" } ]
def x(self, fields=None): if isinstance(fields, (list, tuple)): fields = {name: name for name in fields} if fields is None: import attr colnames = list(self.items[0].as_dict().keys()) return pd.DataFrame([attr.astuple(x) for x in self.items], columns= colnames) else: colnames = list(fields.keys()) attr_getters = [attrgetter(attr_name) for attr_name in fields.values()] return pd.DataFrame([tuple(func(x) for func in attr_getters) for x in self.items], columns=colnames)
to_df
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fields=None):\n if isinstance(fields, (list, tuple)):\n fields = {name: name for name in fields}\n if fields is None:\n import attr\n colnames = list(self.items[0].as_dict().keys())\n return pd.DataFrame([attr.astuple(x) for x in self.items], columns=\n colnames)\n else:\n colnames = list(fields.keys())\n attr_getters = [attrgetter(attr_name) for attr_name in fields.values()]\n return pd.DataFrame([tuple(func(x) for func in attr_getters) for x in\n self.items], columns=colnames)\n", "role": "user" }, { "content": "to_df", "role": "assistant" } ]
def x(self, filename=None, *, fields=None, append=False, header=True, header_prefix='', sep=',', newline='\n'): assert isinstance(append, bool) if fields is None: raise NotImplementedError( 'TODO: derive field names automatically from the generator which produced this item list' ) if isinstance(fields, (list, tuple)): fields = {name: name for name in fields} header_line = _generate_csv_header_line(header=header, header_prefix= header_prefix, header_names=fields.keys(), sep=sep, newline=newline) if filename is not None: dirname = os.path.dirname(os.path.abspath(filename)) if not os.path.exists(dirname): os.makedirs(dirname) file_or_string = open(filename, 'a' if append else 'w' ) if filename is not None else io.StringIO() retval = None attr_getters = [attrgetter(attr_name) for attr_name in fields.values()] try: file_or_string.write(header_line) for x in self.items: line = sep.join([format(func(x)) for func in attr_getters] ) + newline file_or_string.write(line) if filename is None: retval = file_or_string.getvalue() finally: file_or_string.close() return retval
to_csv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename=None, *, fields=None, append=False, header=True,\n header_prefix='', sep=',', newline='\\n'):\n assert isinstance(append, bool)\n if fields is None:\n raise NotImplementedError(\n 'TODO: derive field names automatically from the generator which produced this item list'\n )\n if isinstance(fields, (list, tuple)):\n fields = {name: name for name in fields}\n header_line = _generate_csv_header_line(header=header, header_prefix=\n header_prefix, header_names=fields.keys(), sep=sep, newline=newline)\n if filename is not None:\n dirname = os.path.dirname(os.path.abspath(filename))\n if not os.path.exists(dirname):\n os.makedirs(dirname)\n file_or_string = open(filename, 'a' if append else 'w'\n ) if filename is not None else io.StringIO()\n retval = None\n attr_getters = [attrgetter(attr_name) for attr_name in fields.values()]\n try:\n file_or_string.write(header_line)\n for x in self.items:\n line = sep.join([format(func(x)) for func in attr_getters]\n ) + newline\n file_or_string.write(line)\n if filename is None:\n retval = file_or_string.getvalue()\n finally:\n file_or_string.close()\n return retval\n", "role": "user" }, { "content": "to_csv", "role": "assistant" } ]
def x(self, g): try: return self.mapping[g] except KeyError: return g._spawn(self)
spawn_generator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, g):\n try:\n return self.mapping[g]\n except KeyError:\n return g._spawn(self)\n", "role": "user" }, { "content": "spawn_generator", "role": "assistant" } ]
def x(self, spawn_mapping=None): spawn_mapping = spawn_mapping or SpawnMapping() if self.parent is not None: if self.parent in spawn_mapping: return spawn_mapping[self.parent].clone() else: raise TohuCloneError( 'Cannot spawn a cloned generator without being able to map its parent.' ) else: new_obj = spawn_mapping.spawn_generator(self) return new_obj
spawn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, spawn_mapping=None):\n spawn_mapping = spawn_mapping or SpawnMapping()\n if self.parent is not None:\n if self.parent in spawn_mapping:\n return spawn_mapping[self.parent].clone()\n else:\n raise TohuCloneError(\n 'Cannot spawn a cloned generator without being able to map its parent.'\n )\n else:\n new_obj = spawn_mapping.spawn_generator(self)\n return new_obj\n", "role": "user" }, { "content": "spawn", "role": "assistant" } ]
def x(self, spawn_mapping=None): c = self.spawn(spawn_mapping) self.register_clone(c) c.register_parent(self) return c
clone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, spawn_mapping=None):\n c = self.spawn(spawn_mapping)\n self.register_clone(c)\n c.register_parent(self)\n return c\n", "role": "user" }, { "content": "clone", "role": "assistant" } ]
def x(self): for arg_gen in self.arg_gens: yield arg_gen for kwarg_gen in self.kwarg_gens.values(): yield kwarg_gen
all_generators
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for arg_gen in self.arg_gens:\n yield arg_gen\n for kwarg_gen in self.kwarg_gens.values():\n yield kwarg_gen\n", "role": "user" }, { "content": "all_generators", "role": "assistant" } ]
def x(g, *, maxbuffer=10, tuple_len=None): if tuple_len is None: try: tuple_len = g.tuple_len except AttributeError: raise ValueError( "Argument 'tuple_len' must be given since generator is not of type TupleGenerator." ) g_buffered = BufferedTuple(g, maxbuffer=maxbuffer, tuple_len=tuple_len) return tuple(NthElementBuffered(g_buffered, i) for i in range(tuple_len))
Split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(g, *, maxbuffer=10, tuple_len=None):\n if tuple_len is None:\n try:\n tuple_len = g.tuple_len\n except AttributeError:\n raise ValueError(\n \"Argument 'tuple_len' must be given since generator is not of type TupleGenerator.\"\n )\n g_buffered = BufferedTuple(g, maxbuffer=maxbuffer, tuple_len=tuple_len)\n return tuple(NthElementBuffered(g_buffered, i) for i in range(tuple_len))\n", "role": "user" }, { "content": "Split", "role": "assistant" } ]
def x(self): try: return self._tuple_len except AttributeError: raise NotImplementedError( "Class {} does not implement attribute 'tuple_len'.".format( self.__class__.__name__))
tuple_len
[ { "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 return self._tuple_len\n except AttributeError:\n raise NotImplementedError(\n \"Class {} does not implement attribute 'tuple_len'.\".format(\n self.__class__.__name__))\n", "role": "user" }, { "content": "tuple_len", "role": "assistant" } ]
def x(): cursor = CONN.cursor() query = ( "select fau_id, fault from surfaults where fau_is_valid = 'y' order by fau_id asc" ) cursor.execute(query) result = cursor.fetchall() return result
show_faults
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n cursor = CONN.cursor()\n query = (\n \"select fau_id, fault from surfaults where fau_is_valid = 'y' order by fau_id asc\"\n )\n cursor.execute(query)\n result = cursor.fetchall()\n return result\n", "role": "user" }, { "content": "show_faults", "role": "assistant" } ]
def x(): cursor = CONN.cursor() query = ( "select sen_id, sentence from sursentences where sen_is_valid = 'y' order by sen_id asc" ) cursor.execute(query) result = cursor.fetchall() response_dict = {} for row in result: response_dict[row[0]] = row[1] return response_dict
show_sentences
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n cursor = CONN.cursor()\n query = (\n \"select sen_id, sentence from sursentences where sen_is_valid = 'y' order by sen_id asc\"\n )\n cursor.execute(query)\n result = cursor.fetchall()\n response_dict = {}\n for row in result:\n response_dict[row[0]] = row[1]\n return response_dict\n", "role": "user" }, { "content": "show_sentences", "role": "assistant" } ]
def x(fault_id=None): counts = __get_table_limits() result = None id_ = 0 try: if isinstance(fault_id, int): id_ = fault_id elif isinstance(fault_id, float): print( """ValueError: Floating point number detected. Rounding number to 0 decimal places.""" ) id_ = round(fault_id) else: id_ = random.randint(1, counts['max_fau']) except ValueError: print('ValueError: Incorrect parameter type detected.') if id_ <= counts['max_fau']: fault = __get_fault(counts, fault_id=id_) else: print( """ValueError: Parameter integer is too high. Maximum permitted value is {0}.""" .format(str(counts['max_fau']))) id_ = counts['max_fau'] fault = __get_fault(counts, fault_id=id_) if fault is not None: while fault[0] == 'n': if id_ is not None: fault = __get_fault(counts, None) else: fault = __get_fault(counts, id_) if fault[0] == 'y': result = __process_sentence(fault, counts) return result else: print('ValueError: _fault cannot be None.')
get_fault
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fault_id=None):\n counts = __get_table_limits()\n result = None\n id_ = 0\n try:\n if isinstance(fault_id, int):\n id_ = fault_id\n elif isinstance(fault_id, float):\n print(\n \"\"\"ValueError: Floating point number detected.\n Rounding number to 0 decimal places.\"\"\"\n )\n id_ = round(fault_id)\n else:\n id_ = random.randint(1, counts['max_fau'])\n except ValueError:\n print('ValueError: Incorrect parameter type detected.')\n if id_ <= counts['max_fau']:\n fault = __get_fault(counts, fault_id=id_)\n else:\n print(\n \"\"\"ValueError: Parameter integer is too high.\n Maximum permitted value is {0}.\"\"\"\n .format(str(counts['max_fau'])))\n id_ = counts['max_fau']\n fault = __get_fault(counts, fault_id=id_)\n if fault is not None:\n while fault[0] == 'n':\n if id_ is not None:\n fault = __get_fault(counts, None)\n else:\n fault = __get_fault(counts, id_)\n if fault[0] == 'y':\n result = __process_sentence(fault, counts)\n return result\n else:\n print('ValueError: _fault cannot be None.')\n", "role": "user" }, { "content": "get_fault", "role": "assistant" } ]
def x(sentence_id=None): counts = __get_table_limits() result = None id_ = 0 try: if isinstance(sentence_id, int): id_ = sentence_id elif isinstance(sentence_id, float): print( """ValueError: Floating point number detected. Rounding number to 0 decimal places.""" ) id_ = round(sentence_id) else: id_ = random.randint(1, counts['max_sen']) except ValueError: print('ValueError: Incorrect parameter type detected.') if id_ <= counts['max_sen']: sentence = __get_sentence(counts, sentence_id=id_) else: print( """ValueError: Parameter integer is too high. Maximum permitted value is {0}.""" .format(str(counts['max_sen']))) id_ = counts['max_sen'] sentence = __get_sentence(counts, sentence_id=id_) if sentence is not None: while sentence[0] == 'n': if id_ is not None: sentence = __get_sentence(counts, None) else: sentence = __get_sentence(counts, id_) if sentence[0] == 'y': result = __process_sentence(sentence, counts) return result else: print('ValueError: _sentence cannot be None.')
get_sentence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sentence_id=None):\n counts = __get_table_limits()\n result = None\n id_ = 0\n try:\n if isinstance(sentence_id, int):\n id_ = sentence_id\n elif isinstance(sentence_id, float):\n print(\n \"\"\"ValueError: Floating point number detected.\n Rounding number to 0 decimal places.\"\"\"\n )\n id_ = round(sentence_id)\n else:\n id_ = random.randint(1, counts['max_sen'])\n except ValueError:\n print('ValueError: Incorrect parameter type detected.')\n if id_ <= counts['max_sen']:\n sentence = __get_sentence(counts, sentence_id=id_)\n else:\n print(\n \"\"\"ValueError: Parameter integer is too high.\n Maximum permitted value is {0}.\"\"\"\n .format(str(counts['max_sen'])))\n id_ = counts['max_sen']\n sentence = __get_sentence(counts, sentence_id=id_)\n if sentence is not None:\n while sentence[0] == 'n':\n if id_ is not None:\n sentence = __get_sentence(counts, None)\n else:\n sentence = __get_sentence(counts, id_)\n if sentence[0] == 'y':\n result = __process_sentence(sentence, counts)\n return result\n else:\n print('ValueError: _sentence cannot be None.')\n", "role": "user" }, { "content": "get_sentence", "role": "assistant" } ]
def x(counts, sentence_id=None): cursor = CONN.cursor() check_query = 'select sen_id from sursentences' cursor.execute(check_query) check_result = cursor.fetchall() id_list = [] id_to_fetch = None for row in check_result: id_list.append(row[0]) if sentence_id is not None: if type(sentence_id) is int: id_to_fetch = sentence_id else: id_to_fetch = random.randint(1, counts['max_sen']) while id_to_fetch not in id_list: id_to_fetch = random.randint(1, counts['max_sen']) query = 'select * from sursentences where sen_id = {0}'.format(id_to_fetch) cursor.execute(query) result = cursor.fetchone() return result
get_sentence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(counts, sentence_id=None):\n cursor = CONN.cursor()\n check_query = 'select sen_id from sursentences'\n cursor.execute(check_query)\n check_result = cursor.fetchall()\n id_list = []\n id_to_fetch = None\n for row in check_result:\n id_list.append(row[0])\n if sentence_id is not None:\n if type(sentence_id) is int:\n id_to_fetch = sentence_id\n else:\n id_to_fetch = random.randint(1, counts['max_sen'])\n while id_to_fetch not in id_list:\n id_to_fetch = random.randint(1, counts['max_sen'])\n query = 'select * from sursentences where sen_id = {0}'.format(id_to_fetch)\n cursor.execute(query)\n result = cursor.fetchone()\n return result\n", "role": "user" }, { "content": "get_sentence", "role": "assistant" } ]
def x(counts): cursor = CONN.cursor() check_query = 'select verb_id from surverbs' cursor.execute(check_query) check_result = cursor.fetchall() id_list = [] for row in check_result: id_list.append(row[0]) rand = random.randint(1, counts['max_verb']) while rand not in id_list: rand = random.randint(1, counts['max_verb']) query = 'select * from surverbs where verb_id = {0}'.format(rand) cursor.execute(query) result = cursor.fetchone() return result[1]
get_verb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(counts):\n cursor = CONN.cursor()\n check_query = 'select verb_id from surverbs'\n cursor.execute(check_query)\n check_result = cursor.fetchall()\n id_list = []\n for row in check_result:\n id_list.append(row[0])\n rand = random.randint(1, counts['max_verb'])\n while rand not in id_list:\n rand = random.randint(1, counts['max_verb'])\n query = 'select * from surverbs where verb_id = {0}'.format(rand)\n cursor.execute(query)\n result = cursor.fetchone()\n return result[1]\n", "role": "user" }, { "content": "get_verb", "role": "assistant" } ]
def x(): table_counts = {'max_adjectives': None, 'max_names': None, 'max_nouns': None, 'max_sentences': None, 'max_faults': None, 'max_verbs': None} cursor = CONN.cursor() cursor.execute('SELECT count(*) FROM suradjs') table_counts['max_adjectives'] = cursor.fetchone() table_counts['max_adjectives'] = table_counts['max_adjectives'][0] cursor.execute('SELECT count(*) FROM surnames') table_counts['max_names'] = cursor.fetchone() table_counts['max_names'] = table_counts['max_names'][0] cursor.execute('SELECT count(*) FROM surnouns') table_counts['max_nouns'] = cursor.fetchone() table_counts['max_nouns'] = table_counts['max_nouns'][0] cursor.execute('SELECT count(*) FROM sursentences') table_counts['max_sen'] = cursor.fetchone() table_counts['max_sen'] = table_counts['max_sen'][0] cursor.execute('SELECT count(*) FROM surfaults') table_counts['max_fau'] = cursor.fetchone() table_counts['max_fau'] = table_counts['max_fau'][0] cursor.execute('SELECT count(*) FROM surverbs') table_counts['max_verb'] = cursor.fetchone() table_counts['max_verb'] = table_counts['max_verb'][0] return table_counts
get_table_limits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n table_counts = {'max_adjectives': None, 'max_names': None, 'max_nouns':\n None, 'max_sentences': None, 'max_faults': None, 'max_verbs': None}\n cursor = CONN.cursor()\n cursor.execute('SELECT count(*) FROM suradjs')\n table_counts['max_adjectives'] = cursor.fetchone()\n table_counts['max_adjectives'] = table_counts['max_adjectives'][0]\n cursor.execute('SELECT count(*) FROM surnames')\n table_counts['max_names'] = cursor.fetchone()\n table_counts['max_names'] = table_counts['max_names'][0]\n cursor.execute('SELECT count(*) FROM surnouns')\n table_counts['max_nouns'] = cursor.fetchone()\n table_counts['max_nouns'] = table_counts['max_nouns'][0]\n cursor.execute('SELECT count(*) FROM sursentences')\n table_counts['max_sen'] = cursor.fetchone()\n table_counts['max_sen'] = table_counts['max_sen'][0]\n cursor.execute('SELECT count(*) FROM surfaults')\n table_counts['max_fau'] = cursor.fetchone()\n table_counts['max_fau'] = table_counts['max_fau'][0]\n cursor.execute('SELECT count(*) FROM surverbs')\n table_counts['max_verb'] = cursor.fetchone()\n table_counts['max_verb'] = table_counts['max_verb'][0]\n return table_counts\n", "role": "user" }, { "content": "get_table_limits", "role": "assistant" } ]
def x(sentence_tuple, counts): sentence = sentence_tuple[2] sentence = __replace_verbs(sentence, counts) sentence = __replace_nouns(sentence, counts) sentence = ___replace_adjective_maybe(sentence, counts) sentence = __replace_adjective(sentence, counts) sentence = __replace_names(sentence, counts) sentence = __replace_an(sentence) sentence = __replace_repeat(sentence) sentence = __replace_random(sentence) sentence = __replace_capitalise(sentence) sentence = __replace_capall(sentence) sentence = __check_spaces(sentence) return sentence
process_sentence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sentence_tuple, counts):\n sentence = sentence_tuple[2]\n sentence = __replace_verbs(sentence, counts)\n sentence = __replace_nouns(sentence, counts)\n sentence = ___replace_adjective_maybe(sentence, counts)\n sentence = __replace_adjective(sentence, counts)\n sentence = __replace_names(sentence, counts)\n sentence = __replace_an(sentence)\n sentence = __replace_repeat(sentence)\n sentence = __replace_random(sentence)\n sentence = __replace_capitalise(sentence)\n sentence = __replace_capall(sentence)\n sentence = __check_spaces(sentence)\n return sentence\n", "role": "user" }, { "content": "process_sentence", "role": "assistant" } ]
def x(sentence, counts): if sentence is not None: while sentence.find('#VERB') != -1: sentence = sentence.replace('#VERB', str(__get_verb(counts)), 1) if sentence.find('#VERB') == -1: return sentence return sentence else: return sentence
replace_verbs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sentence, counts):\n if sentence is not None:\n while sentence.find('#VERB') != -1:\n sentence = sentence.replace('#VERB', str(__get_verb(counts)), 1)\n if sentence.find('#VERB') == -1:\n return sentence\n return sentence\n else:\n return sentence\n", "role": "user" }, { "content": "replace_verbs", "role": "assistant" } ]
def x(sentence, counts): if sentence is not None: while sentence.find('#NOUN') != -1: sentence = sentence.replace('#NOUN', str(__get_noun(counts)), 1) if sentence.find('#NOUN') == -1: return sentence return sentence else: return sentence
replace_nouns
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sentence, counts):\n if sentence is not None:\n while sentence.find('#NOUN') != -1:\n sentence = sentence.replace('#NOUN', str(__get_noun(counts)), 1)\n if sentence.find('#NOUN') == -1:\n return sentence\n return sentence\n else:\n return sentence\n", "role": "user" }, { "content": "replace_nouns", "role": "assistant" } ]
def x(sentence, counts): random_decision = random.randint(0, 1) if sentence is not None: while sentence.find('#ADJECTIVE_MAYBE') != -1: if random_decision % 2 == 0: sentence = sentence.replace('#ADJECTIVE_MAYBE', ' ' + str( __get_adjective(counts)), 1) elif random_decision % 2 != 0: sentence = sentence.replace('#ADJECTIVE_MAYBE', '', 1) if sentence.find('#ADJECTIVE_MAYBE') == -1: return sentence return sentence else: return sentence
replace_adjective_maybe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sentence, counts):\n random_decision = random.randint(0, 1)\n if sentence is not None:\n while sentence.find('#ADJECTIVE_MAYBE') != -1:\n if random_decision % 2 == 0:\n sentence = sentence.replace('#ADJECTIVE_MAYBE', ' ' + str(\n __get_adjective(counts)), 1)\n elif random_decision % 2 != 0:\n sentence = sentence.replace('#ADJECTIVE_MAYBE', '', 1)\n if sentence.find('#ADJECTIVE_MAYBE') == -1:\n return sentence\n return sentence\n else:\n return sentence\n", "role": "user" }, { "content": "replace_adjective_maybe", "role": "assistant" } ]
def x(sentence, counts): if sentence is not None: while sentence.find('#ADJECTIVE') != -1: sentence = sentence.replace('#ADJECTIVE', str(__get_adjective( counts)), 1) if sentence.find('#ADJECTIVE') == -1: return sentence return sentence else: return sentence
replace_adjective
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sentence, counts):\n if sentence is not None:\n while sentence.find('#ADJECTIVE') != -1:\n sentence = sentence.replace('#ADJECTIVE', str(__get_adjective(\n counts)), 1)\n if sentence.find('#ADJECTIVE') == -1:\n return sentence\n return sentence\n else:\n return sentence\n", "role": "user" }, { "content": "replace_adjective", "role": "assistant" } ]
def x(sentence, counts): if sentence is not None: while sentence.find('#NAME') != -1: sentence = sentence.replace('#NAME', str(__get_name(counts)), 1) if sentence.find('#NAME') == -1: return sentence return sentence else: return sentence
replace_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sentence, counts):\n if sentence is not None:\n while sentence.find('#NAME') != -1:\n sentence = sentence.replace('#NAME', str(__get_name(counts)), 1)\n if sentence.find('#NAME') == -1:\n return sentence\n return sentence\n else:\n return sentence\n", "role": "user" }, { "content": "replace_names", "role": "assistant" } ]
def x(sentence): if sentence is not None: while sentence.find('#AN') != -1: an_index = sentence.find('#AN') if an_index > -1: an_index += 4 if sentence[an_index] in 'aeiouAEIOU': sentence = sentence.replace('#AN', str('an'), 1) else: sentence = sentence.replace('#AN', str('a'), 1) if sentence.find('#AN') == -1: return sentence return sentence else: return sentence
replace_an
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sentence):\n if sentence is not None:\n while sentence.find('#AN') != -1:\n an_index = sentence.find('#AN')\n if an_index > -1:\n an_index += 4\n if sentence[an_index] in 'aeiouAEIOU':\n sentence = sentence.replace('#AN', str('an'), 1)\n else:\n sentence = sentence.replace('#AN', str('a'), 1)\n if sentence.find('#AN') == -1:\n return sentence\n return sentence\n else:\n return sentence\n", "role": "user" }, { "content": "replace_an", "role": "assistant" } ]
def x(sentence): sub_list = None choice = None if sentence is not None: while sentence.find('#RANDOM') != -1: random_index = sentence.find('#RANDOM') start_index = sentence.find('#RANDOM') + 8 end_index = sentence.find(']') if sentence.find('#RANDOM') is not None: sub_list = sentence[start_index:end_index].split(',') choice = random.randint(1, int(sub_list[0])) to_be_replaced = sentence[random_index:end_index + 1] sentence = sentence.replace(to_be_replaced, sub_list[choice], 1) if sentence.find('#RANDOM') == -1: return sentence return sentence else: return sentence
replace_random
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sentence):\n sub_list = None\n choice = None\n if sentence is not None:\n while sentence.find('#RANDOM') != -1:\n random_index = sentence.find('#RANDOM')\n start_index = sentence.find('#RANDOM') + 8\n end_index = sentence.find(']')\n if sentence.find('#RANDOM') is not None:\n sub_list = sentence[start_index:end_index].split(',')\n choice = random.randint(1, int(sub_list[0]))\n to_be_replaced = sentence[random_index:end_index + 1]\n sentence = sentence.replace(to_be_replaced, sub_list[choice], 1)\n if sentence.find('#RANDOM') == -1:\n return sentence\n return sentence\n else:\n return sentence\n", "role": "user" }, { "content": "replace_random", "role": "assistant" } ]
def x(sentence): repeat_dict = {} if sentence is not None: while sentence.find('#DEFINE_REPEAT') != -1: begin_index = sentence.find('#DEFINE_REPEAT') start_index = begin_index + 15 end_index = sentence.find(']') if sentence.find('#DEFINE_REPEAT') is not None: sub_list = sentence[start_index:end_index].split(',') choice = sub_list[0] repeat_text = sub_list[1] repeat_dict[choice] = repeat_text sentence = sentence.replace(sentence[begin_index:end_index + 1], '', 1) while sentence.find('#REPEAT') != -1: if sentence.find('#REPEAT') is not None: repeat_begin_index = sentence.find('#REPEAT') repeat_start_index = repeat_begin_index + 8 repeat_end_index = sentence.find(']', repeat_start_index) repeat_index = sentence[repeat_start_index:repeat_end_index] if repeat_index in repeat_dict: sentence = sentence.replace(sentence[repeat_begin_index :repeat_end_index + 1], str(repeat_dict[repeat_index])) if sentence.find('#REPEAT') == -1: return sentence return sentence else: return sentence
replace_repeat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sentence):\n repeat_dict = {}\n if sentence is not None:\n while sentence.find('#DEFINE_REPEAT') != -1:\n begin_index = sentence.find('#DEFINE_REPEAT')\n start_index = begin_index + 15\n end_index = sentence.find(']')\n if sentence.find('#DEFINE_REPEAT') is not None:\n sub_list = sentence[start_index:end_index].split(',')\n choice = sub_list[0]\n repeat_text = sub_list[1]\n repeat_dict[choice] = repeat_text\n sentence = sentence.replace(sentence[begin_index:end_index +\n 1], '', 1)\n while sentence.find('#REPEAT') != -1:\n if sentence.find('#REPEAT') is not None:\n repeat_begin_index = sentence.find('#REPEAT')\n repeat_start_index = repeat_begin_index + 8\n repeat_end_index = sentence.find(']', repeat_start_index)\n repeat_index = sentence[repeat_start_index:repeat_end_index]\n if repeat_index in repeat_dict:\n sentence = sentence.replace(sentence[repeat_begin_index\n :repeat_end_index + 1], str(repeat_dict[repeat_index]))\n if sentence.find('#REPEAT') == -1:\n return sentence\n return sentence\n else:\n return sentence\n", "role": "user" }, { "content": "replace_repeat", "role": "assistant" } ]
def x(sentence): if sentence is not None: while sentence.find('#CAPITALISE') != -1: cap_index = _sentence.find('#CAPITALISE') part1 = sentence[:cap_index] part2 = sentence[cap_index + 12:cap_index + 13] part3 = sentence[cap_index + 13:] if part2 in 'abcdefghijklmnopqrstuvwxyz': sentence = part1 + part2.capitalize() + part3 else: sentence = part1 + part2 + part3 if sentence.find('#CAPITALISE') == -1: return sentence else: return sentence
replace_capitalise
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sentence):\n if sentence is not None:\n while sentence.find('#CAPITALISE') != -1:\n cap_index = _sentence.find('#CAPITALISE')\n part1 = sentence[:cap_index]\n part2 = sentence[cap_index + 12:cap_index + 13]\n part3 = sentence[cap_index + 13:]\n if part2 in 'abcdefghijklmnopqrstuvwxyz':\n sentence = part1 + part2.capitalize() + part3\n else:\n sentence = part1 + part2 + part3\n if sentence.find('#CAPITALISE') == -1:\n return sentence\n else:\n return sentence\n", "role": "user" }, { "content": "replace_capitalise", "role": "assistant" } ]
def x(sentence): if sentence is not None: while sentence.find('#CAPALL') != -1: sentence = sentence.upper() sentence = sentence.replace('#CAPALL ', '', 1) if sentence.find('#CAPALL') == -1: return sentence else: return sentence
replace_capall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sentence):\n if sentence is not None:\n while sentence.find('#CAPALL') != -1:\n sentence = sentence.upper()\n sentence = sentence.replace('#CAPALL ', '', 1)\n if sentence.find('#CAPALL') == -1:\n return sentence\n else:\n return sentence\n", "role": "user" }, { "content": "replace_capall", "role": "assistant" } ]
def x(sentence): if sentence is not None: words = sentence.split() new_sentence = '' for i, word in enumerate(words): if word[-1] in set('.!?'): word += ' ' new_word = ''.join(word) new_sentence += ' ' + new_word new_sentence = new_sentence.strip() return new_sentence
check_spaces
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sentence):\n if sentence is not None:\n words = sentence.split()\n new_sentence = ''\n for i, word in enumerate(words):\n if word[-1] in set('.!?'):\n word += ' '\n new_word = ''.join(word)\n new_sentence += ' ' + new_word\n new_sentence = new_sentence.strip()\n return new_sentence\n", "role": "user" }, { "content": "check_spaces", "role": "assistant" } ]
def x(df, colname_new, colname_old): s = df[colname_old].apply(pd.Series).stack() s.name = colname_new return s
make_exploded_column
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(df, colname_new, colname_old):\n s = df[colname_old].apply(pd.Series).stack()\n s.name = colname_new\n return s\n", "role": "user" }, { "content": "make_exploded_column", "role": "assistant" } ]
def x(df, colnames): if isinstance(colnames, (list, tuple)): colnames = {name: name for name in colnames} remaining_columns = list(df.columns.difference(colnames.values())) df2 = df.set_index(remaining_columns) df3 = pd.concat((make_exploded_column(df2, col_new, col_old) for col_new, col_old in colnames.items()), axis=1) levels_to_reset = list(range(len(remaining_columns))) df4 = df3.reset_index(level=levels_to_reset).reset_index(drop=True) return df4
explode_columns
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(df, colnames):\n if isinstance(colnames, (list, tuple)):\n colnames = {name: name for name in colnames}\n remaining_columns = list(df.columns.difference(colnames.values()))\n df2 = df.set_index(remaining_columns)\n df3 = pd.concat((make_exploded_column(df2, col_new, col_old) for \n col_new, col_old in colnames.items()), axis=1)\n levels_to_reset = list(range(len(remaining_columns)))\n df4 = df3.reset_index(level=levels_to_reset).reset_index(drop=True)\n return df4\n", "role": "user" }, { "content": "explode_columns", "role": "assistant" } ]
def x(gen, num, *, sep=', ', fmt='', seed=None): if seed: gen.reset(seed) elems = [format(next(gen), fmt) for _ in range(num)] sep_initial = '\n\n' if '\n' in sep else ' ' print('Generated sequence:{}{}'.format(sep_initial, sep.join(elems)))
print_generated_sequence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gen, num, *, sep=', ', fmt='', seed=None):\n if seed:\n gen.reset(seed)\n elems = [format(next(gen), fmt) for _ in range(num)]\n sep_initial = '\\n\\n' if '\\n' in sep else ' '\n print('Generated sequence:{}{}'.format(sep_initial, sep.join(elems)))\n", "role": "user" }, { "content": "print_generated_sequence", "role": "assistant" } ]
def x(chars='abcde'): Quux = namedtuple('Quux', ['x', 'y']) some_tuples = [Quux((c * 2).upper(), c * 2) for c in chars] return some_tuples
make_dummy_tuples
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(chars='abcde'):\n Quux = namedtuple('Quux', ['x', 'y'])\n some_tuples = [Quux((c * 2).upper(), c * 2) for c in chars]\n return some_tuples\n", "role": "user" }, { "content": "make_dummy_tuples", "role": "assistant" } ]
def x(x): error_msg = f'Cannot convert input to date object: {x} (type: {type(x)})' if isinstance(x, dt.date): if isinstance(x, pd.Timestamp): if x.freq != 'D': raise TohuDateError( "Pandas Timestamp must have freq='D' set. Got: freq={x.freq!r}" ) elif pd.Timestamp(x.date()) == x: return x.date() else: raise TohuDateError(error_msg) elif isinstance(x, dt.datetime): raise TohuDateError(error_msg) else: return x elif isinstance(x, str): return parse_date_string(x) else: raise TohuDateError(error_msg)
ensure_is_date_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x):\n error_msg = f'Cannot convert input to date object: {x} (type: {type(x)})'\n if isinstance(x, dt.date):\n if isinstance(x, pd.Timestamp):\n if x.freq != 'D':\n raise TohuDateError(\n \"Pandas Timestamp must have freq='D' set. Got: freq={x.freq!r}\"\n )\n elif pd.Timestamp(x.date()) == x:\n return x.date()\n else:\n raise TohuDateError(error_msg)\n elif isinstance(x, dt.datetime):\n raise TohuDateError(error_msg)\n else:\n return x\n elif isinstance(x, str):\n return parse_date_string(x)\n else:\n raise TohuDateError(error_msg)\n", "role": "user" }, { "content": "ensure_is_date_object", "role": "assistant" } ]
def x(self): return {g: name for g, name in self._ns.items() if not is_clone(g)}
all_independent_generators
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return {g: name for g, name in self._ns.items() if not is_clone(g)}\n", "role": "user" }, { "content": "all_independent_generators", "role": "assistant" } ]
def x(clsname, attr_names): item_cls = attr.make_class(clsname, {name: attr.ib() for name in attr_names}, repr=False, cmp=True, frozen=True) def x(self): all_fields = ', '.join([f'{name}={repr(value)}' for name, value in attr.asdict(self).items()]) return f'{clsname}({all_fields})' orig_eq = item_cls.__eq__ def x(self, other): if isinstance(other, self.__class__): return orig_eq(self, other) elif isinstance(other, tuple): return attr.astuple(self) == other elif isinstance(other, dict): return attr.asdict(self) == other else: return NotImplemented item_cls.__repr__ = new_repr item_cls.__eq__ = new_eq item_cls.keys = lambda self: attr_names item_cls.__getitem__ = lambda self, key: getattr(self, key) item_cls.as_dict = lambda self: attr.asdict(self) item_cls.to_series = lambda self: pd.Series(attr.asdict(self)) return item_cls
make_tohu_items_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(clsname, attr_names):\n item_cls = attr.make_class(clsname, {name: attr.ib() for name in\n attr_names}, repr=False, cmp=True, frozen=True)\n\n def x(self):\n all_fields = ', '.join([f'{name}={repr(value)}' for name, value in\n attr.asdict(self).items()])\n return f'{clsname}({all_fields})'\n orig_eq = item_cls.__eq__\n\n def x(self, other):\n if isinstance(other, self.__class__):\n return orig_eq(self, other)\n elif isinstance(other, tuple):\n return attr.astuple(self) == other\n elif isinstance(other, dict):\n return attr.asdict(self) == other\n else:\n return NotImplemented\n item_cls.__repr__ = new_repr\n item_cls.__eq__ = new_eq\n item_cls.keys = lambda self: attr_names\n item_cls.__getitem__ = lambda self, key: getattr(self, key)\n item_cls.as_dict = lambda self: attr.asdict(self)\n item_cls.to_series = lambda self: pd.Series(attr.asdict(self))\n return item_cls\n", "role": "user" }, { "content": "make_tohu_items_class", "role": "assistant" } ]
def x(cls): assert issubclass(cls, TohuBaseGenerator) try: tohu_items_name = cls.__dict__['__tohu_items_name__'] logger.debug( f"Using item class name '{tohu_items_name}' (derived from attribute '__tohu_items_name__')" ) except KeyError: m = re.match('^(.*)Generator$', cls.__name__) if m is not None: tohu_items_name = m.group(1) logger.debug( f"Using item class name '{tohu_items_name}' (derived from custom generator name)" ) else: msg = ( "Cannot derive class name for items to be produced by custom generator. Please set '__tohu_items_name__' at the top of the custom generator's definition or change its name so that it ends in '...Generator'" ) raise ValueError(msg) return tohu_items_name
get_tohu_items_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n assert issubclass(cls, TohuBaseGenerator)\n try:\n tohu_items_name = cls.__dict__['__tohu_items_name__']\n logger.debug(\n f\"Using item class name '{tohu_items_name}' (derived from attribute '__tohu_items_name__')\"\n )\n except KeyError:\n m = re.match('^(.*)Generator$', cls.__name__)\n if m is not None:\n tohu_items_name = m.group(1)\n logger.debug(\n f\"Using item class name '{tohu_items_name}' (derived from custom generator name)\"\n )\n else:\n msg = (\n \"Cannot derive class name for items to be produced by custom generator. Please set '__tohu_items_name__' at the top of the custom generator's definition or change its name so that it ends in '...Generator'\"\n )\n raise ValueError(msg)\n return tohu_items_name\n", "role": "user" }, { "content": "get_tohu_items_name", "role": "assistant" } ]
def x(self): if self.p is None: self.randgen = Random() self.func_random_choice = self.randgen.choice else: self.randgen = np.random.RandomState() self.func_random_choice = partial(self.randgen.choice, p=self.p)
init_randgen
[ { "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.p is None:\n self.randgen = Random()\n self.func_random_choice = self.randgen.choice\n else:\n self.randgen = np.random.RandomState()\n self.func_random_choice = partial(self.randgen.choice, p=self.p)\n", "role": "user" }, { "content": "init_randgen", "role": "assistant" } ]
def x(self, other): try: self.randgen.setstate(other.randgen.getstate()) except AttributeError: self.randgen.set_state(other.randgen.get_state()) return self
set_random_state_from
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n try:\n self.randgen.setstate(other.randgen.getstate())\n except AttributeError:\n self.randgen.set_state(other.randgen.get_state())\n return self\n", "role": "user" }, { "content": "set_random_state_from", "role": "assistant" } ]
def x(self): if self.p is None: self.randgen = Random() self.func_random_choice = partial(self.randgen.choices, k=self.num) else: self.randgen = np.random.RandomState() self.func_random_choice = partial(self.randgen.choice, p=self.p, k= self.num)
init_randgen
[ { "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.p is None:\n self.randgen = Random()\n self.func_random_choice = partial(self.randgen.choices, k=self.num)\n else:\n self.randgen = np.random.RandomState()\n self.func_random_choice = partial(self.randgen.choice, p=self.p, k=\n self.num)\n", "role": "user" }, { "content": "init_randgen", "role": "assistant" } ]
def x(field_gens, adict): for name, gen in adict.items(): if isinstance(gen, TohuUltraBaseGenerator): field_gens[name] = gen
update_with_tohu_generators
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(field_gens, adict):\n for name, gen in adict.items():\n if isinstance(gen, TohuUltraBaseGenerator):\n field_gens[name] = gen\n", "role": "user" }, { "content": "update_with_tohu_generators", "role": "assistant" } ]
def x(obj): cls_dict = obj.__class__.__dict__ obj_dict = obj.__dict__ field_gens = {} update_with_tohu_generators(field_gens, cls_dict) update_with_tohu_generators(field_gens, obj_dict) return field_gens
find_field_generator_templates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n cls_dict = obj.__class__.__dict__\n obj_dict = obj.__dict__\n field_gens = {}\n update_with_tohu_generators(field_gens, cls_dict)\n update_with_tohu_generators(field_gens, obj_dict)\n return field_gens\n", "role": "user" }, { "content": "find_field_generator_templates", "role": "assistant" } ]
def x(cls): if '__tohu__items__name__' in cls.__dict__: logger.debug( f"Using item class name '{cls.__tohu_items_name__}' (derived from attribute '__tohu_items_name__')" ) else: m = re.match('^(.*)Generator$', cls.__name__) if m is not None: cls.__tohu_items_name__ = m.group(1) logger.debug( f"Using item class name '{cls.__tohu_items_name__}' (derived from custom generator name)" ) else: raise ValueError( "Cannot derive class name for items to be produced by custom generator. Please set '__tohu_items_name__' at the top of the custom generator's definition or change its name so that it ends in '...Generator'" )
set_item_class_name_on_custom_generator_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n if '__tohu__items__name__' in cls.__dict__:\n logger.debug(\n f\"Using item class name '{cls.__tohu_items_name__}' (derived from attribute '__tohu_items_name__')\"\n )\n else:\n m = re.match('^(.*)Generator$', cls.__name__)\n if m is not None:\n cls.__tohu_items_name__ = m.group(1)\n logger.debug(\n f\"Using item class name '{cls.__tohu_items_name__}' (derived from custom generator name)\"\n )\n else:\n raise ValueError(\n \"Cannot derive class name for items to be produced by custom generator. Please set '__tohu_items_name__' at the top of the custom generator's definition or change its name so that it ends in '...Generator'\"\n )\n", "role": "user" }, { "content": "set_item_class_name_on_custom_generator_class", "role": "assistant" } ]
def x(cls): clsname = cls.__tohu_items_name__ attr_names = cls.field_gens.keys() return make_item_class(clsname, attr_names)
make_item_class_for_custom_generator_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n clsname = cls.__tohu_items_name__\n attr_names = cls.field_gens.keys()\n return make_item_class(clsname, attr_names)\n", "role": "user" }, { "content": "make_item_class_for_custom_generator_class", "role": "assistant" } ]
def x(cls): orig_init = cls.__init__ def x(self, *args, **kwargs): logger.debug(f'Initialising new {self} (type: {type(self)})') logger.debug(f' orig_init: {orig_init}') orig_init(self, *args, **kwargs) field_gens_templates = find_field_generator_templates(self) logger.debug( f'Found {len(field_gens_templates)} field generator template(s):') debug_print_dict(field_gens_templates) logger.debug('Spawning field generator templates...') origs = {} spawned = {} dependency_mapping = {} for name, gen in field_gens_templates.items(): origs[name] = gen spawned[name] = gen.spawn(dependency_mapping) logger.debug(f'Adding dependency mapping: {gen} -> {spawned[name]}' ) self.field_gens = spawned self.__dict__.update(self.field_gens) logger.debug( f'Spawned field generators attached to custom generator instance:') debug_print_dict(self.field_gens) self.__class__.item_cls = make_item_class_for_custom_generator_class( self) cls.__init__ = new_init_method
add_new_init_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n orig_init = cls.__init__\n\n def x(self, *args, **kwargs):\n logger.debug(f'Initialising new {self} (type: {type(self)})')\n logger.debug(f' orig_init: {orig_init}')\n orig_init(self, *args, **kwargs)\n field_gens_templates = find_field_generator_templates(self)\n logger.debug(\n f'Found {len(field_gens_templates)} field generator template(s):')\n debug_print_dict(field_gens_templates)\n logger.debug('Spawning field generator templates...')\n origs = {}\n spawned = {}\n dependency_mapping = {}\n for name, gen in field_gens_templates.items():\n origs[name] = gen\n spawned[name] = gen.spawn(dependency_mapping)\n logger.debug(f'Adding dependency mapping: {gen} -> {spawned[name]}'\n )\n self.field_gens = spawned\n self.__dict__.update(self.field_gens)\n logger.debug(\n f'Spawned field generators attached to custom generator instance:')\n debug_print_dict(self.field_gens)\n self.__class__.item_cls = make_item_class_for_custom_generator_class(\n self)\n cls.__init__ = new_init_method\n", "role": "user" }, { "content": "add_new_init_method", "role": "assistant" } ]
def x(cls): def x(self): field_values = [next(g) for g in self.field_gens.values()] return self.item_cls(*field_values) cls.__next__ = new_next
add_new_next_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n\n def x(self):\n field_values = [next(g) for g in self.field_gens.values()]\n return self.item_cls(*field_values)\n cls.__next__ = new_next\n", "role": "user" }, { "content": "add_new_next_method", "role": "assistant" } ]
def x(cls): def x(self, seed=None): logger.debug( f'[EEE] Inside automatically generated reset() method for {self} (seed={seed})' ) if seed is not None: self.seed_generator.reset(seed) for name, gen in self.field_gens.items(): next_seed = next(self.seed_generator) gen.reset(next_seed) for c in self._clones: c.reset_clone(seed) return self cls.reset = new_reset_method
add_new_reset_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n\n def x(self, seed=None):\n logger.debug(\n f'[EEE] Inside automatically generated reset() method for {self} (seed={seed})'\n )\n if seed is not None:\n self.seed_generator.reset(seed)\n for name, gen in self.field_gens.items():\n next_seed = next(self.seed_generator)\n gen.reset(next_seed)\n for c in self._clones:\n c.reset_clone(seed)\n return self\n cls.reset = new_reset_method\n", "role": "user" }, { "content": "add_new_reset_method", "role": "assistant" } ]
def x(cls): def x(self, dependency_mapping): new_instance = cls() return new_instance cls.spawn = new_spawn_method
add_new_spawn_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n\n def x(self, dependency_mapping):\n new_instance = cls()\n return new_instance\n cls.spawn = new_spawn_method\n", "role": "user" }, { "content": "add_new_spawn_method", "role": "assistant" } ]
def x(self, seed): seed_generator = SeedGenerator().reset(seed=seed) for gen in self.input_generators: gen.reset(next(seed_generator)) try: gen.reset_input_generators(next(seed_generator)) except AttributeError: pass
reset_input_generators
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, seed):\n seed_generator = SeedGenerator().reset(seed=seed)\n for gen in self.input_generators:\n gen.reset(next(seed_generator))\n try:\n gen.reset_input_generators(next(seed_generator))\n except AttributeError:\n pass\n", "role": "user" }, { "content": "reset_input_generators", "role": "assistant" } ]
def x(self, name): g_tmp = self.values_gen.spawn() sample_element = next(g_tmp)[0] try: getattr(sample_element, name) except AttributeError: raise AttributeError( f"Items produced by {self} do not have the attribute '{name}'")
spot_check_that_elements_produced_by_this_generator_have_attribute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n g_tmp = self.values_gen.spawn()\n sample_element = next(g_tmp)[0]\n try:\n getattr(sample_element, name)\n except AttributeError:\n raise AttributeError(\n f\"Items produced by {self} do not have the attribute '{name}'\")\n", "role": "user" }, { "content": "spot_check_that_elements_produced_by_this_generator_have_attribute", "role": "assistant" } ]
def x(self, fields=None, fields_to_explode=None): if isinstance(fields, (list, tuple)): fields = {name: name for name in fields} assert fields_to_explode is None or isinstance(fields_to_explode, (list, tuple)) if fields_to_explode is None: fields_to_explode = [] if fields is None: colnames_to_export = list(self.items[0].as_dict().keys()) else: colnames_to_export = list(fields.keys()) if not set(fields_to_explode).issubset(colnames_to_export): raise ValueError( f'All fields to explode must occur as column names. Got field names: {fields_to_explode}. Column names: {list(fields.keys())}' ) if fields is None: import attr df = pd.DataFrame([attr.astuple(x) for x in self.items], columns= colnames_to_export) else: def x(attr_name_new, attr_name, fields_to_explode): if attr_name_new in fields_to_explode and '.' in attr_name: attr_name_first_part, attr_name_rest = attr_name.split('.', maxsplit=1) def x(row): foo_items = attrgetter(attr_name_first_part)(row) return [attrgetter(attr_name_rest)(x) for x in foo_items] return func else: return attrgetter(attr_name) attr_getters = [make_attrgetter(attr_name_new, attr_name, fields_to_explode) for attr_name_new, attr_name in fields.items()] try: df = pd.DataFrame([tuple(func(x) for func in attr_getters) for x in self.items], columns=colnames_to_export) except AttributeError as exc: msg = ( f'Could not export to dataframe. Did you forget to pass any fields which contain sequences within the \'fields_to_explode\' argument?. The original error message was: "{exc}"' ) raise AttributeError(msg) if fields_to_explode != []: df = explode_columns(df, fields_to_explode) return df
to_df
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fields=None, fields_to_explode=None):\n if isinstance(fields, (list, tuple)):\n fields = {name: name for name in fields}\n assert fields_to_explode is None or isinstance(fields_to_explode, (list,\n tuple))\n if fields_to_explode is None:\n fields_to_explode = []\n if fields is None:\n colnames_to_export = list(self.items[0].as_dict().keys())\n else:\n colnames_to_export = list(fields.keys())\n if not set(fields_to_explode).issubset(colnames_to_export):\n raise ValueError(\n f'All fields to explode must occur as column names. Got field names: {fields_to_explode}. Column names: {list(fields.keys())}'\n )\n if fields is None:\n import attr\n df = pd.DataFrame([attr.astuple(x) for x in self.items], columns=\n colnames_to_export)\n else:\n\n def x(attr_name_new, attr_name, fields_to_explode):\n if attr_name_new in fields_to_explode and '.' in attr_name:\n attr_name_first_part, attr_name_rest = attr_name.split('.',\n maxsplit=1)\n\n def x(row):\n foo_items = attrgetter(attr_name_first_part)(row)\n return [attrgetter(attr_name_rest)(x) for x in foo_items]\n return func\n else:\n return attrgetter(attr_name)\n attr_getters = [make_attrgetter(attr_name_new, attr_name,\n fields_to_explode) for attr_name_new, attr_name in fields.items()]\n try:\n df = pd.DataFrame([tuple(func(x) for func in attr_getters) for\n x in self.items], columns=colnames_to_export)\n except AttributeError as exc:\n msg = (\n f'Could not export to dataframe. Did you forget to pass any fields which contain sequences within the \\'fields_to_explode\\' argument?. The original error message was: \"{exc}\"'\n )\n raise AttributeError(msg)\n if fields_to_explode != []:\n df = explode_columns(df, fields_to_explode)\n return df\n", "role": "user" }, { "content": "to_df", "role": "assistant" } ]
def x(self, output_file=None, *, fields=None, fields_to_explode=None, append=False, header=True, header_prefix='', sep=',', newline='\n'): assert isinstance(append, bool) if fields is None: raise NotImplementedError( 'TODO: derive field names automatically from the generator which produced this item list' ) if fields_to_explode is not None: raise NotImplementedError( "TODO: the 'fields_to_explode' argument is not supported for CSV export yet." ) if isinstance(fields, (list, tuple)): fields = {name: name for name in fields} header_line = _generate_csv_header_line(header=header, header_prefix= header_prefix, header_names=fields.keys(), sep=sep, newline=newline) if output_file is None: file_or_string = io.StringIO() elif isinstance(output_file, str): mode = 'a' if append else 'w' file_or_string = open(output_file, mode) dirname = os.path.dirname(os.path.abspath(output_file)) if not os.path.exists(dirname): logger.debug( f"Creating parent directory of output file '{output_file}'") os.makedirs(dirname) elif isinstance(output_file, io.IOBase): file_or_string = output_file else: raise TypeError( f'Invalid output file: {output_file} (type: {type(output_file)})') retval = None attr_getters = [attrgetter(attr_name) for attr_name in fields.values()] try: if isinstance(file_or_string, gzip.GzipFile): file_or_string.write(header_line.encode()) for x in self.items: line = sep.join([format(func(x)) for func in attr_getters] ) + newline file_or_string.write(line.encode()) else: file_or_string.write(header_line) for x in self.items: line = sep.join([format(func(x)) for func in attr_getters] ) + newline file_or_string.write(line) if output_file is None: retval = file_or_string.getvalue() finally: file_or_string.close() return retval
to_csv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, output_file=None, *, fields=None, fields_to_explode=None,\n append=False, header=True, header_prefix='', sep=',', newline='\\n'):\n assert isinstance(append, bool)\n if fields is None:\n raise NotImplementedError(\n 'TODO: derive field names automatically from the generator which produced this item list'\n )\n if fields_to_explode is not None:\n raise NotImplementedError(\n \"TODO: the 'fields_to_explode' argument is not supported for CSV export yet.\"\n )\n if isinstance(fields, (list, tuple)):\n fields = {name: name for name in fields}\n header_line = _generate_csv_header_line(header=header, header_prefix=\n header_prefix, header_names=fields.keys(), sep=sep, newline=newline)\n if output_file is None:\n file_or_string = io.StringIO()\n elif isinstance(output_file, str):\n mode = 'a' if append else 'w'\n file_or_string = open(output_file, mode)\n dirname = os.path.dirname(os.path.abspath(output_file))\n if not os.path.exists(dirname):\n logger.debug(\n f\"Creating parent directory of output file '{output_file}'\")\n os.makedirs(dirname)\n elif isinstance(output_file, io.IOBase):\n file_or_string = output_file\n else:\n raise TypeError(\n f'Invalid output file: {output_file} (type: {type(output_file)})')\n retval = None\n attr_getters = [attrgetter(attr_name) for attr_name in fields.values()]\n try:\n if isinstance(file_or_string, gzip.GzipFile):\n file_or_string.write(header_line.encode())\n for x in self.items:\n line = sep.join([format(func(x)) for func in attr_getters]\n ) + newline\n file_or_string.write(line.encode())\n else:\n file_or_string.write(header_line)\n for x in self.items:\n line = sep.join([format(func(x)) for func in attr_getters]\n ) + newline\n file_or_string.write(line)\n if output_file is None:\n retval = file_or_string.getvalue()\n finally:\n file_or_string.close()\n return retval\n", "role": "user" }, { "content": "to_csv", "role": "assistant" } ]
def x(self, url, table_name, *, schema=None, fields=None, fields_to_explode =None, if_exists='fail', dtype=None): if schema is None: schema, table_name = _extract_schema_if_given(table_name) engine = create_engine(url) ins = inspect(engine) if schema is not None and schema not in ins.get_schema_names(): logger.debug(f"Creating non-existing schema: '{schema}'") engine.execute(CreateSchema(schema)) if table_name in ins.get_table_names(schema=schema ) and if_exists == 'do_nothing': logger.debug( "Table already exists (use if_exists='replace' or if_exists='append' to modify it)." ) return if if_exists == 'do_nothing': if_exists = 'fail' with engine.begin() as conn: self.to_df(fields=fields, fields_to_explode=fields_to_explode).to_sql( table_name, conn, schema=schema, index=False, if_exists= if_exists, dtype=dtype)
to_sql
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, table_name, *, schema=None, fields=None, fields_to_explode\n =None, if_exists='fail', dtype=None):\n if schema is None:\n schema, table_name = _extract_schema_if_given(table_name)\n engine = create_engine(url)\n ins = inspect(engine)\n if schema is not None and schema not in ins.get_schema_names():\n logger.debug(f\"Creating non-existing schema: '{schema}'\")\n engine.execute(CreateSchema(schema))\n if table_name in ins.get_table_names(schema=schema\n ) and if_exists == 'do_nothing':\n logger.debug(\n \"Table already exists (use if_exists='replace' or if_exists='append' to modify it).\"\n )\n return\n if if_exists == 'do_nothing':\n if_exists = 'fail'\n with engine.begin() as conn:\n self.to_df(fields=fields, fields_to_explode=fields_to_explode).to_sql(\n table_name, conn, schema=schema, index=False, if_exists=\n if_exists, dtype=dtype)\n", "role": "user" }, { "content": "to_sql", "role": "assistant" } ]
def x(self, seed): logger.debug(f'Resetting {self} (seed={seed})') self.seed_generator.reset(seed) for c in self.clones: c.reset(seed)
reset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, seed):\n logger.debug(f'Resetting {self} (seed={seed})')\n self.seed_generator.reset(seed)\n for c in self.clones:\n c.reset(seed)\n", "role": "user" }, { "content": "reset", "role": "assistant" } ]
def x(initial_namespace=None, defaults=None): if defaults: config = ConfigLoader() config.update_from_object(defaults) namespace = getattr(config, 'CONFIG_NAMESPACE', initial_namespace) app_config = getattr(config, 'APP_CONFIG', None) if app_config: if namespace is None: config.update_from_object(app_config) else: _temp = ConfigLoader() _temp.update_from_object(app_config, lambda key: key.startswith (namespace)) config.update(_temp.namespace(namespace)) return config
load_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(initial_namespace=None, defaults=None):\n if defaults:\n config = ConfigLoader()\n config.update_from_object(defaults)\n namespace = getattr(config, 'CONFIG_NAMESPACE', initial_namespace)\n app_config = getattr(config, 'APP_CONFIG', None)\n if app_config:\n if namespace is None:\n config.update_from_object(app_config)\n else:\n _temp = ConfigLoader()\n _temp.update_from_object(app_config, lambda key: key.startswith\n (namespace))\n config.update(_temp.namespace(namespace))\n return config\n", "role": "user" }, { "content": "load_config", "role": "assistant" } ]
def x(settings, **kwargs): old_env = os.environ.copy() os.environ.update(kwargs) settings._reload() try: yield except Exception: raise finally: for key in kwargs.keys(): del os.environ[key] os.environ.update(old_env) settings._reload()
override_environment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(settings, **kwargs):\n old_env = os.environ.copy()\n os.environ.update(kwargs)\n settings._reload()\n try:\n yield\n except Exception:\n raise\n finally:\n for key in kwargs.keys():\n del os.environ[key]\n os.environ.update(old_env)\n settings._reload()\n", "role": "user" }, { "content": "override_environment", "role": "assistant" } ]
def x(config_file_path): try: logger.info('Importing config %s...', config_file_path) with open(config_file_path) as config_file: return yaml.safe_load(config_file.read()) except IOError as ex: raise RepexError('{0}: {1} ({2})'.format(ERRORS[ 'config_file_not_found'], config_file_path, ex)) except (yaml.parser.ParserError, yaml.scanner.ScannerError) as ex: raise RepexError('{0} ({1})'.format(ERRORS['invalid_yaml'], ex))
import_yaml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config_file_path):\n try:\n logger.info('Importing config %s...', config_file_path)\n with open(config_file_path) as config_file:\n return yaml.safe_load(config_file.read())\n except IOError as ex:\n raise RepexError('{0}: {1} ({2})'.format(ERRORS[\n 'config_file_not_found'], config_file_path, ex))\n except (yaml.parser.ParserError, yaml.scanner.ScannerError) as ex:\n raise RepexError('{0} ({1})'.format(ERRORS['invalid_yaml'], ex))\n", "role": "user" }, { "content": "import_yaml", "role": "assistant" } ]
def x(filename_regex, path, base_dir, excluded_paths=None, excluded_filename_regex=None): def x(string): return string.replace('\\', '/') excluded_paths = _normalize_excluded_paths(base_dir, excluded_paths) if excluded_paths: logger.info('Excluding paths: %s', excluded_paths) logger.info('Looking for %s under %s...', filename_regex, os.path.join( base_dir, path)) if excluded_filename_regex: logger.info('Excluding file names: %s', excluded_filename_regex) path_expression = re.compile(replace_backslashes(path)) target_files = [] for root, _, files in os.walk(base_dir): if not root.startswith(tuple(excluded_paths) ) and path_expression.search(replace_backslashes(root)): for filename in files: filepath = os.path.join(root, filename) is_file, matched, excluded_filename, excluded_path = ( _set_match_parameters(filename, filepath, filename_regex, excluded_filename_regex, excluded_paths)) if (is_file and matched and not excluded_filename and not excluded_path): logger.debug('%s is a match. Appending to list...', filepath) target_files.append(filepath) return target_files
get_all_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename_regex, path, base_dir, excluded_paths=None,\n excluded_filename_regex=None):\n\n def x(string):\n return string.replace('\\\\', '/')\n excluded_paths = _normalize_excluded_paths(base_dir, excluded_paths)\n if excluded_paths:\n logger.info('Excluding paths: %s', excluded_paths)\n logger.info('Looking for %s under %s...', filename_regex, os.path.join(\n base_dir, path))\n if excluded_filename_regex:\n logger.info('Excluding file names: %s', excluded_filename_regex)\n path_expression = re.compile(replace_backslashes(path))\n target_files = []\n for root, _, files in os.walk(base_dir):\n if not root.startswith(tuple(excluded_paths)\n ) and path_expression.search(replace_backslashes(root)):\n for filename in files:\n filepath = os.path.join(root, filename)\n is_file, matched, excluded_filename, excluded_path = (\n _set_match_parameters(filename, filepath,\n filename_regex, excluded_filename_regex, excluded_paths))\n if (is_file and matched and not excluded_filename and not\n excluded_path):\n logger.debug('%s is a match. Appending to list...',\n filepath)\n target_files.append(filepath)\n return target_files\n", "role": "user" }, { "content": "get_all_files", "role": "assistant" } ]
def x(repex_tags, path_tags): if 'any' in repex_tags or not repex_tags and not path_tags: return True elif set(repex_tags) & set(path_tags): return True return False
match_tags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(repex_tags, path_tags):\n if 'any' in repex_tags or not repex_tags and not path_tags:\n return True\n elif set(repex_tags) & set(path_tags):\n return True\n return False\n", "role": "user" }, { "content": "match_tags", "role": "assistant" } ]
def x(config_file_path=None, config=None, variables=None, tags=None, validate=True, validate_only=False, with_diff=False): if not isinstance(variables or {}, dict): raise TypeError(ERRORS['variables_not_dict']) if not isinstance(tags or [], list): raise TypeError(ERRORS['tags_not_list']) config = _get_config(config_file_path, config) if validate or validate_only: _validate_config_schema(config) if validate_only: logger.info('Config file validation completed successfully!') sys.exit(0) repex_vars = _merge_variables(config['variables'], variables or {}) repex_tags = tags or [] logger.debug('Chosen tags: %s', repex_tags) for path in config['paths']: _process_path(path, repex_tags, repex_vars, with_diff)
iterate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config_file_path=None, config=None, variables=None, tags=None,\n validate=True, validate_only=False, with_diff=False):\n if not isinstance(variables or {}, dict):\n raise TypeError(ERRORS['variables_not_dict'])\n if not isinstance(tags or [], list):\n raise TypeError(ERRORS['tags_not_list'])\n config = _get_config(config_file_path, config)\n if validate or validate_only:\n _validate_config_schema(config)\n if validate_only:\n logger.info('Config file validation completed successfully!')\n sys.exit(0)\n repex_vars = _merge_variables(config['variables'], variables or {})\n repex_tags = tags or []\n logger.debug('Chosen tags: %s', repex_tags)\n for path in config['paths']:\n _process_path(path, repex_tags, repex_vars, with_diff)\n", "role": "user" }, { "content": "iterate", "role": "assistant" } ]
def x(pathobj, variables=None, diff=False): logger.info('Handling path with description: %s', pathobj.get( 'description')) variables = variables or {} variable_expander = _VariablesHandler() pathobj = variable_expander.expand(variables, pathobj) pathobj = _set_path_defaults(pathobj) path_to_handle = os.path.join(pathobj['base_directory'], pathobj['path']) logger.debug('Path to process: %s', path_to_handle) validate = 'validator' in pathobj if validate: validator_config = pathobj['validator'] validator = _Validator(validator_config) validator_type = validator_config.get('type', 'per_type') rpx = Repex(pathobj) if not pathobj.get('type'): _handle_single_file(rpx=rpx, path_to_handle=path_to_handle, pathobj =pathobj, validate=validate, diff=diff, validator=validator if validate else None) else: _handle_multiple_files(rpx=rpx, path_to_handle=path_to_handle, pathobj=pathobj, validate=validate, diff=diff, validator= validator if validate else None, validator_type=validator_type if validate else None)
handle_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pathobj, variables=None, diff=False):\n logger.info('Handling path with description: %s', pathobj.get(\n 'description'))\n variables = variables or {}\n variable_expander = _VariablesHandler()\n pathobj = variable_expander.expand(variables, pathobj)\n pathobj = _set_path_defaults(pathobj)\n path_to_handle = os.path.join(pathobj['base_directory'], pathobj['path'])\n logger.debug('Path to process: %s', path_to_handle)\n validate = 'validator' in pathobj\n if validate:\n validator_config = pathobj['validator']\n validator = _Validator(validator_config)\n validator_type = validator_config.get('type', 'per_type')\n rpx = Repex(pathobj)\n if not pathobj.get('type'):\n _handle_single_file(rpx=rpx, path_to_handle=path_to_handle, pathobj\n =pathobj, validate=validate, diff=diff, validator=validator if\n validate else None)\n else:\n _handle_multiple_files(rpx=rpx, path_to_handle=path_to_handle,\n pathobj=pathobj, validate=validate, diff=diff, validator=\n validator if validate else None, validator_type=validator_type if\n validate else None)\n", "role": "user" }, { "content": "handle_path", "role": "assistant" } ]
def x(vars_file='', variables=None): repex_vars = {} if vars_file: with open(vars_file) as varsfile: repex_vars = yaml.safe_load(varsfile.read()) for var in variables: key, value = var.split('=') repex_vars.update({str(key): str(value)}) return repex_vars
build_vars_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vars_file='', variables=None):\n repex_vars = {}\n if vars_file:\n with open(vars_file) as varsfile:\n repex_vars = yaml.safe_load(varsfile.read())\n for var in variables:\n key, value = var.split('=')\n repex_vars.update({str(key): str(value)})\n return repex_vars\n", "role": "user" }, { "content": "build_vars_dict", "role": "assistant" } ]
def x(verbose, **kwargs): config = kwargs['config'] if not config and not kwargs['regex_path']: click.echo('Must either provide a path or a viable repex config file.') sys.exit(1) if verbose: set_verbose() if config: repex_vars = _build_vars_dict(kwargs['vars_file'], kwargs['var']) try: iterate(config_file_path=config, variables=repex_vars, tags= list(kwargs['tag']), validate=kwargs['validate'], validate_only=kwargs['validate_only'], with_diff=kwargs['diff'] ) except (RepexError, IOError, OSError) as ex: sys.exit(str(ex)) else: pathobj = _construct_path_object(**kwargs) try: handle_path(pathobj) except (RepexError, IOError, OSError) as ex: sys.exit(str(ex))
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(verbose, **kwargs):\n config = kwargs['config']\n if not config and not kwargs['regex_path']:\n click.echo('Must either provide a path or a viable repex config file.')\n sys.exit(1)\n if verbose:\n set_verbose()\n if config:\n repex_vars = _build_vars_dict(kwargs['vars_file'], kwargs['var'])\n try:\n iterate(config_file_path=config, variables=repex_vars, tags=\n list(kwargs['tag']), validate=kwargs['validate'],\n validate_only=kwargs['validate_only'], with_diff=kwargs['diff']\n )\n except (RepexError, IOError, OSError) as ex:\n sys.exit(str(ex))\n else:\n pathobj = _construct_path_object(**kwargs)\n try:\n handle_path(pathobj)\n except (RepexError, IOError, OSError) as ex:\n sys.exit(str(ex))\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self, repex_vars, fields): logger.debug('Expanding variables...') unexpanded_instances = set() for k, v in repex_vars.items(): repex_vars[k] = self._expand_var(v, repex_vars) instances = self._get_instances(repex_vars[k]) unexpanded_instances.update(instances) for key in fields.keys(): field = fields[key] if isinstance(field, str): fields[key] = self._expand_var(field, repex_vars) instances = self._get_instances(fields[key]) unexpanded_instances.update(instances) elif isinstance(field, dict): for k, v in field.items(): fields[key][k] = self._expand_var(v, repex_vars) instances = self._get_instances(fields[key][k]) unexpanded_instances.update(instances) elif isinstance(field, list): for index, item in enumerate(field): fields[key][index] = self._expand_var(item, repex_vars) instances = self._get_instances(fields[key][index]) unexpanded_instances.update(instances) if unexpanded_instances: raise RepexError( """Variables failed to expand: {0} Please make sure to provide all necessary variables """ .format(list(unexpanded_instances))) return fields
expand
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, repex_vars, fields):\n logger.debug('Expanding variables...')\n unexpanded_instances = set()\n for k, v in repex_vars.items():\n repex_vars[k] = self._expand_var(v, repex_vars)\n instances = self._get_instances(repex_vars[k])\n unexpanded_instances.update(instances)\n for key in fields.keys():\n field = fields[key]\n if isinstance(field, str):\n fields[key] = self._expand_var(field, repex_vars)\n instances = self._get_instances(fields[key])\n unexpanded_instances.update(instances)\n elif isinstance(field, dict):\n for k, v in field.items():\n fields[key][k] = self._expand_var(v, repex_vars)\n instances = self._get_instances(fields[key][k])\n unexpanded_instances.update(instances)\n elif isinstance(field, list):\n for index, item in enumerate(field):\n fields[key][index] = self._expand_var(item, repex_vars)\n instances = self._get_instances(fields[key][index])\n unexpanded_instances.update(instances)\n if unexpanded_instances:\n raise RepexError(\n \"\"\"Variables failed to expand: {0}\nPlease make sure to provide all necessary variables \"\"\"\n .format(list(unexpanded_instances)))\n return fields\n", "role": "user" }, { "content": "expand", "role": "assistant" } ]
def x(self, in_string, available_variables): instances = self._get_instances(in_string) for instance in instances: for name, value in available_variables.items(): variable_string = self._get_variable_string(name) if instance == variable_string: in_string = in_string.replace(variable_string, value) return in_string
expand_var
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, in_string, available_variables):\n instances = self._get_instances(in_string)\n for instance in instances:\n for name, value in available_variables.items():\n variable_string = self._get_variable_string(name)\n if instance == variable_string:\n in_string = in_string.replace(variable_string, value)\n return in_string\n", "role": "user" }, { "content": "expand_var", "role": "assistant" } ]
def x(self, content, file_to_handle): logger.debug('Looking for required strings: %s', self.must_include) included = True for string in self.must_include: if not re.search('{0}'.format(string), content): logger.error('Required string `%s` not found in %s', string, file_to_handle) included = False if not included: logger.debug('Required strings not found') return False logger.debug('Required strings found') return True
validate_before
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, content, file_to_handle):\n logger.debug('Looking for required strings: %s', self.must_include)\n included = True\n for string in self.must_include:\n if not re.search('{0}'.format(string), content):\n logger.error('Required string `%s` not found in %s', string,\n file_to_handle)\n included = False\n if not included:\n logger.debug('Required strings not found')\n return False\n logger.debug('Required strings found')\n return True\n", "role": "user" }, { "content": "validate_before", "role": "assistant" } ]
def x(self, content, file_to_handle): groups = [match.groupdict() for match in self.match_expression.finditer (content)] matches = [group['matchgroup'] for group in groups if group.get( 'matchgroup')] logger.info('Found %s matches in %s', len(matches), file_to_handle) return list(set(matches))
find_matches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, content, file_to_handle):\n groups = [match.groupdict() for match in self.match_expression.finditer\n (content)]\n matches = [group['matchgroup'] for group in groups if group.get(\n 'matchgroup')]\n logger.info('Found %s matches in %s', len(matches), file_to_handle)\n return list(set(matches))\n", "role": "user" }, { "content": "find_matches", "role": "assistant" } ]
def x(self, match, content): new_string = self.replace_expression.sub(self.replace_with, match) logger.info('Replacing: [ %s ] --> [ %s ]', match, new_string) new_content = content.replace(match, new_string) return new_content
replace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, match, content):\n new_string = self.replace_expression.sub(self.replace_with, match)\n logger.info('Replacing: [ %s ] --> [ %s ]', match, new_string)\n new_content = content.replace(match, new_string)\n return new_content\n", "role": "user" }, { "content": "replace", "role": "assistant" } ]
def x(self, no_workers=None, idle=None, reload=None, sig_term=None): self._set('die-on-no-workers', no_workers, cast=bool) self._set('exit-on-reload', reload, cast=bool) self._set('die-on-term', sig_term, cast=bool) self.set_idle_params(exit=idle) return self._section
set_exit_events
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, no_workers=None, idle=None, reload=None, sig_term=None):\n self._set('die-on-no-workers', no_workers, cast=bool)\n self._set('exit-on-reload', reload, cast=bool)\n self._set('die-on-term', sig_term, cast=bool)\n self.set_idle_params(exit=idle)\n return self._section\n", "role": "user" }, { "content": "set_exit_events", "role": "assistant" } ]
def x(self, handler=None, catch=None, no_write_exception=None): self._set('exception-handler', handler, multi=True) self._set('catch-exceptions', catch, cast=bool) self._set('disable-write-exception', no_write_exception, cast=bool) return self._section
set_exception_handling_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, handler=None, catch=None, no_write_exception=None):\n self._set('exception-handler', handler, multi=True)\n self._set('catch-exceptions', catch, cast=bool)\n self._set('disable-write-exception', no_write_exception, cast=bool)\n return self._section\n", "role": "user" }, { "content": "set_exception_handling_params", "role": "assistant" } ]
def x(self, timeout=None, exit=None): self._set('idle', timeout) self._set('die-on-idle', exit, cast=bool) return self._section
set_idle_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=None, exit=None):\n self._set('idle', timeout)\n self._set('die-on-idle', exit, cast=bool)\n return self._section\n", "role": "user" }, { "content": "set_idle_params", "role": "assistant" } ]
def x(self, mercy=None, exit=None): self._set('reload-mercy', mercy) self.set_exit_events(reload=exit) return self._section
set_reload_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mercy=None, exit=None):\n self._set('reload-mercy', mercy)\n self.set_exit_events(reload=exit)\n return self._section\n", "role": "user" }, { "content": "set_reload_params", "role": "assistant" } ]
def x(self, command, weekday=None, month=None, day=None, hour=None, minute= None, legion=None, unique=None, harakiri=None): rule = KeyValue(locals(), keys=['weekday', 'month', 'day', 'hour', 'minute', 'harakiri', 'legion', 'unique'], aliases={'weekday': 'week'}, bool_keys=['unique']) self._set('cron2', ('%s %s' % (rule, command)).strip(), multi=True) return self._section
add_cron_task
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command, weekday=None, month=None, day=None, hour=None, minute=\n None, legion=None, unique=None, harakiri=None):\n rule = KeyValue(locals(), keys=['weekday', 'month', 'day', 'hour',\n 'minute', 'harakiri', 'legion', 'unique'], aliases={'weekday':\n 'week'}, bool_keys=['unique'])\n self._set('cron2', ('%s %s' % (rule, command)).strip(), multi=True)\n return self._section\n", "role": "user" }, { "content": "add_cron_task", "role": "assistant" } ]
def x(self, command_or_pid_path, background, control=False, for_legion=False): prefix = 'legion-' if for_legion else '' if '.pid' in command_or_pid_path: if background: self._set(prefix + 'smart-attach-daemon', command_or_pid_path, multi=True) else: self._set(prefix + 'smart-attach-daemon2', command_or_pid_path, multi=True) else: if background: raise ConfigurationError( 'Background flag is only supported for pid-governed commands') if control: self._set('attach-control-daemon', command_or_pid_path, multi=True) else: self._set(prefix + 'attach-daemon', command_or_pid_path, multi=True ) return self._section
attach_process_classic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command_or_pid_path, background, control=False, for_legion=False):\n prefix = 'legion-' if for_legion else ''\n if '.pid' in command_or_pid_path:\n if background:\n self._set(prefix + 'smart-attach-daemon', command_or_pid_path,\n multi=True)\n else:\n self._set(prefix + 'smart-attach-daemon2', command_or_pid_path,\n multi=True)\n else:\n if background:\n raise ConfigurationError(\n 'Background flag is only supported for pid-governed commands')\n if control:\n self._set('attach-control-daemon', command_or_pid_path, multi=True)\n else:\n self._set(prefix + 'attach-daemon', command_or_pid_path, multi=True\n )\n return self._section\n", "role": "user" }, { "content": "attach_process_classic", "role": "assistant" } ]
def x(self, command, for_legion=False, broken_counter=None, pidfile=None, control=None, daemonize=None, touch_reload=None, signal_stop=None, signal_reload=None, honour_stdin=None, uid=None, gid=None, new_pid_ns= None, change_dir=None): rule = KeyValue(locals(), keys=['command', 'broken_counter', 'pidfile', 'control', 'daemonize', 'touch_reload', 'signal_stop', 'signal_reload', 'honour_stdin', 'uid', 'gid', 'new_pid_ns', 'change_dir'], aliases={'command': 'cmd', 'broken_counter': 'freq', 'touch_reload': 'touch', 'signal_stop': 'stopsignal', 'signal_reload': 'reloadsignal', 'honour_stdin': 'stdin', 'new_pid_ns': 'ns_pid', 'change_dir': 'chdir'}, bool_keys=[ 'control', 'daemonize', 'honour_stdin'], list_keys=['touch_reload']) prefix = 'legion-' if for_legion else '' self._set(prefix + 'attach-daemon2', rule, multi=True) return self._section
attach_process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command, for_legion=False, broken_counter=None, pidfile=None,\n control=None, daemonize=None, touch_reload=None, signal_stop=None,\n signal_reload=None, honour_stdin=None, uid=None, gid=None, new_pid_ns=\n None, change_dir=None):\n rule = KeyValue(locals(), keys=['command', 'broken_counter', 'pidfile',\n 'control', 'daemonize', 'touch_reload', 'signal_stop',\n 'signal_reload', 'honour_stdin', 'uid', 'gid', 'new_pid_ns',\n 'change_dir'], aliases={'command': 'cmd', 'broken_counter': 'freq',\n 'touch_reload': 'touch', 'signal_stop': 'stopsignal',\n 'signal_reload': 'reloadsignal', 'honour_stdin': 'stdin',\n 'new_pid_ns': 'ns_pid', 'change_dir': 'chdir'}, bool_keys=[\n 'control', 'daemonize', 'honour_stdin'], list_keys=['touch_reload'])\n prefix = 'legion-' if for_legion else ''\n self._set(prefix + 'attach-daemon2', rule, multi=True)\n return self._section\n", "role": "user" }, { "content": "attach_process", "role": "assistant" } ]
def x(self, check_interval_busy=None, busy_max=None, busy_min=None, idle_cycles_max=None, idle_cycles_penalty=None, verbose=None): self._set('cheaper-overload', check_interval_busy) self._set('cheaper-busyness-max', busy_max) self._set('cheaper-busyness-min', busy_min) self._set('cheaper-busyness-multiplier', idle_cycles_max) self._set('cheaper-busyness-penalty', idle_cycles_penalty) self._set('cheaper-busyness-verbose', verbose, cast=bool) return self._section
set_basic_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, check_interval_busy=None, busy_max=None, busy_min=None,\n idle_cycles_max=None, idle_cycles_penalty=None, verbose=None):\n self._set('cheaper-overload', check_interval_busy)\n self._set('cheaper-busyness-max', busy_max)\n self._set('cheaper-busyness-min', busy_min)\n self._set('cheaper-busyness-multiplier', idle_cycles_max)\n self._set('cheaper-busyness-penalty', idle_cycles_penalty)\n self._set('cheaper-busyness-verbose', verbose, cast=bool)\n return self._section\n", "role": "user" }, { "content": "set_basic_params", "role": "assistant" } ]
def x(self, workers_step=None, idle_cycles_max=None, queue_size=None, queue_nonzero_delay=None): self._set('cheaper-busyness-backlog-step', workers_step) self._set('cheaper-busyness-backlog-multiplier', idle_cycles_max) self._set('cheaper-busyness-backlog-alert', queue_size) self._set('cheaper-busyness-backlog-nonzero', queue_nonzero_delay) return self
set_emergency_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, workers_step=None, idle_cycles_max=None, queue_size=None,\n queue_nonzero_delay=None):\n self._set('cheaper-busyness-backlog-step', workers_step)\n self._set('cheaper-busyness-backlog-multiplier', idle_cycles_max)\n self._set('cheaper-busyness-backlog-alert', queue_size)\n self._set('cheaper-busyness-backlog-nonzero', queue_nonzero_delay)\n return self\n", "role": "user" }, { "content": "set_emergency_params", "role": "assistant" } ]
def x(self, spawn_on_request=None, cheaper_algo=None, workers_min=None, workers_startup=None, workers_step=None): self._set('cheap', spawn_on_request, cast=bool) if cheaper_algo: self._set('cheaper-algo', cheaper_algo.name) if cheaper_algo.plugin: self._section.set_plugins_params(plugins=cheaper_algo.plugin) cheaper_algo._contribute_to_opts(self) self._set('cheaper', workers_min) self._set('cheaper-initial', workers_startup) self._set('cheaper-step', workers_step) return self._section
set_basic_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, spawn_on_request=None, cheaper_algo=None, workers_min=None,\n workers_startup=None, workers_step=None):\n self._set('cheap', spawn_on_request, cast=bool)\n if cheaper_algo:\n self._set('cheaper-algo', cheaper_algo.name)\n if cheaper_algo.plugin:\n self._section.set_plugins_params(plugins=cheaper_algo.plugin)\n cheaper_algo._contribute_to_opts(self)\n self._set('cheaper', workers_min)\n self._set('cheaper-initial', workers_startup)\n self._set('cheaper-step', workers_step)\n return self._section\n", "role": "user" }, { "content": "set_basic_params", "role": "assistant" } ]
def x(self, rss_soft=None, rss_hard=None): self._set('cheaper-rss-limit-soft', rss_soft) self._set('cheaper-rss-limit-hard', rss_hard) return self._section
set_memory_limits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rss_soft=None, rss_hard=None):\n self._set('cheaper-rss-limit-soft', rss_soft)\n self._set('cheaper-rss-limit-hard', rss_hard)\n return self._section\n", "role": "user" }, { "content": "set_memory_limits", "role": "assistant" } ]
def x(self, as_tuple=False): if as_tuple: return uwsgi.version_info return decode(uwsgi.version)
get_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, as_tuple=False):\n if as_tuple:\n return uwsgi.version_info\n return decode(uwsgi.version)\n", "role": "user" }, { "content": "get_version", "role": "assistant" } ]
def x(self, route_rules, label=None): route_rules = listify(route_rules) if route_rules and label: self._set(route_rules[0].command_label, label, multi=True) for route_rules in route_rules: self._set(route_rules.command, route_rules.value, multi=True) return self._section
register_route
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, route_rules, label=None):\n route_rules = listify(route_rules)\n if route_rules and label:\n self._set(route_rules[0].command_label, label, multi=True)\n for route_rules in route_rules:\n self._set(route_rules.command, route_rules.value, multi=True)\n return self._section\n", "role": "user" }, { "content": "register_route", "role": "assistant" } ]
def x(self, status, html_fpath): statuses = [403, 404, 500] status = int(status) if status not in statuses: raise ConfigurationError( 'Code `%s` for `routing.set_error_page()` is unsupported. Supported: %s' % (status, ', '.join(map(str, statuses)))) self._set('error-page-%s' % status, html_fpath, multi=True) return self._section
set_error_page
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, status, html_fpath):\n statuses = [403, 404, 500]\n status = int(status)\n if status not in statuses:\n raise ConfigurationError(\n 'Code `%s` for `routing.set_error_page()` is unsupported. Supported: %s'\n % (status, ', '.join(map(str, statuses))))\n self._set('error-page-%s' % status, html_fpath, multi=True)\n return self._section\n", "role": "user" }, { "content": "set_error_page", "role": "assistant" } ]
def x(self, codes_map=None, common_prefix=None): statuses = [403, 404, 500] if common_prefix: if not codes_map: codes_map = {code: ('%s.html' % code) for code in statuses} for code, filename in codes_map.items(): codes_map[code] = os.path.join(common_prefix, filename) for code, filepath in codes_map.items(): self.set_error_page(code, filepath) return self._section
set_error_pages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, codes_map=None, common_prefix=None):\n statuses = [403, 404, 500]\n if common_prefix:\n if not codes_map:\n codes_map = {code: ('%s.html' % code) for code in statuses}\n for code, filename in codes_map.items():\n codes_map[code] = os.path.join(common_prefix, filename)\n for code, filepath in codes_map.items():\n self.set_error_page(code, filepath)\n return self._section\n", "role": "user" }, { "content": "set_error_pages", "role": "assistant" } ]
def x(self, db_country=None, db_city=None): self._set('geoip-country', db_country, plugin='geoip') self._set('geoip-city', db_city, plugin='geoip') return self._section
set_geoip_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, db_country=None, db_city=None):\n self._set('geoip-country', db_country, plugin='geoip')\n self._set('geoip-city', db_city, plugin='geoip')\n return self._section\n", "role": "user" }, { "content": "set_geoip_params", "role": "assistant" } ]
def x(self, name, value): self._set('add-header', '%s: %s' % (name, value), multi=True) return self._section
header_add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, value):\n self._set('add-header', '%s: %s' % (name, value), multi=True)\n return self._section\n", "role": "user" }, { "content": "header_add", "role": "assistant" } ]
def x(self, value): self._set('del-header', value, multi=True) return self._section
header_remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self._set('del-header', value, multi=True)\n return self._section\n", "role": "user" }, { "content": "header_remove", "role": "assistant" } ]
def x(self, name, target_var, pull=False): self._set('pull-header' if pull else 'collect-header', '%s %s' % (name, target_var), multi=True) return self._section
header_collect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, target_var, pull=False):\n self._set('pull-header' if pull else 'collect-header', '%s %s' % (name,\n target_var), multi=True)\n return self._section\n", "role": "user" }, { "content": "header_collect", "role": "assistant" } ]
def x(self, mountpoint, target, retain_resource_path=False, safe_target=False): command = 'static-map' if retain_resource_path: command += '2' self._set(command, '%s=%s' % (mountpoint, target), multi=True) if safe_target: self._set('static-safe', target, multi=True) return self._section
register_static_map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mountpoint, target, retain_resource_path=False, safe_target=False):\n command = 'static-map'\n if retain_resource_path:\n command += '2'\n self._set(command, '%s=%s' % (mountpoint, target), multi=True)\n if safe_target:\n self._set('static-safe', target, multi=True)\n return self._section\n", "role": "user" }, { "content": "register_static_map", "role": "assistant" } ]
def x(self, criterion, value, timeout, use_mod_time=False): command = 'static-expires' separator = ' ' if criterion != self.expiration_criteria.FILENAME: command += '-%s' % criterion if criterion == self.expiration_criteria.MIME_TYPE: separator = '=' if use_mod_time: command += '-mtime' for value in listify(value): self._set(command, '%s%s%s' % (value, separator, timeout), multi=True) return self._section
add_expiration_rule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, criterion, value, timeout, use_mod_time=False):\n command = 'static-expires'\n separator = ' '\n if criterion != self.expiration_criteria.FILENAME:\n command += '-%s' % criterion\n if criterion == self.expiration_criteria.MIME_TYPE:\n separator = '='\n if use_mod_time:\n command += '-mtime'\n for value in listify(value):\n self._set(command, '%s%s%s' % (value, separator, timeout), multi=True)\n return self._section\n", "role": "user" }, { "content": "add_expiration_rule", "role": "assistant" } ]
def x(self, timeout=None, cache_name=None): self._set('static-cache-paths', timeout) self._set('static-cache-paths-name', cache_name) return self._section
set_paths_caching_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=None, cache_name=None):\n self._set('static-cache-paths', timeout)\n self._set('static-cache-paths-name', cache_name)\n return self._section\n", "role": "user" }, { "content": "set_paths_caching_params", "role": "assistant" } ]
def x(self, send_timeout=None, keep_alive=None, no_defer_accept=None, buffer_send=None, buffer_receive=None): self._set('so-send-timeout', send_timeout) self._set('so-keepalive', keep_alive, cast=bool) self._set('no-defer-accept', no_defer_accept, cast=bool) self._set('socket-sndbuf', buffer_send) self._set('socket-rcvbuf', buffer_receive) return self._section
set_socket_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, send_timeout=None, keep_alive=None, no_defer_accept=None,\n buffer_send=None, buffer_receive=None):\n self._set('so-send-timeout', send_timeout)\n self._set('so-keepalive', keep_alive, cast=bool)\n self._set('no-defer-accept', no_defer_accept, cast=bool)\n self._set('socket-sndbuf', buffer_send)\n self._set('socket-rcvbuf', buffer_receive)\n return self._section\n", "role": "user" }, { "content": "set_socket_params", "role": "assistant" } ]
def x(self, abstract=None, permissions=None, owner=None, umask=None): self._set('abstract-socket', abstract, cast=bool) self._set('chmod-socket', permissions) self._set('chown-socket', owner) self._set('umask', umask) return self._section
set_unix_socket_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, abstract=None, permissions=None, owner=None, umask=None):\n self._set('abstract-socket', abstract, cast=bool)\n self._set('chmod-socket', permissions)\n self._set('chown-socket', owner)\n self._set('umask', umask)\n return self._section\n", "role": "user" }, { "content": "set_unix_socket_params", "role": "assistant" } ]
def x(self, port_reuse=None): self._set('reuse-port', port_reuse, cast=bool) return self._section
set_bsd_socket_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, port_reuse=None):\n self._set('reuse-port', port_reuse, cast=bool)\n return self._section\n", "role": "user" }, { "content": "set_bsd_socket_params", "role": "assistant" } ]
def x(self, socket): sockets = self._sockets for socket in listify(socket): uses_shared = isinstance(socket.address, SocketShared) if uses_shared: shared_socket = socket.address if shared_socket not in sockets: self.register_socket(shared_socket) socket.address = self._get_shared_socket_idx(shared_socket) socket.address = self._section.replace_placeholders(socket.address) self._set(socket.name, socket, multi=True) socket._contribute_to_opts(self) bound_workers = socket.bound_workers if bound_workers: self._set('map-socket', '%s:%s' % (len(sockets), ','.join(map( str, bound_workers))), multi=True) if not uses_shared: sockets.append(socket) return self._section
register_socket
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, socket):\n sockets = self._sockets\n for socket in listify(socket):\n uses_shared = isinstance(socket.address, SocketShared)\n if uses_shared:\n shared_socket = socket.address\n if shared_socket not in sockets:\n self.register_socket(shared_socket)\n socket.address = self._get_shared_socket_idx(shared_socket)\n socket.address = self._section.replace_placeholders(socket.address)\n self._set(socket.name, socket, multi=True)\n socket._contribute_to_opts(self)\n bound_workers = socket.bound_workers\n if bound_workers:\n self._set('map-socket', '%s:%s' % (len(sockets), ','.join(map(\n str, bound_workers))), multi=True)\n if not uses_shared:\n sockets.append(socket)\n return self._section\n", "role": "user" }, { "content": "register_socket", "role": "assistant" } ]
def x(self, name, cert, key, ciphers=None, client_ca=None, wildcard=False): command = 'sni' if wildcard: command += '-regexp' args = [item for item in (cert, key, ciphers, client_ca) if item is not None] self._set(command, '%s %s' % (name, ','.join(args))) return self._section
set_sni_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, cert, key, ciphers=None, client_ca=None, wildcard=False):\n command = 'sni'\n if wildcard:\n command += '-regexp'\n args = [item for item in (cert, key, ciphers, client_ca) if item is not\n None]\n self._set(command, '%s %s' % (name, ','.join(args)))\n return self._section\n", "role": "user" }, { "content": "set_sni_params", "role": "assistant" } ]
def x(self, dir, ciphers=None): self._set('sni-dir', dir) self._set('sni-dir-ciphers', ciphers) return self._section
set_sni_dir_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dir, ciphers=None):\n self._set('sni-dir', dir)\n self._set('sni-dir-ciphers', ciphers)\n return self._section\n", "role": "user" }, { "content": "set_sni_dir_params", "role": "assistant" } ]
def x(self, size, block_size=None, store=None, store_sync_interval=None): self._set('queue', size) self._set('queue-blocksize', block_size) self._set('queue-store', store) self._set('queue-store-sync', store_sync_interval) return self._section
enable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, size, block_size=None, store=None, store_sync_interval=None):\n self._set('queue', size)\n self._set('queue-blocksize', block_size)\n self._set('queue-store', store)\n self._set('queue-store-sync', store_sync_interval)\n return self._section\n", "role": "user" }, { "content": "enable", "role": "assistant" } ]
def x(self, count=None, thunder_lock=None, lock_engine=None): self._set('thunder-lock', thunder_lock, cast=bool) self._set('lock-engine', lock_engine) self._set('locks', count) return self._section
set_basic_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, count=None, thunder_lock=None, lock_engine=None):\n self._set('thunder-lock', thunder_lock, cast=bool)\n self._set('lock-engine', lock_engine)\n self._set('locks', count)\n return self._section\n", "role": "user" }, { "content": "set_basic_params", "role": "assistant" } ]
def x(self, ftok=None, persistent=None): self._set('ftok', ftok) self._set('persistent-ipcsem', persistent, cast=bool) return self._section
set_ipcsem_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ftok=None, persistent=None):\n self._set('ftok', ftok)\n self._set('persistent-ipcsem', persistent, cast=bool)\n return self._section\n", "role": "user" }, { "content": "set_ipcsem_params", "role": "assistant" } ]
def x(self, fpath, after_setup=False, wait=False): command = 'flock-wait' if wait else 'flock' if after_setup: command = '%s2' % command self._set(command, fpath) return self._section
lock_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fpath, after_setup=False, wait=False):\n command = 'flock-wait' if wait else 'flock'\n if after_setup:\n command = '%s2' % command\n self._set(command, fpath)\n return self._section\n", "role": "user" }, { "content": "lock_file", "role": "assistant" } ]