source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, message, level=None): level = _STORM_LOG_LEVELS.get(level, _STORM_LOG_INFO) self.send_message({'command': 'log', 'msg': str(message), 'level': level})
log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message, level=None):\n level = _STORM_LOG_LEVELS.get(level, _STORM_LOG_INFO)\n self.send_message({'command': 'log', 'msg': str(message), 'level': level})\n", "role": "user" }, { "content": "log", "role": "assistant" } ]
def x(self, tup, tup_id=None, stream=None, anchors=None, direct_task=None, need_task_ids=False): if not isinstance(tup, (list, tuple)): raise TypeError( 'All Tuples must be either lists or tuples, received {!r} instead.' .format(type(tup))) msg = {'command': 'emit', 'tuple': tup} downstream_task_ids = None if anchors is not None: msg['anchors'] = anchors if tup_id is not None: msg['id'] = tup_id if stream is not None: msg['stream'] = stream if direct_task is not None: msg['task'] = direct_task if need_task_ids: downstream_task_ids = [direct_task] if not need_task_ids: msg['need_task_ids'] = need_task_ids if need_task_ids and direct_task is None: with self._reader_lock, self._writer_lock: self.send_message(msg) downstream_task_ids = self.read_task_ids() else: self.send_message(msg) return downstream_task_ids
emit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tup, tup_id=None, stream=None, anchors=None, direct_task=None,\n need_task_ids=False):\n if not isinstance(tup, (list, tuple)):\n raise TypeError(\n 'All Tuples must be either lists or tuples, received {!r} instead.'\n .format(type(tup)))\n msg = {'command': 'emit', 'tuple': tup}\n downstream_task_ids = None\n if anchors is not None:\n msg['anchors'] = anchors\n if tup_id is not None:\n msg['id'] = tup_id\n if stream is not None:\n msg['stream'] = stream\n if direct_task is not None:\n msg['task'] = direct_task\n if need_task_ids:\n downstream_task_ids = [direct_task]\n if not need_task_ids:\n msg['need_task_ids'] = need_task_ids\n if need_task_ids and direct_task is None:\n with self._reader_lock, self._writer_lock:\n self.send_message(msg)\n downstream_task_ids = self.read_task_ids()\n else:\n self.send_message(msg)\n return downstream_task_ids\n", "role": "user" }, { "content": "emit", "role": "assistant" } ]
def x(self): storm_conf, context = self.read_handshake() self._setup_component(storm_conf, context) self.initialize(storm_conf, context) while True: try: self._run() except StormWentAwayError: log.info('Exiting because parent Storm process went away.') self._exit(2) except Exception as e: log_msg = 'Exception in {}.run()'.format(self.__class__.__name__) exc_info = sys.exc_info() try: self.logger.error(log_msg, exc_info=True) self._handle_run_exception(e) except StormWentAwayError: log.error(log_msg, exc_info=exc_info) log.info('Exiting because parent Storm process went away.') self._exit(2) except: log.error(log_msg, exc_info=exc_info) log.error('While trying to handle previous exception...', exc_info=sys.exc_info()) if self.exit_on_exception: self._exit(1)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n storm_conf, context = self.read_handshake()\n self._setup_component(storm_conf, context)\n self.initialize(storm_conf, context)\n while True:\n try:\n self._run()\n except StormWentAwayError:\n log.info('Exiting because parent Storm process went away.')\n self._exit(2)\n except Exception as e:\n log_msg = 'Exception in {}.run()'.format(self.__class__.__name__)\n exc_info = sys.exc_info()\n try:\n self.logger.error(log_msg, exc_info=True)\n self._handle_run_exception(e)\n except StormWentAwayError:\n log.error(log_msg, exc_info=exc_info)\n log.info('Exiting because parent Storm process went away.')\n self._exit(2)\n except:\n log.error(log_msg, exc_info=exc_info)\n log.error('While trying to handle previous exception...',\n exc_info=sys.exc_info())\n if self.exit_on_exception:\n self._exit(1)\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, status_code): exit_func = os._exit if threading.active_count() > 1 else sys.exit exit_func(status_code)
exit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, status_code):\n exit_func = os._exit if threading.active_count() > 1 else sys.exit\n exit_func(status_code)\n", "role": "user" }, { "content": "exit", "role": "assistant" } ]
def x(stream): if hasattr(stream, 'buffer'): return io.TextIOWrapper(stream.buffer, encoding='utf-8') elif hasattr(stream, 'readable'): return io.TextIOWrapper(stream, encoding='utf-8') else: return io.open(stream.fileno(), mode=stream.mode, encoding='utf-8')
wrap_stream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stream):\n if hasattr(stream, 'buffer'):\n return io.TextIOWrapper(stream.buffer, encoding='utf-8')\n elif hasattr(stream, 'readable'):\n return io.TextIOWrapper(stream, encoding='utf-8')\n else:\n return io.open(stream.fileno(), mode=stream.mode, encoding='utf-8')\n", "role": "user" }, { "content": "wrap_stream", "role": "assistant" } ]
def x(self): msg = '' num_blank_lines = 0 while True: with self._reader_lock: line = self.input_stream.readline() if line == 'end\n': break elif line == '': raise StormWentAwayError() elif line == '\n': num_blank_lines += 1 if num_blank_lines % 1000 == 0: log.warn( "While trying to read a command or pending task ID, Storm has instead sent %s '\\n' messages." , num_blank_lines) continue msg = '{}{}\n'.format(msg, line[0:-1]) try: return json.loads(msg) except Exception: log.error('JSON decode error for message: %r', msg, exc_info=True) raise
read_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n msg = ''\n num_blank_lines = 0\n while True:\n with self._reader_lock:\n line = self.input_stream.readline()\n if line == 'end\\n':\n break\n elif line == '':\n raise StormWentAwayError()\n elif line == '\\n':\n num_blank_lines += 1\n if num_blank_lines % 1000 == 0:\n log.warn(\n \"While trying to read a command or pending task ID, Storm has instead sent %s '\\\\n' messages.\"\n , num_blank_lines)\n continue\n msg = '{}{}\\n'.format(msg, line[0:-1])\n try:\n return json.loads(msg)\n except Exception:\n log.error('JSON decode error for message: %r', msg, exc_info=True)\n raise\n", "role": "user" }, { "content": "read_message", "role": "assistant" } ]
def x(self, msg_dict): serialized = json.dumps(msg_dict, namedtuple_as_object=False) if PY2: serialized = serialized.decode('utf-8') serialized = '{}\nend\n'.format(serialized) return serialized
serialize_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg_dict):\n serialized = json.dumps(msg_dict, namedtuple_as_object=False)\n if PY2:\n serialized = serialized.decode('utf-8')\n serialized = '{}\\nend\\n'.format(serialized)\n return serialized\n", "role": "user" }, { "content": "serialize_dict", "role": "assistant" } ]
def x(self): cmd = self.read_command() source = cmd['comp'] stream = cmd['stream'] values = cmd['tuple'] val_type = self._source_tuple_types[source].get(stream) return Tuple(cmd['id'], source, stream, cmd['task'], tuple(values) if val_type is None else val_type(*values))
read_tuple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cmd = self.read_command()\n source = cmd['comp']\n stream = cmd['stream']\n values = cmd['tuple']\n val_type = self._source_tuple_types[source].get(stream)\n return Tuple(cmd['id'], source, stream, cmd['task'], tuple(values) if \n val_type is None else val_type(*values))\n", "role": "user" }, { "content": "read_tuple", "role": "assistant" } ]
def x(self, tup, stream=None, anchors=None, direct_task=None, need_task_ids =False): if anchors is None: anchors = self._current_tups if self.auto_anchor else [] anchors = [(a.id if isinstance(a, Tuple) else a) for a in anchors] return super(Bolt, self).emit(tup, stream=stream, anchors=anchors, direct_task=direct_task, need_task_ids=need_task_ids)
emit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tup, stream=None, anchors=None, direct_task=None, need_task_ids\n =False):\n if anchors is None:\n anchors = self._current_tups if self.auto_anchor else []\n anchors = [(a.id if isinstance(a, Tuple) else a) for a in anchors]\n return super(Bolt, self).emit(tup, stream=stream, anchors=anchors,\n direct_task=direct_task, need_task_ids=need_task_ids)\n", "role": "user" }, { "content": "emit", "role": "assistant" } ]
def x(self, tup): tup_id = tup.id if isinstance(tup, Tuple) else tup self.send_message({'command': 'ack', 'id': tup_id})
ack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tup):\n tup_id = tup.id if isinstance(tup, Tuple) else tup\n self.send_message({'command': 'ack', 'id': tup_id})\n", "role": "user" }, { "content": "ack", "role": "assistant" } ]
def x(self, tup): tup_id = tup.id if isinstance(tup, Tuple) else tup self.send_message({'command': 'fail', 'id': tup_id})
fail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tup):\n tup_id = tup.id if isinstance(tup, Tuple) else tup\n self.send_message({'command': 'fail', 'id': tup_id})\n", "role": "user" }, { "content": "fail", "role": "assistant" } ]
def x(self): tup = self.read_tuple() self._current_tups = [tup] if self.is_heartbeat(tup): self.send_message({'command': 'sync'}) elif self.is_tick(tup): self.process_tick(tup) if self.auto_ack: self.ack(tup) else: self.process(tup) if self.auto_ack: self.ack(tup) self._current_tups = []
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n tup = self.read_tuple()\n self._current_tups = [tup]\n if self.is_heartbeat(tup):\n self.send_message({'command': 'sync'})\n elif self.is_tick(tup):\n self.process_tick(tup)\n if self.auto_ack:\n self.ack(tup)\n else:\n self.process(tup)\n if self.auto_ack:\n self.ack(tup)\n self._current_tups = []\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, exc): if len(self._current_tups) == 1: tup = self._current_tups[0] self.raise_exception(exc, tup) if self.auto_fail: self.fail(tup)
handle_run_exception
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, exc):\n if len(self._current_tups) == 1:\n tup = self._current_tups[0]\n self.raise_exception(exc, tup)\n if self.auto_fail:\n self.fail(tup)\n", "role": "user" }, { "content": "handle_run_exception", "role": "assistant" } ]
def x(self, tup, **kwargs): kwargs['need_task_ids'] = False return super(BatchingBolt, self).emit(tup, **kwargs)
emit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tup, **kwargs):\n kwargs['need_task_ids'] = False\n return super(BatchingBolt, self).emit(tup, **kwargs)\n", "role": "user" }, { "content": "emit", "role": "assistant" } ]
def x(self, tick_tup): self._tick_counter += 1 self.ack(tick_tup) if self._tick_counter > self.ticks_between_batches and self._batches: self.process_batches() self._tick_counter = 0
process_tick
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tick_tup):\n self._tick_counter += 1\n self.ack(tick_tup)\n if self._tick_counter > self.ticks_between_batches and self._batches:\n self.process_batches()\n self._tick_counter = 0\n", "role": "user" }, { "content": "process_tick", "role": "assistant" } ]
def x(self): for key, batch in iteritems(self._batches): self._current_tups = batch self._current_key = key self.process_batch(key, batch) if self.auto_ack: for tup in batch: self.ack(tup) self._current_key = None self._batches[key] = [] self._batches = defaultdict(list)
process_batches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for key, batch in iteritems(self._batches):\n self._current_tups = batch\n self._current_key = key\n self.process_batch(key, batch)\n if self.auto_ack:\n for tup in batch:\n self.ack(tup)\n self._current_key = None\n self._batches[key] = []\n self._batches = defaultdict(list)\n", "role": "user" }, { "content": "process_batches", "role": "assistant" } ]
def x(self, tup): group_key = self.group_key(tup) self._batches[group_key].append(tup)
process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tup):\n group_key = self.group_key(tup)\n self._batches[group_key].append(tup)\n", "role": "user" }, { "content": "process", "role": "assistant" } ]
def x(self, exc): self.raise_exception(exc, self._current_tups) if self.auto_fail: failed = set() for key, batch in iteritems(self._batches): if self.exit_on_exception or key == self._current_key: for tup in batch: self.fail(tup) failed.add(tup.id) for tup in self._current_tups: if tup.id not in failed: self.fail(tup) self._batches[self._current_key] = [] self._current_key = None
handle_run_exception
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, exc):\n self.raise_exception(exc, self._current_tups)\n if self.auto_fail:\n failed = set()\n for key, batch in iteritems(self._batches):\n if self.exit_on_exception or key == self._current_key:\n for tup in batch:\n self.fail(tup)\n failed.add(tup.id)\n for tup in self._current_tups:\n if tup.id not in failed:\n self.fail(tup)\n self._batches[self._current_key] = []\n self._current_key = None\n", "role": "user" }, { "content": "handle_run_exception", "role": "assistant" } ]
def x(self): time.sleep(self.secs_between_batches) with self._batch_lock: self.process_batches()
batch_entry_run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n time.sleep(self.secs_between_batches)\n with self._batch_lock:\n self.process_batches()\n", "role": "user" }, { "content": "batch_entry_run", "role": "assistant" } ]
def x(self): try: while True: self._batch_entry_run() except: self.exc_info = sys.exc_info() os.kill(self.pid, signal.SIGUSR1)
batch_entry
[ { "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 while True:\n self._batch_entry_run()\n except:\n self.exc_info = sys.exc_info()\n os.kill(self.pid, signal.SIGUSR1)\n", "role": "user" }, { "content": "batch_entry", "role": "assistant" } ]
def x(self): tup = self.read_tuple() with self._batch_lock: self._current_tups = [tup] if self.is_heartbeat(tup): self.send_message({'command': 'sync'}) elif self.is_tick(tup): self.process_tick(tup) else: self.process(tup) self._current_tups = []
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n tup = self.read_tuple()\n with self._batch_lock:\n self._current_tups = [tup]\n if self.is_heartbeat(tup):\n self.send_message({'command': 'sync'})\n elif self.is_tick(tup):\n self.process_tick(tup)\n else:\n self.process(tup)\n self._current_tups = []\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, msg_dict): with self._writer_lock: try: self.output_stream.flush() self.output_stream.write(self.serialize_dict(msg_dict)) self.output_stream.flush() except IOError: raise StormWentAwayError() except: log.exception('Failed to send message: %r', msg_dict)
send_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg_dict):\n with self._writer_lock:\n try:\n self.output_stream.flush()\n self.output_stream.write(self.serialize_dict(msg_dict))\n self.output_stream.flush()\n except IOError:\n raise StormWentAwayError()\n except:\n log.exception('Failed to send message: %r', msg_dict)\n", "role": "user" }, { "content": "send_message", "role": "assistant" } ]
def x(restuple, _func, _args): shape = restuple.e.len, 1 array_size = np.prod(shape) mem_size = 8 * array_size array_str_e = string_at(restuple.e.data, mem_size) array_str_n = string_at(restuple.n.data, mem_size) ls_e = np.frombuffer(array_str_e, float, array_size).tolist() ls_n = np.frombuffer(array_str_n, float, array_size).tolist() return ls_e, ls_n
void_array_to_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(restuple, _func, _args):\n shape = restuple.e.len, 1\n array_size = np.prod(shape)\n mem_size = 8 * array_size\n array_str_e = string_at(restuple.e.data, mem_size)\n array_str_n = string_at(restuple.n.data, mem_size)\n ls_e = np.frombuffer(array_str_e, float, array_size).tolist()\n ls_n = np.frombuffer(array_str_n, float, array_size).tolist()\n return ls_e, ls_n\n", "role": "user" }, { "content": "void_array_to_list", "role": "assistant" } ]
def x(filename, encoding='utf-8'): data = pkgutil.get_data(PACKAGE_NAME, os.path.join(DATA_DIR, filename)) return data.decode(encoding).splitlines()
load_data_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, encoding='utf-8'):\n data = pkgutil.get_data(PACKAGE_NAME, os.path.join(DATA_DIR, filename))\n return data.decode(encoding).splitlines()\n", "role": "user" }, { "content": "load_data_file", "role": "assistant" } ]
def x(): data = {} for name, file_name in (('words', 'hanzi_pinyin_words.tsv'), ( 'characters', 'hanzi_pinyin_characters.tsv')): lines = [line.split('\t') for line in dragonmapper.data. load_data_file(file_name)] data[name] = {hanzi: pinyin.split('/') for hanzi, pinyin in lines} return data
load_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n data = {}\n for name, file_name in (('words', 'hanzi_pinyin_words.tsv'), (\n 'characters', 'hanzi_pinyin_characters.tsv')):\n lines = [line.split('\\t') for line in dragonmapper.data.\n load_data_file(file_name)]\n data[name] = {hanzi: pinyin.split('/') for hanzi, pinyin in lines}\n return data\n", "role": "user" }, { "content": "load_data", "role": "assistant" } ]
def x(hanzi): try: return _HANZI_PINYIN_MAP['words'][hanzi] except KeyError: return [_CHARACTERS.get(character, character) for character in hanzi]
hanzi_to_pinyin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hanzi):\n try:\n return _HANZI_PINYIN_MAP['words'][hanzi]\n except KeyError:\n return [_CHARACTERS.get(character, character) for character in hanzi]\n", "role": "user" }, { "content": "hanzi_to_pinyin", "role": "assistant" } ]
def x(container, readings): container_start, container_end = tuple(container) enclosed_readings = '%(container_start)s%(readings)s%(container_end)s' % { 'container_start': container_start, 'container_end': container_end, 'readings': readings} return enclosed_readings
enclose_readings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(container, readings):\n container_start, container_end = tuple(container)\n enclosed_readings = '%(container_start)s%(readings)s%(container_end)s' % {\n 'container_start': container_start, 'container_end': container_end,\n 'readings': readings}\n return enclosed_readings\n", "role": "user" }, { "content": "enclose_readings", "role": "assistant" } ]
def x(s, delimiter=' ', all_readings=False, container='[]', accented=True): hanzi = s pinyin = '' while hanzi: match = re.search('[^%s%s]+' % (delimiter, zhon.hanzi.punctuation), hanzi) if match is None and hanzi: pinyin += hanzi break match_start, match_end = match.span() if match_start > 0: pinyin += hanzi[0:match_start] readings = _hanzi_to_pinyin(match.group()) if match.group() in _WORDS: if all_readings: reading = _enclose_readings(container, _READING_SEPARATOR. join(readings)) else: reading = readings[0] pinyin += reading else: for character in readings: if isinstance(character, str): pinyin += character elif isinstance(character, list) and all_readings: pinyin += _enclose_readings(container, _READING_SEPARATOR.join(character)) elif isinstance(character, list) and not all_readings: if pinyin and character[0][0 ] in zhon.pinyin.vowels and pinyin[-1 ] in zhon.pinyin.lowercase: pinyin += "'" pinyin += character[0] hanzi = hanzi[match_end:] if accented: return pinyin else: return accented_to_numbered(pinyin)
to_pinyin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, delimiter=' ', all_readings=False, container='[]', accented=True):\n hanzi = s\n pinyin = ''\n while hanzi:\n match = re.search('[^%s%s]+' % (delimiter, zhon.hanzi.punctuation),\n hanzi)\n if match is None and hanzi:\n pinyin += hanzi\n break\n match_start, match_end = match.span()\n if match_start > 0:\n pinyin += hanzi[0:match_start]\n readings = _hanzi_to_pinyin(match.group())\n if match.group() in _WORDS:\n if all_readings:\n reading = _enclose_readings(container, _READING_SEPARATOR.\n join(readings))\n else:\n reading = readings[0]\n pinyin += reading\n else:\n for character in readings:\n if isinstance(character, str):\n pinyin += character\n elif isinstance(character, list) and all_readings:\n pinyin += _enclose_readings(container,\n _READING_SEPARATOR.join(character))\n elif isinstance(character, list) and not all_readings:\n if pinyin and character[0][0\n ] in zhon.pinyin.vowels and pinyin[-1\n ] in zhon.pinyin.lowercase:\n pinyin += \"'\"\n pinyin += character[0]\n hanzi = hanzi[match_end:]\n if accented:\n return pinyin\n else:\n return accented_to_numbered(pinyin)\n", "role": "user" }, { "content": "to_pinyin", "role": "assistant" } ]
def x(s, delimiter=' ', all_readings=False, container='[]'): numbered_pinyin = to_pinyin(s, delimiter, all_readings, container, False) zhuyin = pinyin_to_zhuyin(numbered_pinyin) return zhuyin
to_zhuyin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, delimiter=' ', all_readings=False, container='[]'):\n numbered_pinyin = to_pinyin(s, delimiter, all_readings, container, False)\n zhuyin = pinyin_to_zhuyin(numbered_pinyin)\n return zhuyin\n", "role": "user" }, { "content": "to_zhuyin", "role": "assistant" } ]
def x(s, delimiter=' ', all_readings=False, container='[]'): numbered_pinyin = to_pinyin(s, delimiter, all_readings, container, False) ipa = pinyin_to_ipa(numbered_pinyin) return ipa
to_ipa
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, delimiter=' ', all_readings=False, container='[]'):\n numbered_pinyin = to_pinyin(s, delimiter, all_readings, container, False)\n ipa = pinyin_to_ipa(numbered_pinyin)\n return ipa\n", "role": "user" }, { "content": "to_ipa", "role": "assistant" } ]
def x(): lines = dragonmapper.data.load_data_file('transcriptions.csv') pinyin_map, zhuyin_map, ipa_map = {}, {}, {} for line in lines: p, z, i = line.split(',') pinyin_map[p] = {'Zhuyin': z, 'IPA': i} zhuyin_map[z] = {'Pinyin': p, 'IPA': i} ipa_map[i] = {'Pinyin': p, 'Zhuyin': z} return pinyin_map, zhuyin_map, ipa_map
load_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n lines = dragonmapper.data.load_data_file('transcriptions.csv')\n pinyin_map, zhuyin_map, ipa_map = {}, {}, {}\n for line in lines:\n p, z, i = line.split(',')\n pinyin_map[p] = {'Zhuyin': z, 'IPA': i}\n zhuyin_map[z] = {'Pinyin': p, 'IPA': i}\n ipa_map[i] = {'Pinyin': p, 'Zhuyin': z}\n return pinyin_map, zhuyin_map, ipa_map\n", "role": "user" }, { "content": "load_data", "role": "assistant" } ]
def x(vowel, tone): if isinstance(tone, int): tone = str(tone) return _PINYIN_TONES[vowel + tone]
numbered_vowel_to_accented
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vowel, tone):\n if isinstance(tone, int):\n tone = str(tone)\n return _PINYIN_TONES[vowel + tone]\n", "role": "user" }, { "content": "numbered_vowel_to_accented", "role": "assistant" } ]
def x(vowel): for numbered_vowel, accented_vowel in _PINYIN_TONES.items(): if vowel == accented_vowel: return tuple(numbered_vowel)
accented_vowel_to_numbered
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vowel):\n for numbered_vowel, accented_vowel in _PINYIN_TONES.items():\n if vowel == accented_vowel:\n return tuple(numbered_vowel)\n", "role": "user" }, { "content": "accented_vowel_to_numbered", "role": "assistant" } ]
def x(unparsed_syllable): tone_number = unparsed_syllable[-1] if not tone_number.isdigit(): syllable, tone = unparsed_syllable, '5' elif tone_number == '0': syllable, tone = unparsed_syllable[:-1], '5' elif tone_number in '12345': syllable, tone = unparsed_syllable[:-1], tone_number else: raise ValueError('Invalid syllable: %s' % unparsed_syllable) return syllable, tone
parse_numbered_syllable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(unparsed_syllable):\n tone_number = unparsed_syllable[-1]\n if not tone_number.isdigit():\n syllable, tone = unparsed_syllable, '5'\n elif tone_number == '0':\n syllable, tone = unparsed_syllable[:-1], '5'\n elif tone_number in '12345':\n syllable, tone = unparsed_syllable[:-1], tone_number\n else:\n raise ValueError('Invalid syllable: %s' % unparsed_syllable)\n return syllable, tone\n", "role": "user" }, { "content": "parse_numbered_syllable", "role": "assistant" } ]
def x(unparsed_syllable): if unparsed_syllable[0] == '·': return unparsed_syllable[1:], '5' for character in unparsed_syllable: if character in _ACCENTED_VOWELS: vowel, tone = _accented_vowel_to_numbered(character) return unparsed_syllable.replace(character, vowel), tone return unparsed_syllable, '5'
parse_accented_syllable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(unparsed_syllable):\n if unparsed_syllable[0] == '·':\n return unparsed_syllable[1:], '5'\n for character in unparsed_syllable:\n if character in _ACCENTED_VOWELS:\n vowel, tone = _accented_vowel_to_numbered(character)\n return unparsed_syllable.replace(character, vowel), tone\n return unparsed_syllable, '5'\n", "role": "user" }, { "content": "parse_accented_syllable", "role": "assistant" } ]
def x(unparsed_syllable): zhuyin_tone = unparsed_syllable[-1] if zhuyin_tone in zhon.zhuyin.characters: syllable, tone = unparsed_syllable, '1' elif zhuyin_tone in zhon.zhuyin.marks: for tone_number, tone_mark in _ZHUYIN_TONES.items(): if zhuyin_tone == tone_mark: syllable, tone = unparsed_syllable[:-1], tone_number else: raise ValueError('Invalid syllable: %s' % unparsed_syllable) return syllable, tone
parse_zhuyin_syllable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(unparsed_syllable):\n zhuyin_tone = unparsed_syllable[-1]\n if zhuyin_tone in zhon.zhuyin.characters:\n syllable, tone = unparsed_syllable, '1'\n elif zhuyin_tone in zhon.zhuyin.marks:\n for tone_number, tone_mark in _ZHUYIN_TONES.items():\n if zhuyin_tone == tone_mark:\n syllable, tone = unparsed_syllable[:-1], tone_number\n else:\n raise ValueError('Invalid syllable: %s' % unparsed_syllable)\n return syllable, tone\n", "role": "user" }, { "content": "parse_zhuyin_syllable", "role": "assistant" } ]
def x(unparsed_syllable): ipa_tone = re.search('[%(marks)s]+' % {'marks': _IPA_MARKS}, unparsed_syllable) if not ipa_tone: syllable, tone = unparsed_syllable, '5' else: for tone_number, tone_mark in _IPA_TONES.items(): if ipa_tone.group() == tone_mark: tone = tone_number break syllable = unparsed_syllable[0:ipa_tone.start()] return syllable, tone
parse_ipa_syllable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(unparsed_syllable):\n ipa_tone = re.search('[%(marks)s]+' % {'marks': _IPA_MARKS},\n unparsed_syllable)\n if not ipa_tone:\n syllable, tone = unparsed_syllable, '5'\n else:\n for tone_number, tone_mark in _IPA_TONES.items():\n if ipa_tone.group() == tone_mark:\n tone = tone_number\n break\n syllable = unparsed_syllable[0:ipa_tone.start()]\n return syllable, tone\n", "role": "user" }, { "content": "parse_ipa_syllable", "role": "assistant" } ]
def x(s, memory): cased_s = [] for i, c in enumerate(s): if i + 1 > len(memory): break cased_s.append(c if memory[i] else c.upper()) return ''.join(cased_s)
restore_case
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, memory):\n cased_s = []\n for i, c in enumerate(s):\n if i + 1 > len(memory):\n break\n cased_s.append(c if memory[i] else c.upper())\n return ''.join(cased_s)\n", "role": "user" }, { "content": "restore_case", "role": "assistant" } ]
def x(s): if s == 'r5': return 'r' lowercase_syllable, case_memory = _lower_case(s) syllable, tone = _parse_numbered_syllable(lowercase_syllable) syllable = syllable.replace('v', 'ü') if re.search('[%s]' % _UNACCENTED_VOWELS, syllable) is None: return s if 'a' in syllable: accented_a = _numbered_vowel_to_accented('a', tone) accented_syllable = syllable.replace('a', accented_a) elif 'e' in syllable: accented_e = _numbered_vowel_to_accented('e', tone) accented_syllable = syllable.replace('e', accented_e) elif 'o' in syllable: accented_o = _numbered_vowel_to_accented('o', tone) accented_syllable = syllable.replace('o', accented_o) else: vowel = syllable[max(map(syllable.rfind, _UNACCENTED_VOWELS))] accented_vowel = _numbered_vowel_to_accented(vowel, tone) accented_syllable = syllable.replace(vowel, accented_vowel) return _restore_case(accented_syllable, case_memory)
numbered_syllable_to_accented
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n if s == 'r5':\n return 'r'\n lowercase_syllable, case_memory = _lower_case(s)\n syllable, tone = _parse_numbered_syllable(lowercase_syllable)\n syllable = syllable.replace('v', 'ü')\n if re.search('[%s]' % _UNACCENTED_VOWELS, syllable) is None:\n return s\n if 'a' in syllable:\n accented_a = _numbered_vowel_to_accented('a', tone)\n accented_syllable = syllable.replace('a', accented_a)\n elif 'e' in syllable:\n accented_e = _numbered_vowel_to_accented('e', tone)\n accented_syllable = syllable.replace('e', accented_e)\n elif 'o' in syllable:\n accented_o = _numbered_vowel_to_accented('o', tone)\n accented_syllable = syllable.replace('o', accented_o)\n else:\n vowel = syllable[max(map(syllable.rfind, _UNACCENTED_VOWELS))]\n accented_vowel = _numbered_vowel_to_accented(vowel, tone)\n accented_syllable = syllable.replace(vowel, accented_vowel)\n return _restore_case(accented_syllable, case_memory)\n", "role": "user" }, { "content": "numbered_syllable_to_accented", "role": "assistant" } ]
def x(s): if s[0] == '·': lowercase_syllable, case_memory = _lower_case(s[1:]) lowercase_syllable = '·' + lowercase_syllable else: lowercase_syllable, case_memory = _lower_case(s) numbered_syllable, tone = _parse_accented_syllable(lowercase_syllable) return _restore_case(numbered_syllable, case_memory) + tone
accented_syllable_to_numbered
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n if s[0] == '·':\n lowercase_syllable, case_memory = _lower_case(s[1:])\n lowercase_syllable = '·' + lowercase_syllable\n else:\n lowercase_syllable, case_memory = _lower_case(s)\n numbered_syllable, tone = _parse_accented_syllable(lowercase_syllable)\n return _restore_case(numbered_syllable, case_memory) + tone\n", "role": "user" }, { "content": "accented_syllable_to_numbered", "role": "assistant" } ]
def x(s): pinyin_syllable, tone = _parse_pinyin_syllable(s) try: zhuyin_syllable = _PINYIN_MAP[pinyin_syllable.lower()]['Zhuyin'] except KeyError: raise ValueError('Not a valid syllable: %s' % s) return zhuyin_syllable + _ZHUYIN_TONES[tone]
pinyin_syllable_to_zhuyin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n pinyin_syllable, tone = _parse_pinyin_syllable(s)\n try:\n zhuyin_syllable = _PINYIN_MAP[pinyin_syllable.lower()]['Zhuyin']\n except KeyError:\n raise ValueError('Not a valid syllable: %s' % s)\n return zhuyin_syllable + _ZHUYIN_TONES[tone]\n", "role": "user" }, { "content": "pinyin_syllable_to_zhuyin", "role": "assistant" } ]
def x(s): pinyin_syllable, tone = _parse_pinyin_syllable(s) try: ipa_syllable = _PINYIN_MAP[pinyin_syllable.lower()]['IPA'] except KeyError: raise ValueError('Not a valid syllable: %s' % s) return ipa_syllable + _IPA_TONES[tone]
pinyin_syllable_to_ipa
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n pinyin_syllable, tone = _parse_pinyin_syllable(s)\n try:\n ipa_syllable = _PINYIN_MAP[pinyin_syllable.lower()]['IPA']\n except KeyError:\n raise ValueError('Not a valid syllable: %s' % s)\n return ipa_syllable + _IPA_TONES[tone]\n", "role": "user" }, { "content": "pinyin_syllable_to_ipa", "role": "assistant" } ]
def x(s): zhuyin_syllable, tone = _parse_zhuyin_syllable(s) try: pinyin_syllable = _ZHUYIN_MAP[zhuyin_syllable]['Pinyin'] except KeyError: raise ValueError('Not a valid syllable: %s' % s) return pinyin_syllable + tone
zhuyin_syllable_to_numbered
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n zhuyin_syllable, tone = _parse_zhuyin_syllable(s)\n try:\n pinyin_syllable = _ZHUYIN_MAP[zhuyin_syllable]['Pinyin']\n except KeyError:\n raise ValueError('Not a valid syllable: %s' % s)\n return pinyin_syllable + tone\n", "role": "user" }, { "content": "zhuyin_syllable_to_numbered", "role": "assistant" } ]
def x(s): ipa_syllable, tone = _parse_ipa_syllable(s) try: pinyin_syllable = _IPA_MAP[ipa_syllable]['Pinyin'] except KeyError: raise ValueError('Not a valid syllable: %s' % s) return pinyin_syllable + tone
ipa_syllable_to_numbered
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n ipa_syllable, tone = _parse_ipa_syllable(s)\n try:\n pinyin_syllable = _IPA_MAP[ipa_syllable]['Pinyin']\n except KeyError:\n raise ValueError('Not a valid syllable: %s' % s)\n return pinyin_syllable + tone\n", "role": "user" }, { "content": "ipa_syllable_to_numbered", "role": "assistant" } ]
def x(s, re_pattern, syllable_function, add_apostrophes=False, remove_apostrophes=False, separate_syllables=False): original = s new = '' while original: match = re.search(re_pattern, original, re.IGNORECASE | re.UNICODE) if match is None and original: new += original break match_start, match_end = match.span() if match_start > 0: if new and remove_apostrophes and match_start == 1 and original[0 ] == "'": pass if separate_syllables: new += ' ' else: new += original[0:match_start] elif new and separate_syllables: new += ' ' elif new and add_apostrophes and match.group()[0].lower( ) in _UNACCENTED_VOWELS: new += "'" new += syllable_function(match.group()) original = original[match_end:] return new
convert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, re_pattern, syllable_function, add_apostrophes=False,\n remove_apostrophes=False, separate_syllables=False):\n original = s\n new = ''\n while original:\n match = re.search(re_pattern, original, re.IGNORECASE | re.UNICODE)\n if match is None and original:\n new += original\n break\n match_start, match_end = match.span()\n if match_start > 0:\n if new and remove_apostrophes and match_start == 1 and original[0\n ] == \"'\":\n pass\n if separate_syllables:\n new += ' '\n else:\n new += original[0:match_start]\n elif new and separate_syllables:\n new += ' '\n elif new and add_apostrophes and match.group()[0].lower(\n ) in _UNACCENTED_VOWELS:\n new += \"'\"\n new += syllable_function(match.group())\n original = original[match_end:]\n return new\n", "role": "user" }, { "content": "convert", "role": "assistant" } ]
def x(s): return _convert(s, zhon.pinyin.syllable, numbered_syllable_to_accented, add_apostrophes=True)
numbered_to_accented
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n return _convert(s, zhon.pinyin.syllable, numbered_syllable_to_accented,\n add_apostrophes=True)\n", "role": "user" }, { "content": "numbered_to_accented", "role": "assistant" } ]
def x(s): return _convert(s, zhon.pinyin.syllable, pinyin_syllable_to_zhuyin, remove_apostrophes=True, separate_syllables=True)
pinyin_to_zhuyin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n return _convert(s, zhon.pinyin.syllable, pinyin_syllable_to_zhuyin,\n remove_apostrophes=True, separate_syllables=True)\n", "role": "user" }, { "content": "pinyin_to_zhuyin", "role": "assistant" } ]
def x(s): return _convert(s, zhon.pinyin.syllable, pinyin_syllable_to_ipa, remove_apostrophes=True, separate_syllables=True)
pinyin_to_ipa
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n return _convert(s, zhon.pinyin.syllable, pinyin_syllable_to_ipa,\n remove_apostrophes=True, separate_syllables=True)\n", "role": "user" }, { "content": "pinyin_to_ipa", "role": "assistant" } ]
def x(s, accented=True): if accented: function = _zhuyin_syllable_to_accented else: function = _zhuyin_syllable_to_numbered return _convert(s, zhon.zhuyin.syllable, function)
zhuyin_to_pinyin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, accented=True):\n if accented:\n function = _zhuyin_syllable_to_accented\n else:\n function = _zhuyin_syllable_to_numbered\n return _convert(s, zhon.zhuyin.syllable, function)\n", "role": "user" }, { "content": "zhuyin_to_pinyin", "role": "assistant" } ]
def x(s, accented=True): if accented: function = _ipa_syllable_to_accented else: function = _ipa_syllable_to_numbered return _convert(s, _IPA_SYLLABLE, function)
ipa_to_pinyin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, accented=True):\n if accented:\n function = _ipa_syllable_to_accented\n else:\n function = _ipa_syllable_to_numbered\n return _convert(s, _IPA_SYLLABLE, function)\n", "role": "user" }, { "content": "ipa_to_pinyin", "role": "assistant" } ]
def x(s, accented=True): identity = identify(s) if identity == PINYIN: if _has_accented_vowels(s): return s if accented else accented_to_numbered(s) else: return numbered_to_accented(s) if accented else s elif identity == ZHUYIN: return zhuyin_to_pinyin(s, accented=accented) elif identity == IPA: return ipa_to_pinyin(s, accented=accented) else: raise ValueError('String is not a valid Chinese transcription.')
to_pinyin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, accented=True):\n identity = identify(s)\n if identity == PINYIN:\n if _has_accented_vowels(s):\n return s if accented else accented_to_numbered(s)\n else:\n return numbered_to_accented(s) if accented else s\n elif identity == ZHUYIN:\n return zhuyin_to_pinyin(s, accented=accented)\n elif identity == IPA:\n return ipa_to_pinyin(s, accented=accented)\n else:\n raise ValueError('String is not a valid Chinese transcription.')\n", "role": "user" }, { "content": "to_pinyin", "role": "assistant" } ]
def x(s): identity = identify(s) if identity == ZHUYIN: return s elif identity == PINYIN: return pinyin_to_zhuyin(s) elif identity == IPA: return ipa_to_zhuyin(s) else: raise ValueError('String is not a valid Chinese transcription.')
to_zhuyin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n identity = identify(s)\n if identity == ZHUYIN:\n return s\n elif identity == PINYIN:\n return pinyin_to_zhuyin(s)\n elif identity == IPA:\n return ipa_to_zhuyin(s)\n else:\n raise ValueError('String is not a valid Chinese transcription.')\n", "role": "user" }, { "content": "to_zhuyin", "role": "assistant" } ]
def x(s): identity = identify(s) if identity == IPA: return s elif identity == PINYIN: return pinyin_to_ipa(s) elif identity == ZHUYIN: return zhuyin_to_ipa(s) else: raise ValueError('String is not a valid Chinese transcription.')
to_ipa
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n identity = identify(s)\n if identity == IPA:\n return s\n elif identity == PINYIN:\n return pinyin_to_ipa(s)\n elif identity == ZHUYIN:\n return zhuyin_to_ipa(s)\n else:\n raise ValueError('String is not a valid Chinese transcription.')\n", "role": "user" }, { "content": "to_ipa", "role": "assistant" } ]
def x(re_pattern, s): match = re.match(re_pattern, s, re.I) return match.group() == s if match else False
is_pattern_match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(re_pattern, s):\n match = re.match(re_pattern, s, re.I)\n return match.group() == s if match else False\n", "role": "user" }, { "content": "is_pattern_match", "role": "assistant" } ]
def x(s): re_pattern = '(?:%(word)s|[ \t%(punctuation)s])+' % {'word': zhon. pinyin.word, 'punctuation': zhon.pinyin.punctuation} return _is_pattern_match(re_pattern, s)
is_pinyin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n re_pattern = '(?:%(word)s|[ \\t%(punctuation)s])+' % {'word': zhon.\n pinyin.word, 'punctuation': zhon.pinyin.punctuation}\n return _is_pattern_match(re_pattern, s)\n", "role": "user" }, { "content": "is_pinyin", "role": "assistant" } ]
def x(s): printable_zhuyin = zhon.zhuyin.characters + zhon.zhuyin.marks + ' ' return _is_pattern_match('[%s]+' % printable_zhuyin, s)
is_zhuyin_compatible
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n printable_zhuyin = zhon.zhuyin.characters + zhon.zhuyin.marks + ' '\n return _is_pattern_match('[%s]+' % printable_zhuyin, s)\n", "role": "user" }, { "content": "is_zhuyin_compatible", "role": "assistant" } ]
def x(s): re_pattern = '(?:%(syllable)s|[ \t%(punctuation)s])+' % {'syllable': _IPA_SYLLABLE, 'punctuation': zhon.pinyin.punctuation} return _is_pattern_match(re_pattern, s)
is_ipa
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n re_pattern = '(?:%(syllable)s|[ \\t%(punctuation)s])+' % {'syllable':\n _IPA_SYLLABLE, 'punctuation': zhon.pinyin.punctuation}\n return _is_pattern_match(re_pattern, s)\n", "role": "user" }, { "content": "is_ipa", "role": "assistant" } ]
def x(s): if is_pinyin(s): return PINYIN elif is_zhuyin(s): return ZHUYIN elif is_ipa(s): return IPA else: return UNKNOWN
identify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n if is_pinyin(s):\n return PINYIN\n elif is_zhuyin(s):\n return ZHUYIN\n elif is_ipa(s):\n return IPA\n else:\n return UNKNOWN\n", "role": "user" }, { "content": "identify", "role": "assistant" } ]
def x(self, f): self.g = autograd.grad(f) self.h = autograd.hessian(f)
prepare
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, f):\n self.g = autograd.grad(f)\n self.h = autograd.hessian(f)\n", "role": "user" }, { "content": "prepare", "role": "assistant" } ]
def x(self, x0, target): x = x0 for _ in range(self.maxiter): delta = np.linalg.solve(self.h(x, target), -self.g(x, target)) x = x + delta if np.linalg.norm(delta) < self.tol: break return x
optimize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x0, target):\n x = x0\n for _ in range(self.maxiter):\n delta = np.linalg.solve(self.h(x, target), -self.g(x, target))\n x = x + delta\n if np.linalg.norm(delta) < self.tol:\n break\n return x\n", "role": "user" }, { "content": "optimize", "role": "assistant" } ]
def x(self, x0, target): x = x0 for i in range(self.maxiter): g = self.g(x, target) h = self.h(x, target) if i == 0: alpha = 0 m = g else: alpha = -np.dot(m, np.dot(h, g)) / np.dot(m, np.dot(h, m)) m = g + np.dot(alpha, m) t = -np.dot(m, g) / np.dot(m, np.dot(h, m)) delta = np.dot(t, m) x = x + delta if np.linalg.norm(delta) < self.tol: break return x
optimize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x0, target):\n x = x0\n for i in range(self.maxiter):\n g = self.g(x, target)\n h = self.h(x, target)\n if i == 0:\n alpha = 0\n m = g\n else:\n alpha = -np.dot(m, np.dot(h, g)) / np.dot(m, np.dot(h, m))\n m = g + np.dot(alpha, m)\n t = -np.dot(m, g) / np.dot(m, np.dot(h, m))\n delta = np.dot(t, m)\n x = x + delta\n if np.linalg.norm(delta) < self.tol:\n break\n return x\n", "role": "user" }, { "content": "optimize", "role": "assistant" } ]
def x(self, angles0, target): def x(angles): return self.f(angles, target) return scipy.optimize.minimize(new_objective, angles0, **self.optimizer_opt ).x
optimize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, angles0, target):\n\n def x(angles):\n return self.f(angles, target)\n return scipy.optimize.minimize(new_objective, angles0, **self.optimizer_opt\n ).x\n", "role": "user" }, { "content": "optimize", "role": "assistant" } ]
def x(self, angles0, target): def x(angles): a = angles - angles0 if isinstance(self.smooth_factor, (np.ndarray, list)): if len(a) == len(self.smooth_factor): return self.f(angles, target) + np.sum(self.smooth_factor * np.power(a, 2)) else: raise ValueError('len(smooth_factor) != number of joints') else: return self.f(angles, target) + self.smooth_factor * np.sum(np. power(a, 2)) return scipy.optimize.minimize(new_objective, angles0, **self.optimizer_opt ).x
optimize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, angles0, target):\n\n def x(angles):\n a = angles - angles0\n if isinstance(self.smooth_factor, (np.ndarray, list)):\n if len(a) == len(self.smooth_factor):\n return self.f(angles, target) + np.sum(self.smooth_factor *\n np.power(a, 2))\n else:\n raise ValueError('len(smooth_factor) != number of joints')\n else:\n return self.f(angles, target) + self.smooth_factor * np.sum(np.\n power(a, 2))\n return scipy.optimize.minimize(new_objective, angles0, **self.optimizer_opt\n ).x\n", "role": "user" }, { "content": "optimize", "role": "assistant" } ]
def x(self, angles): return reduce(lambda a, m: np.dot(m, a), reversed(self._matrices(angles )), np.array([0.0, 0.0, 0.0, 1.0]))[:3]
solve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, angles):\n return reduce(lambda a, m: np.dot(m, a), reversed(self._matrices(angles\n )), np.array([0.0, 0.0, 0.0, 1.0]))[:3]\n", "role": "user" }, { "content": "solve", "role": "assistant" } ]
def x(self, angles0, target): return self.optimizer.optimize(np.array(angles0), target)
solve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, angles0, target):\n return self.optimizer.optimize(np.array(angles0), target)\n", "role": "user" }, { "content": "solve", "role": "assistant" } ]
def x(self, _): x, y, z = self.coord return np.array([[1.0, 0.0, 0.0, x], [0.0, 1.0, 0.0, y], [0.0, 0.0, 1.0, z], [0.0, 0.0, 0.0, 1.0]])
matrix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, _):\n x, y, z = self.coord\n return np.array([[1.0, 0.0, 0.0, x], [0.0, 1.0, 0.0, y], [0.0, 0.0, 1.0,\n z], [0.0, 0.0, 0.0, 1.0]])\n", "role": "user" }, { "content": "matrix", "role": "assistant" } ]
def x(self, angle): _rot_mat = {'x': self._x_rot, 'y': self._y_rot, 'z': self._z_rot} return _rot_mat[self.axis](angle)
matrix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, angle):\n _rot_mat = {'x': self._x_rot, 'y': self._y_rot, 'z': self._z_rot}\n return _rot_mat[self.axis](angle)\n", "role": "user" }, { "content": "matrix", "role": "assistant" } ]
def x(self, logger): self.__logger = logger self.session.set_logger(self.__logger)
set_logger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, logger):\n self.__logger = logger\n self.session.set_logger(self.__logger)\n", "role": "user" }, { "content": "set_logger", "role": "assistant" } ]
def x(self): this_path = os.path.dirname(os.path.realpath(__file__)) version_file = os.path.join(this_path, 'VERSION') return open(version_file).read().strip()
version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n this_path = os.path.dirname(os.path.realpath(__file__))\n version_file = os.path.join(this_path, 'VERSION')\n return open(version_file).read().strip()\n", "role": "user" }, { "content": "version", "role": "assistant" } ]
def x(self, email=None, password=None): if self.session.authenticate(email, password): return True
authenticate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, email=None, password=None):\n if self.session.authenticate(email, password):\n return True\n", "role": "user" }, { "content": "authenticate", "role": "assistant" } ]
def x(self): cash = False try: response = self.session.get('/browse/cashBalanceAj.action') json_response = response.json() if self.session.json_success(json_response): self.__log('Cash available: {0}'.format(json_response[ 'cashBalance'])) cash_value = json_response['cashBalance'] cash_match = re.search('^[^0-9]?([0-9\\.,]+)[^0-9]?', cash_value) if cash_match: cash_str = cash_match.group(1) cash_str = cash_str.replace(',', '') cash = float(cash_str) else: self.__log('Could not get cash balance: {0}'.format(response.text)) except Exception as e: self.__log( 'Could not get the cash balance on the account: Error: {0}\nJSON: {1}' .format(str(e), response.text)) raise e return cash
get_cash_balance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cash = False\n try:\n response = self.session.get('/browse/cashBalanceAj.action')\n json_response = response.json()\n if self.session.json_success(json_response):\n self.__log('Cash available: {0}'.format(json_response[\n 'cashBalance']))\n cash_value = json_response['cashBalance']\n cash_match = re.search('^[^0-9]?([0-9\\\\.,]+)[^0-9]?', cash_value)\n if cash_match:\n cash_str = cash_match.group(1)\n cash_str = cash_str.replace(',', '')\n cash = float(cash_str)\n else:\n self.__log('Could not get cash balance: {0}'.format(response.text))\n except Exception as e:\n self.__log(\n 'Could not get the cash balance on the account: Error: {0}\\nJSON: {1}'\n .format(str(e), response.text))\n raise e\n return cash\n", "role": "user" }, { "content": "get_cash_balance", "role": "assistant" } ]
def x(self, names_only=False): folios = [] response = self.session.get( '/data/portfolioManagement?method=getLCPortfolios') json_response = response.json() if self.session.json_success(json_response): folios = json_response['results'] if names_only is True: for i, folio in enumerate(folios): folios[i] = folio['portfolioName'] return folios
get_portfolio_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, names_only=False):\n folios = []\n response = self.session.get(\n '/data/portfolioManagement?method=getLCPortfolios')\n json_response = response.json()\n if self.session.json_success(json_response):\n folios = json_response['results']\n if names_only is True:\n for i, folio in enumerate(folios):\n folios[i] = folio['portfolioName']\n return folios\n", "role": "user" }, { "content": "get_portfolio_list", "role": "assistant" } ]
def x(self, portfolio_name, loan_id, order_id): response = None assert type(loan_id) == type(order_id ), 'Both loan_id and order_id need to be the same type' assert type(loan_id) in (int, list ), 'loan_id and order_id can only be int or list types' assert type(loan_id) is int or type(loan_id) is list and len(loan_id ) == len(order_id ), 'If order_id and loan_id are lists, they both need to be the same length' post = {'loan_id': loan_id, 'record_id': loan_id, 'order_id': order_id} query = {'method': 'createLCPortfolio', 'lcportfolio_name': portfolio_name} existing = self.get_portfolio_list() for folio in existing: if folio['portfolioName'] == portfolio_name: query['method'] = 'addToLCPortfolio' response = self.session.post('/data/portfolioManagement', query=query, data=post) json_response = response.json() if not self.session.json_success(json_response): raise LendingClubError("Could not assign order to portfolio '{0}'". format(portfolio_name), response) else: if 'portfolioName' in json_response and json_response['portfolioName' ] != portfolio_name: raise LendingClubError( 'Added order to portfolio "{0}" - NOT - "{1}", and I don\'t know why' .format(json_response['portfolioName'], portfolio_name)) else: self.__log('Added order to portfolio "{0}"'.format(portfolio_name)) return True return False
assign_to_portfolio
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, portfolio_name, loan_id, order_id):\n response = None\n assert type(loan_id) == type(order_id\n ), 'Both loan_id and order_id need to be the same type'\n assert type(loan_id) in (int, list\n ), 'loan_id and order_id can only be int or list types'\n assert type(loan_id) is int or type(loan_id) is list and len(loan_id\n ) == len(order_id\n ), 'If order_id and loan_id are lists, they both need to be the same length'\n post = {'loan_id': loan_id, 'record_id': loan_id, 'order_id': order_id}\n query = {'method': 'createLCPortfolio', 'lcportfolio_name': portfolio_name}\n existing = self.get_portfolio_list()\n for folio in existing:\n if folio['portfolioName'] == portfolio_name:\n query['method'] = 'addToLCPortfolio'\n response = self.session.post('/data/portfolioManagement', query=query,\n data=post)\n json_response = response.json()\n if not self.session.json_success(json_response):\n raise LendingClubError(\"Could not assign order to portfolio '{0}'\".\n format(portfolio_name), response)\n else:\n if 'portfolioName' in json_response and json_response['portfolioName'\n ] != portfolio_name:\n raise LendingClubError(\n 'Added order to portfolio \"{0}\" - NOT - \"{1}\", and I don\\'t know why'\n .format(json_response['portfolioName'], portfolio_name))\n else:\n self.__log('Added order to portfolio \"{0}\"'.format(portfolio_name))\n return True\n return False\n", "role": "user" }, { "content": "assign_to_portfolio", "role": "assistant" } ]
def x(self, filters=None, start_index=0, limit=100): assert filters is None or isinstance(filters, Filter ), 'filter is not a lendingclub.filters.Filter' if filters: filter_string = filters.search_string() else: filter_string = 'default' payload = {'method': 'search', 'filter': filter_string, 'startindex': start_index, 'pagesize': limit} response = self.session.post('/browse/browseNotesAj.action', data=payload) json_response = response.json() if self.session.json_success(json_response): results = json_response['searchresult'] for loan in results['loans']: loan['loan_id'] = int(loan['loanGUID']) if filters is not None: filters.validate(results['loans']) return results return False
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filters=None, start_index=0, limit=100):\n assert filters is None or isinstance(filters, Filter\n ), 'filter is not a lendingclub.filters.Filter'\n if filters:\n filter_string = filters.search_string()\n else:\n filter_string = 'default'\n payload = {'method': 'search', 'filter': filter_string, 'startindex':\n start_index, 'pagesize': limit}\n response = self.session.post('/browse/browseNotesAj.action', data=payload)\n json_response = response.json()\n if self.session.json_success(json_response):\n results = json_response['searchresult']\n for loan in results['loans']:\n loan['loan_id'] = int(loan['loanGUID'])\n if filters is not None:\n filters.validate(results['loans'])\n return results\n return False\n", "role": "user" }, { "content": "search", "role": "assistant" } ]
def x(self, cash, max_per_note=25, min_percent=0, max_percent=20, filters= None, automatically_invest=False, do_not_clear_staging=False): assert filters is None or isinstance(filters, Filter ), 'filter is not a lendingclub.filters.Filter' assert max_per_note >= 25, 'max_per_note must be greater than or equal to 25' if filters: filter_str = filters.search_string() else: filter_str = 'default' self.session.clear_session_order() payload = {'amount': cash, 'max_per_note': max_per_note, 'filter': filter_str} self.__log('POST VALUES -- amount: {0}, max_per_note: {1}, filter: ...' .format(cash, max_per_note)) response = self.session.post('/portfolio/lendingMatchOptionsV2.action', data=payload) json_response = response.json() if self.session.json_success(json_response ) and 'lmOptions' in json_response: options = json_response['lmOptions'] if type(options) is not list or json_response['numberTicks'] == 0: self.__log('No lending portfolios were returned with your search') return False i = 0 match_index = -1 match_option = None for option in options: if option['percentage'] == max_percent: match_option = option match_index = i break elif option['percentage'] > max_percent: break elif option['percentage'] >= min_percent and (match_option is None or match_option['percentage'] < option['percentage']): match_option = option match_index = i i += 1 if match_option is None: self.__log('No portfolios matched your percentage requirements') return False payload = {'order_amount': cash, 'lending_match_point': match_index, 'lending_match_version': 'v2'} self.session.get('/portfolio/recommendPortfolio.action', query=payload) payload = {'method': 'getPortfolio'} response = self.session.get('/data/portfolio', query=payload) json_response = response.json() fractions = [] if 'loanFractions' in json_response: fractions = json_response['loanFractions'] for frac in fractions: frac['invest_amount'] = frac['loanFractionAmount'] if frac['invest_amount'] > max_per_note: raise LendingClubError( 'ERROR: LendingClub tried to invest ${0} in a loan note. Your max per note is set to ${1}. Portfolio investment canceled.' .format(frac['invest_amount'], max_per_note)) if len(fractions) == 0: self.__log("The selected portfolio didn't have any loans") return False match_option['loan_fractions'] = fractions if filters is not None: filters.validate(fractions) if automatically_invest is not True: if do_not_clear_staging is not True: self.session.clear_session_order() elif automatically_invest is True: order = self.start_order() order._Order__already_staged = True order._Order__i_know_what_im_doing = True order.add_batch(match_option['loan_fractions']) order_id = order.execute() match_option['order_id'] = order_id return match_option else: raise LendingClubError( 'Could not find any portfolio options that match your filters', response) return False
build_portfolio
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cash, max_per_note=25, min_percent=0, max_percent=20, filters=\n None, automatically_invest=False, do_not_clear_staging=False):\n assert filters is None or isinstance(filters, Filter\n ), 'filter is not a lendingclub.filters.Filter'\n assert max_per_note >= 25, 'max_per_note must be greater than or equal to 25'\n if filters:\n filter_str = filters.search_string()\n else:\n filter_str = 'default'\n self.session.clear_session_order()\n payload = {'amount': cash, 'max_per_note': max_per_note, 'filter':\n filter_str}\n self.__log('POST VALUES -- amount: {0}, max_per_note: {1}, filter: ...'\n .format(cash, max_per_note))\n response = self.session.post('/portfolio/lendingMatchOptionsV2.action',\n data=payload)\n json_response = response.json()\n if self.session.json_success(json_response\n ) and 'lmOptions' in json_response:\n options = json_response['lmOptions']\n if type(options) is not list or json_response['numberTicks'] == 0:\n self.__log('No lending portfolios were returned with your search')\n return False\n i = 0\n match_index = -1\n match_option = None\n for option in options:\n if option['percentage'] == max_percent:\n match_option = option\n match_index = i\n break\n elif option['percentage'] > max_percent:\n break\n elif option['percentage'] >= min_percent and (match_option is\n None or match_option['percentage'] < option['percentage']):\n match_option = option\n match_index = i\n i += 1\n if match_option is None:\n self.__log('No portfolios matched your percentage requirements')\n return False\n payload = {'order_amount': cash, 'lending_match_point': match_index,\n 'lending_match_version': 'v2'}\n self.session.get('/portfolio/recommendPortfolio.action', query=payload)\n payload = {'method': 'getPortfolio'}\n response = self.session.get('/data/portfolio', query=payload)\n json_response = response.json()\n fractions = []\n if 'loanFractions' in json_response:\n fractions = json_response['loanFractions']\n for frac in fractions:\n frac['invest_amount'] = frac['loanFractionAmount']\n if frac['invest_amount'] > max_per_note:\n raise LendingClubError(\n 'ERROR: LendingClub tried to invest ${0} in a loan note. Your max per note is set to ${1}. Portfolio investment canceled.'\n .format(frac['invest_amount'], max_per_note))\n if len(fractions) == 0:\n self.__log(\"The selected portfolio didn't have any loans\")\n return False\n match_option['loan_fractions'] = fractions\n if filters is not None:\n filters.validate(fractions)\n if automatically_invest is not True:\n if do_not_clear_staging is not True:\n self.session.clear_session_order()\n elif automatically_invest is True:\n order = self.start_order()\n order._Order__already_staged = True\n order._Order__i_know_what_im_doing = True\n order.add_batch(match_option['loan_fractions'])\n order_id = order.execute()\n match_option['order_id'] = order_id\n return match_option\n else:\n raise LendingClubError(\n 'Could not find any portfolio options that match your filters',\n response)\n return False\n", "role": "user" }, { "content": "build_portfolio", "role": "assistant" } ]
def x(self, start_index=0, limit=100, get_all=False, sort_by='loanId', sort_dir='asc'): index = start_index notes = {'loans': [], 'total': 0, 'result': 'success'} while True: payload = {'sortBy': sort_by, 'dir': sort_dir, 'startindex': index, 'pagesize': limit, 'namespace': '/account'} response = self.session.post('/account/loansAj.action', data=payload) json_response = response.json() if self.session.json_success(json_response): notes['loans'] += json_response['searchresult']['loans'] notes['total'] = json_response['searchresult']['totalRecords'] else: notes['result'] = json_response['result'] break if get_all is True and len(notes['loans']) < notes['total']: index += limit else: break return notes
my_notes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start_index=0, limit=100, get_all=False, sort_by='loanId',\n sort_dir='asc'):\n index = start_index\n notes = {'loans': [], 'total': 0, 'result': 'success'}\n while True:\n payload = {'sortBy': sort_by, 'dir': sort_dir, 'startindex': index,\n 'pagesize': limit, 'namespace': '/account'}\n response = self.session.post('/account/loansAj.action', data=payload)\n json_response = response.json()\n if self.session.json_success(json_response):\n notes['loans'] += json_response['searchresult']['loans']\n notes['total'] = json_response['searchresult']['totalRecords']\n else:\n notes['result'] = json_response['result']\n break\n if get_all is True and len(notes['loans']) < notes['total']:\n index += limit\n else:\n break\n return notes\n", "role": "user" }, { "content": "my_notes", "role": "assistant" } ]
def x(self, note_id): index = 0 while True: notes = self.my_notes(start_index=index, sort_by='noteId') if notes['result'] != 'success': break if notes['loans'][0]['noteId'] > note_id: break if notes['loans'][-1]['noteId'] >= note_id: for note in notes['loans']: if note['noteId'] == note_id: return note index += 100 return False
get_note
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, note_id):\n index = 0\n while True:\n notes = self.my_notes(start_index=index, sort_by='noteId')\n if notes['result'] != 'success':\n break\n if notes['loans'][0]['noteId'] > note_id:\n break\n if notes['loans'][-1]['noteId'] >= note_id:\n for note in notes['loans']:\n if note['noteId'] == note_id:\n return note\n index += 100\n return False\n", "role": "user" }, { "content": "get_note", "role": "assistant" } ]
def x(self, loan_id=None, order_id=None, grade=None, portfolio_name=None, status=None, term=None): assert grade is None or type(grade) is str, 'grade must be a string' assert portfolio_name is None or type(portfolio_name ) is str, 'portfolio_name must be a string' index = 0 found = [] sort_by = 'orderId' if order_id is not None else 'loanId' group_id = order_id if order_id is not None else loan_id if grade is not None: grade = grade[0].upper() if status is not None: status = re.sub('[^a-zA-Z\\-]', ' ', status.lower()) status = re.sub('days', ' ', status) status = re.sub('\\s+', '-', status.strip()) status = re.sub('(^-+)|(-+$)', '', status) while True: notes = self.my_notes(start_index=index, sort_by=sort_by) if notes['result'] != 'success': break if group_id is not None and notes['loans'][0][sort_by] > group_id: break if group_id is None or notes['loans'][-1][sort_by] >= group_id: for note in notes['loans']: if order_id is not None and note['orderId'] != order_id: continue if loan_id is not None and note['loanId'] != loan_id: continue if grade is not None and note['rate'][0] != grade: continue if portfolio_name is not None and note['portfolioName'][0 ] != portfolio_name: continue if term is not None and note['loanLength'] != term: continue if status is not None: nstatus = re.sub('[^a-zA-Z\\-]', ' ', note['status']. lower()) nstatus = re.sub('days', ' ', nstatus) nstatus = re.sub('\\s+', '-', nstatus.strip()) nstatus = re.sub('(^-+)|(-+$)', '', nstatus) if nstatus != status: continue found.append(note) index += 100 return found
search_my_notes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, loan_id=None, order_id=None, grade=None, portfolio_name=None,\n status=None, term=None):\n assert grade is None or type(grade) is str, 'grade must be a string'\n assert portfolio_name is None or type(portfolio_name\n ) is str, 'portfolio_name must be a string'\n index = 0\n found = []\n sort_by = 'orderId' if order_id is not None else 'loanId'\n group_id = order_id if order_id is not None else loan_id\n if grade is not None:\n grade = grade[0].upper()\n if status is not None:\n status = re.sub('[^a-zA-Z\\\\-]', ' ', status.lower())\n status = re.sub('days', ' ', status)\n status = re.sub('\\\\s+', '-', status.strip())\n status = re.sub('(^-+)|(-+$)', '', status)\n while True:\n notes = self.my_notes(start_index=index, sort_by=sort_by)\n if notes['result'] != 'success':\n break\n if group_id is not None and notes['loans'][0][sort_by] > group_id:\n break\n if group_id is None or notes['loans'][-1][sort_by] >= group_id:\n for note in notes['loans']:\n if order_id is not None and note['orderId'] != order_id:\n continue\n if loan_id is not None and note['loanId'] != loan_id:\n continue\n if grade is not None and note['rate'][0] != grade:\n continue\n if portfolio_name is not None and note['portfolioName'][0\n ] != portfolio_name:\n continue\n if term is not None and note['loanLength'] != term:\n continue\n if status is not None:\n nstatus = re.sub('[^a-zA-Z\\\\-]', ' ', note['status'].\n lower())\n nstatus = re.sub('days', ' ', nstatus)\n nstatus = re.sub('\\\\s+', '-', nstatus.strip())\n nstatus = re.sub('(^-+)|(-+$)', '', nstatus)\n if nstatus != status:\n continue\n found.append(note)\n index += 100\n return found\n", "role": "user" }, { "content": "search_my_notes", "role": "assistant" } ]
def x(self, loan_id, amount): assert amount > 0 and amount % 25 == 0, 'Amount must be a multiple of 25' assert type(amount) in (float, int), 'Amount must be a number' if type(loan_id) is dict: loan = loan_id assert 'loan_id' in loan and type(loan['loan_id'] ) is int, 'loan_id must be a number or dictionary containing a loan_id value' loan_id = loan['loan_id'] assert type(loan_id) in [str, unicode, int ], 'Loan ID must be an integer number or a string' self.loans[loan_id] = amount
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, loan_id, amount):\n assert amount > 0 and amount % 25 == 0, 'Amount must be a multiple of 25'\n assert type(amount) in (float, int), 'Amount must be a number'\n if type(loan_id) is dict:\n loan = loan_id\n assert 'loan_id' in loan and type(loan['loan_id']\n ) is int, 'loan_id must be a number or dictionary containing a loan_id value'\n loan_id = loan['loan_id']\n assert type(loan_id) in [str, unicode, int\n ], 'Loan ID must be an integer number or a string'\n self.loans[loan_id] = amount\n", "role": "user" }, { "content": "add", "role": "assistant" } ]
def x(self, loans, batch_amount=None): assert batch_amount is None or batch_amount % 25 == 0, 'batch_amount must be a multiple of 25' assert type(loans ) is list, 'The loans property must be a list. (not {0})'.format(type (loans)) for loan in loans: loan_id = loan amount = batch_amount if type(loan) is dict: assert 'loan_id' in loan, 'Each loan dict must have a loan_id value' assert batch_amount or 'invest_amount' in loan, 'Could not determine how much to invest in loan {0}'.format( loan['loan_id']) loan_id = loan['loan_id'] if amount is None and 'invest_amount' in loan: amount = loan['invest_amount'] assert amount is not None, 'Could not determine how much to invest in loan {0}'.format( loan_id) assert amount % 25 == 0, 'Amount to invest must be a multiple of 25 (loan_id: {0})'.format( loan_id) self.add(loan_id, amount)
add_batch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, loans, batch_amount=None):\n assert batch_amount is None or batch_amount % 25 == 0, 'batch_amount must be a multiple of 25'\n assert type(loans\n ) is list, 'The loans property must be a list. (not {0})'.format(type\n (loans))\n for loan in loans:\n loan_id = loan\n amount = batch_amount\n if type(loan) is dict:\n assert 'loan_id' in loan, 'Each loan dict must have a loan_id value'\n assert batch_amount or 'invest_amount' in loan, 'Could not determine how much to invest in loan {0}'.format(\n loan['loan_id'])\n loan_id = loan['loan_id']\n if amount is None and 'invest_amount' in loan:\n amount = loan['invest_amount']\n assert amount is not None, 'Could not determine how much to invest in loan {0}'.format(\n loan_id)\n assert amount % 25 == 0, 'Amount to invest must be a multiple of 25 (loan_id: {0})'.format(\n loan_id)\n self.add(loan_id, amount)\n", "role": "user" }, { "content": "add_batch", "role": "assistant" } ]
def x(self, portfolio_name=None): assert self.order_id == 0, 'This order has already been place. Start a new order.' assert len(self.loans) > 0, "There aren't any loans in your order" self.__stage_order() token = self.__get_strut_token() self.order_id = self.__place_order(token) self.__log('Order #{0} was successfully submitted'.format(self.order_id)) if portfolio_name: return self.assign_to_portfolio(portfolio_name) return self.order_id
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, portfolio_name=None):\n assert self.order_id == 0, 'This order has already been place. Start a new order.'\n assert len(self.loans) > 0, \"There aren't any loans in your order\"\n self.__stage_order()\n token = self.__get_strut_token()\n self.order_id = self.__place_order(token)\n self.__log('Order #{0} was successfully submitted'.format(self.order_id))\n if portfolio_name:\n return self.assign_to_portfolio(portfolio_name)\n return self.order_id\n", "role": "user" }, { "content": "execute", "role": "assistant" } ]
def x(self, portfolio_name=None): assert self.order_id > 0, 'You need to execute this order before you can assign to a portfolio.' loan_ids = self.loans.keys() order_ids = [self.order_id] * len(loan_ids) return self.lc.assign_to_portfolio(portfolio_name, loan_ids, order_ids)
assign_to_portfolio
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, portfolio_name=None):\n assert self.order_id > 0, 'You need to execute this order before you can assign to a portfolio.'\n loan_ids = self.loans.keys()\n order_ids = [self.order_id] * len(loan_ids)\n return self.lc.assign_to_portfolio(portfolio_name, loan_ids, order_ids)\n", "role": "user" }, { "content": "assign_to_portfolio", "role": "assistant" } ]
def x(self): if self.__already_staged is True and self.__i_know_what_im_doing is True: self.__log( "Not staging the order...I hope you know what you're doing...". format(len(self.loans))) return self.__log('Staging order for {0} loan notes...'.format(len(self.loans))) self.lc.session.clear_session_order() loan_ids = self.loans.keys() self.__log('Staging loans {0}'.format(loan_ids)) f = FilterByLoanID(loan_ids) results = self.lc.search(f, limit=len(self.loans)) if len(results['loans']) == 0 or results['totalRecords'] != len(self.loans ): raise LendingClubError( 'Could not stage the loans. The number of loans in your batch does not match totalRecords. {0} != {1}' .format(len(self.loans), results['totalRecords']), results) for loan_id, amount in self.loans.iteritems(): payload = {'method': 'addToPortfolio', 'loan_id': loan_id, 'loan_amount': amount, 'remove': 'false'} response = self.lc.session.get('/data/portfolio', query=payload) json_response = response.json() if not self.lc.session.json_success(json_response): raise LendingClubError('Could not stage loan {0} on the order: {1}' .format(loan_id, response.text), response) payload = {'method': 'addToPortfolioNew'} response = self.lc.session.get('/data/portfolio', query=payload) json_response = response.json() if self.lc.session.json_success(json_response): self.__log(json_response['message']) return True else: raise self.__log('Could not add loans to the order: {0}'.format( response.text)) raise LendingClubError('Could not add loans to the order', response .text)
stage_order
[ { "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.__already_staged is True and self.__i_know_what_im_doing is True:\n self.__log(\n \"Not staging the order...I hope you know what you're doing...\".\n format(len(self.loans)))\n return\n self.__log('Staging order for {0} loan notes...'.format(len(self.loans)))\n self.lc.session.clear_session_order()\n loan_ids = self.loans.keys()\n self.__log('Staging loans {0}'.format(loan_ids))\n f = FilterByLoanID(loan_ids)\n results = self.lc.search(f, limit=len(self.loans))\n if len(results['loans']) == 0 or results['totalRecords'] != len(self.loans\n ):\n raise LendingClubError(\n 'Could not stage the loans. The number of loans in your batch does not match totalRecords. {0} != {1}'\n .format(len(self.loans), results['totalRecords']), results)\n for loan_id, amount in self.loans.iteritems():\n payload = {'method': 'addToPortfolio', 'loan_id': loan_id,\n 'loan_amount': amount, 'remove': 'false'}\n response = self.lc.session.get('/data/portfolio', query=payload)\n json_response = response.json()\n if not self.lc.session.json_success(json_response):\n raise LendingClubError('Could not stage loan {0} on the order: {1}'\n .format(loan_id, response.text), response)\n payload = {'method': 'addToPortfolioNew'}\n response = self.lc.session.get('/data/portfolio', query=payload)\n json_response = response.json()\n if self.lc.session.json_success(json_response):\n self.__log(json_response['message'])\n return True\n else:\n raise self.__log('Could not add loans to the order: {0}'.format(\n response.text))\n raise LendingClubError('Could not add loans to the order', response\n .text)\n", "role": "user" }, { "content": "stage_order", "role": "assistant" } ]
def x(self): try: response = self.lc.session.get('/portfolio/placeOrder.action') soup = BeautifulSoup(response.text, 'html5lib') """ <input type="hidden" name="struts.token.name" value="token" /> <input type="hidden" name="token" value="C4MJZP39Q86KDX8KN8SBTVCP0WSFBXEL" /> """ strut_tag = None strut_token_name = soup.find('input', {'name': 'struts.token.name'}) if strut_token_name and strut_token_name['value'].strip(): form = soup.form for parent in strut_token_name.parents: if parent and parent.name == 'form': form = parent break strut_token_name = strut_token_name['value'] strut_tag = soup.find('input', {'name': strut_token_name}) if strut_tag and strut_tag['value'].strip(): return {'name': strut_token_name, 'value': strut_tag[ 'value'].strip()} self.__log('No struts token! HTML: {0}'.format(response.text)) raise LendingClubError('No struts token. Please report this error.', response) except Exception as e: self.__log('Could not get struts token. Error message: {0}'.format( str(e))) raise LendingClubError('Could not get struts token. Error message: {0}' .format(str(e)))
get_strut_token
[ { "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 response = self.lc.session.get('/portfolio/placeOrder.action')\n soup = BeautifulSoup(response.text, 'html5lib')\n \"\"\"\n <input type=\"hidden\" name=\"struts.token.name\" value=\"token\" />\n <input type=\"hidden\" name=\"token\" value=\"C4MJZP39Q86KDX8KN8SBTVCP0WSFBXEL\" />\n \"\"\"\n strut_tag = None\n strut_token_name = soup.find('input', {'name': 'struts.token.name'})\n if strut_token_name and strut_token_name['value'].strip():\n form = soup.form\n for parent in strut_token_name.parents:\n if parent and parent.name == 'form':\n form = parent\n break\n strut_token_name = strut_token_name['value']\n strut_tag = soup.find('input', {'name': strut_token_name})\n if strut_tag and strut_tag['value'].strip():\n return {'name': strut_token_name, 'value': strut_tag[\n 'value'].strip()}\n self.__log('No struts token! HTML: {0}'.format(response.text))\n raise LendingClubError('No struts token. Please report this error.',\n response)\n except Exception as e:\n self.__log('Could not get struts token. Error message: {0}'.format(\n str(e)))\n raise LendingClubError('Could not get struts token. Error message: {0}'\n .format(str(e)))\n", "role": "user" }, { "content": "get_strut_token", "role": "assistant" } ]
def x(self, token): order_id = 0 response = None if not token or token['value'] == '': raise LendingClubError('The token parameter is False, None or unknown.' ) try: payload = {} if token: payload['struts.token.name'] = token['name'] payload[token['name']] = token['value'] response = self.lc.session.post('/portfolio/orderConfirmed.action', data=payload) html = response.text soup = BeautifulSoup(html, 'html5lib') order_field = soup.find(id='order_id') if order_field: order_id = int(order_field['value']) if order_id == 0: self.__log( 'An investment order was submitted, but a confirmation ID could not be determined' ) raise LendingClubError( 'No order ID was found when placing the order.', response) else: return order_id except Exception as e: raise LendingClubError('Could not place the order: {0}'.format(str( e)), response)
place_order
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token):\n order_id = 0\n response = None\n if not token or token['value'] == '':\n raise LendingClubError('The token parameter is False, None or unknown.'\n )\n try:\n payload = {}\n if token:\n payload['struts.token.name'] = token['name']\n payload[token['name']] = token['value']\n response = self.lc.session.post('/portfolio/orderConfirmed.action',\n data=payload)\n html = response.text\n soup = BeautifulSoup(html, 'html5lib')\n order_field = soup.find(id='order_id')\n if order_field:\n order_id = int(order_field['value'])\n if order_id == 0:\n self.__log(\n 'An investment order was submitted, but a confirmation ID could not be determined'\n )\n raise LendingClubError(\n 'No order ID was found when placing the order.', response)\n else:\n return order_id\n except Exception as e:\n raise LendingClubError('Could not place the order: {0}'.format(str(\n e)), response)\n", "role": "user" }, { "content": "place_order", "role": "assistant" } ]
def x(self): now = time.time() diff = abs(now - self.last_request_time) timeout_sec = self.session_timeout * 60 if diff >= timeout_sec: self.__log('Session timed out, attempting to authenticate') self.authenticate()
continue_session
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n now = time.time()\n diff = abs(now - self.last_request_time)\n timeout_sec = self.session_timeout * 60\n if diff >= timeout_sec:\n self.__log('Session timed out, attempting to authenticate')\n self.authenticate()\n", "role": "user" }, { "content": "continue_session", "role": "assistant" } ]
def x(self, path): url = '{0}{1}'.format(self.base_url, path) url = re.sub('([^:])//', '\\1/', url) return url
build_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n url = '{0}{1}'.format(self.base_url, path)\n url = re.sub('([^:])//', '\\\\1/', url)\n return url\n", "role": "user" }, { "content": "build_url", "role": "assistant" } ]
def x(self, email=None, password=None): if email is None: email = self.email else: self.email = email if password is None: password = self.__pass else: self.__pass = password if email is None: email = raw_input('Email:') self.email = email if password is None: password = getpass.getpass() self.__pass = password self.__log('Attempting to authenticate: {0}'.format(self.email)) self.__session = requests.Session() self.__session.headers = {'Referer': 'https://www.lendingclub.com/', 'User-Agent': 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_8_3) AppleWebKit/537.31 (KHTML, like Gecko) Chrome/26.0.1410.65 Safari/537.31' } self.last_request_time = time.time() payload = {'login_email': email, 'login_password': password} response = self.post('/account/login.action', data=payload, redirects=False ) response_url = response.url if response.status_code == 302: response_url = response.headers['location'] endpoint = response_url.split('/')[-1] self.__log('Status code: {0}'.format(response.status_code)) self.__log('Redirected to: {0}'.format(response_url)) self.__log('Cookies: {0}'.format(str(response.cookies.keys()))) if 'x-echo-query' in response.headers: self.__log('Query: {0}'.format(response.headers['x-echo-query'])) if 'x-echo-data' in response.headers: self.__log('Data: {0}'.format(response.headers['x-echo-data'])) soup = BeautifulSoup(response.text, 'html5lib') errors = soup.find(id='master_error-list') if errors: errors = errors.text.strip() errors = re.sub('\t+', '', errors) errors = re.sub('\\s*\n+\\s*', ' * ', errors) if errors == '': errors = None if errors is not None: raise AuthenticationError(errors) if endpoint == 'login.action': raise AuthenticationError( 'Unknown! Redirected back to the login page without an error message' ) return True
authenticate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, email=None, password=None):\n if email is None:\n email = self.email\n else:\n self.email = email\n if password is None:\n password = self.__pass\n else:\n self.__pass = password\n if email is None:\n email = raw_input('Email:')\n self.email = email\n if password is None:\n password = getpass.getpass()\n self.__pass = password\n self.__log('Attempting to authenticate: {0}'.format(self.email))\n self.__session = requests.Session()\n self.__session.headers = {'Referer': 'https://www.lendingclub.com/',\n 'User-Agent':\n 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_8_3) AppleWebKit/537.31 (KHTML, like Gecko) Chrome/26.0.1410.65 Safari/537.31'\n }\n self.last_request_time = time.time()\n payload = {'login_email': email, 'login_password': password}\n response = self.post('/account/login.action', data=payload, redirects=False\n )\n response_url = response.url\n if response.status_code == 302:\n response_url = response.headers['location']\n endpoint = response_url.split('/')[-1]\n self.__log('Status code: {0}'.format(response.status_code))\n self.__log('Redirected to: {0}'.format(response_url))\n self.__log('Cookies: {0}'.format(str(response.cookies.keys())))\n if 'x-echo-query' in response.headers:\n self.__log('Query: {0}'.format(response.headers['x-echo-query']))\n if 'x-echo-data' in response.headers:\n self.__log('Data: {0}'.format(response.headers['x-echo-data']))\n soup = BeautifulSoup(response.text, 'html5lib')\n errors = soup.find(id='master_error-list')\n if errors:\n errors = errors.text.strip()\n errors = re.sub('\\t+', '', errors)\n errors = re.sub('\\\\s*\\n+\\\\s*', ' * ', errors)\n if errors == '':\n errors = None\n if errors is not None:\n raise AuthenticationError(errors)\n if endpoint == 'login.action':\n raise AuthenticationError(\n 'Unknown! Redirected back to the login page without an error message'\n )\n return True\n", "role": "user" }, { "content": "authenticate", "role": "assistant" } ]
def x(self): try: response = requests.head(self.base_url) status = response.status_code return 200 <= status < 400 except Exception: return False
is_site_available
[ { "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 response = requests.head(self.base_url)\n status = response.status_code\n return 200 <= status < 400\n except Exception:\n return False\n", "role": "user" }, { "content": "is_site_available", "role": "assistant" } ]
def x(self, method, path, query=None, data=None, redirects=True): self.__continue_session() try: url = self.build_url(path) method = method.upper() self.__log('{0} request to: {1}'.format(method, url)) if method == 'POST': request = self.__session.post(url, params=query, data=data, allow_redirects=redirects) elif method == 'GET': request = self.__session.get(url, params=query, data=data, allow_redirects=redirects) elif method == 'HEAD': request = self.__session.head(url, params=query, data=data, allow_redirects=redirects) elif method == 'DELETE': request = self.__session.delete(url, params=query, data=data, allow_redirects=redirects) else: raise SessionError('{0} is not a supported HTTP method'.format( method)) self.last_response = request self.__log('Status code: {0}'.format(request.status_code)) self.last_request_time = time.time() except (RequestException, ConnectionError, TooManyRedirects, HTTPError ) as e: raise NetworkError('{0} failed to: {1}'.format(method, url), e) except Timeout: raise NetworkError('{0} request timed out: {1}'.format(method, url), e) return request
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, path, query=None, data=None, redirects=True):\n self.__continue_session()\n try:\n url = self.build_url(path)\n method = method.upper()\n self.__log('{0} request to: {1}'.format(method, url))\n if method == 'POST':\n request = self.__session.post(url, params=query, data=data,\n allow_redirects=redirects)\n elif method == 'GET':\n request = self.__session.get(url, params=query, data=data,\n allow_redirects=redirects)\n elif method == 'HEAD':\n request = self.__session.head(url, params=query, data=data,\n allow_redirects=redirects)\n elif method == 'DELETE':\n request = self.__session.delete(url, params=query, data=data,\n allow_redirects=redirects)\n else:\n raise SessionError('{0} is not a supported HTTP method'.format(\n method))\n self.last_response = request\n self.__log('Status code: {0}'.format(request.status_code))\n self.last_request_time = time.time()\n except (RequestException, ConnectionError, TooManyRedirects, HTTPError\n ) as e:\n raise NetworkError('{0} failed to: {1}'.format(method, url), e)\n except Timeout:\n raise NetworkError('{0} request timed out: {1}'.format(method, url), e)\n return request\n", "role": "user" }, { "content": "request", "role": "assistant" } ]
def x(self, path, query=None, data=None, redirects=True): return self.request('POST', path, query, data, redirects)
post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, query=None, data=None, redirects=True):\n return self.request('POST', path, query, data, redirects)\n", "role": "user" }, { "content": "post", "role": "assistant" } ]
def x(self, path, query=None, redirects=True): return self.request('GET', path, query, None, redirects)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, query=None, redirects=True):\n return self.request('GET', path, query, None, redirects)\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, path, query=None, data=None, redirects=True): return self.request('HEAD', path, query, None, redirects)
head
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, query=None, data=None, redirects=True):\n return self.request('HEAD', path, query, None, redirects)\n", "role": "user" }, { "content": "head", "role": "assistant" } ]
def x(self, json): if type(json) is dict and 'result' in json and json['result'] == 'success': return True return False
json_success
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, json):\n if type(json) is dict and 'result' in json and json['result'] == 'success':\n return True\n return False\n", "role": "user" }, { "content": "json_success", "role": "assistant" } ]
def x(self, from_dict, to_dict): for key, value in from_dict.iteritems(): if key in to_dict: assert type(to_dict[key]) is type(from_dict[key] ), 'Data type for {0} is incorrect: {1}, should be {2}'.format( key, type(from_dict[key]), type(to_dict[key])) if type(to_dict[key]) is dict: to_dict[key] = self.__merge_values(from_dict[key], to_dict[key] ) else: to_dict[key] = from_dict[key] return to_dict
merge_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, from_dict, to_dict):\n for key, value in from_dict.iteritems():\n if key in to_dict:\n assert type(to_dict[key]) is type(from_dict[key]\n ), 'Data type for {0} is incorrect: {1}, should be {2}'.format(\n key, type(from_dict[key]), type(to_dict[key]))\n if type(to_dict[key]) is dict:\n to_dict[key] = self.__merge_values(from_dict[key], to_dict[key]\n )\n else:\n to_dict[key] = from_dict[key]\n return to_dict\n", "role": "user" }, { "content": "merge_values", "role": "assistant" } ]
def x(self): if 'grades' in self and self['grades']['All'] is True: for grade in self['grades']: if grade != 'All' and self['grades'][grade] is True: self['grades']['All'] = False break
normalize_grades
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if 'grades' in self and self['grades']['All'] is True:\n for grade in self['grades']:\n if grade != 'All' and self['grades'][grade] is True:\n self['grades']['All'] = False\n break\n", "role": "user" }, { "content": "normalize_grades", "role": "assistant" } ]
def x(self): progress = self['funding_progress'] if progress % 10 != 0: progress = round(float(progress) / 10) progress = int(progress) * 10 self['funding_progress'] = progress
normalize_progress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n progress = self['funding_progress']\n if progress % 10 != 0:\n progress = round(float(progress) / 10)\n progress = int(progress) * 10\n self['funding_progress'] = progress\n", "role": "user" }, { "content": "normalize_progress", "role": "assistant" } ]
def x(self): if self.__normalizing is True or self.__initialized is False: return self.__normalizing = True self.__normalize_grades() self.__normalize_progress() self.__normalizing = False
normalize
[ { "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.__normalizing is True or self.__initialized is False:\n return\n self.__normalizing = True\n self.__normalize_grades()\n self.__normalize_progress()\n self.__normalizing = False\n", "role": "user" }, { "content": "normalize", "role": "assistant" } ]
def x(self, loan): assert type(loan) is dict, 'loan parameter must be a dictionary object' req = {'loanGUID': 'loan_id', 'loanGrade': 'grade', 'loanLength': 'term', 'loanUnfundedAmount': 'progress', 'loanAmountRequested': 'progress', 'alreadyInvestedIn': 'exclude_existing', 'purpose': 'loan_purpose'} for key, criteria in req.iteritems(): if criteria in self and key not in loan: raise FilterValidationError('Loan does not have a "{0}" value.' .format(key), loan, criteria) if 'loan_id' in self: loan_ids = str(self['loan_id']).split(',') if str(loan['loanGUID']) not in loan_ids: raise FilterValidationError( 'Did not meet filter criteria for loan ID. {0} does not match {1}' .format(loan['loanGUID'], self['loan_id']), loan=loan, criteria='loan ID') grade = loan['loanGrade'][0] if 'grades' in self and self['grades']['All'] is not True: if grade not in self['grades']: raise FilterValidationError('Loan grade "{0}" is unknown'. format(grade), loan, 'grade') elif self['grades'][grade] is False: raise FilterValidationError(loan=loan, criteria='grade') if 'term' in self and self['term'] is not None: if loan['loanLength'] == 36 and self['term']['Year3'] is False: raise FilterValidationError(loan=loan, criteria='loan term') elif loan['loanLength'] == 60 and self['term']['Year5'] is False: raise FilterValidationError(loan=loan, criteria='loan term') if 'funding_progress' in self: loan_progress = (1 - loan['loanUnfundedAmount'] / loan[ 'loanAmountRequested']) * 100 if self['funding_progress'] > loan_progress: raise FilterValidationError(loan=loan, criteria='funding progress') if 'exclude_existing' in self: if self['exclude_existing'] is True and loan['alreadyInvestedIn' ] is True: raise FilterValidationError(loan=loan, criteria= 'exclude loans you are invested in') if 'loan_purpose' in self and loan['purpose'] is not False: purpose = self['loan_purpose'] if type(purpose) is not dict: purpose = {purpose: True} if 'All' not in purpose or purpose['All'] is False: if loan['purpose'] not in purpose: raise FilterValidationError(loan=loan, criteria='loan purpose') return True
validate_one
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, loan):\n assert type(loan) is dict, 'loan parameter must be a dictionary object'\n req = {'loanGUID': 'loan_id', 'loanGrade': 'grade', 'loanLength':\n 'term', 'loanUnfundedAmount': 'progress', 'loanAmountRequested':\n 'progress', 'alreadyInvestedIn': 'exclude_existing', 'purpose':\n 'loan_purpose'}\n for key, criteria in req.iteritems():\n if criteria in self and key not in loan:\n raise FilterValidationError('Loan does not have a \"{0}\" value.'\n .format(key), loan, criteria)\n if 'loan_id' in self:\n loan_ids = str(self['loan_id']).split(',')\n if str(loan['loanGUID']) not in loan_ids:\n raise FilterValidationError(\n 'Did not meet filter criteria for loan ID. {0} does not match {1}'\n .format(loan['loanGUID'], self['loan_id']), loan=loan,\n criteria='loan ID')\n grade = loan['loanGrade'][0]\n if 'grades' in self and self['grades']['All'] is not True:\n if grade not in self['grades']:\n raise FilterValidationError('Loan grade \"{0}\" is unknown'.\n format(grade), loan, 'grade')\n elif self['grades'][grade] is False:\n raise FilterValidationError(loan=loan, criteria='grade')\n if 'term' in self and self['term'] is not None:\n if loan['loanLength'] == 36 and self['term']['Year3'] is False:\n raise FilterValidationError(loan=loan, criteria='loan term')\n elif loan['loanLength'] == 60 and self['term']['Year5'] is False:\n raise FilterValidationError(loan=loan, criteria='loan term')\n if 'funding_progress' in self:\n loan_progress = (1 - loan['loanUnfundedAmount'] / loan[\n 'loanAmountRequested']) * 100\n if self['funding_progress'] > loan_progress:\n raise FilterValidationError(loan=loan, criteria='funding progress')\n if 'exclude_existing' in self:\n if self['exclude_existing'] is True and loan['alreadyInvestedIn'\n ] is True:\n raise FilterValidationError(loan=loan, criteria=\n 'exclude loans you are invested in')\n if 'loan_purpose' in self and loan['purpose'] is not False:\n purpose = self['loan_purpose']\n if type(purpose) is not dict:\n purpose = {purpose: True}\n if 'All' not in purpose or purpose['All'] is False:\n if loan['purpose'] not in purpose:\n raise FilterValidationError(loan=loan, criteria='loan purpose')\n return True\n", "role": "user" }, { "content": "validate_one", "role": "assistant" } ]
def x(self): self.__normalize() tmpl_source = unicode(open(self.tmpl_file).read()) compiler = Compiler() template = compiler.compile(tmpl_source) out = template(self) if not out: return False out = ''.join(out) out = re.sub('\n', '', out) out = re.sub('\\s{3,}', ' ', out) out = re.sub(',\\s*([}\\]])', '\\1', out) out = re.sub('([{\\[}\\]])(,?)\\s*([{\\[}\\]])', '\\1\\2\\3', out) out = re.sub('\\s*([{\\[\\]}:,])\\s*', '\\1', out) return out
search_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.__normalize()\n tmpl_source = unicode(open(self.tmpl_file).read())\n compiler = Compiler()\n template = compiler.compile(tmpl_source)\n out = template(self)\n if not out:\n return False\n out = ''.join(out)\n out = re.sub('\\n', '', out)\n out = re.sub('\\\\s{3,}', ' ', out)\n out = re.sub(',\\\\s*([}\\\\]])', '\\\\1', out)\n out = re.sub('([{\\\\[}\\\\]])(,?)\\\\s*([{\\\\[}\\\\]])', '\\\\1\\\\2\\\\3', out)\n out = re.sub('\\\\s*([{\\\\[\\\\]}:,])\\\\s*', '\\\\1', out)\n return out\n", "role": "user" }, { "content": "search_string", "role": "assistant" } ]