source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, messages): tmpSms = SMS(to='', message='') if str(type(messages)) == str(type(tmpSms)): messages = [messages] xml_root = self.__init_xml('Message') wrapper_id = 0 for m in messages: m.wrapper_id = wrapper_id msg = self.__build_sms_data(m) sms = etree.SubElement(xml_root, 'SMS') for sms_element in msg: element = etree.SubElement(sms, sms_element) element.text = msg[sms_element] response = clockwork_http.request(SMS_URL, etree.tostring(xml_root, encoding='utf-8')) response_data = response['data'] data_etree = etree.fromstring(response_data) err_desc = data_etree.find('ErrDesc') if err_desc is not None: raise clockwork_exceptions.ApiException(err_desc.text, data_etree. find('ErrNo').text) results = [] for sms in data_etree: matching_sms = next((s for s in messages if str(s.wrapper_id) == sms.find('WrapperID').text), None) new_result = SMSResponse(sms=matching_sms, id='' if sms.find( 'MessageID') is None else sms.find('MessageID').text, error_code=0 if sms.find('ErrNo') is None else sms.find('ErrNo' ).text, error_message='' if sms.find('ErrDesc') is None else sms.find('ErrDesc').text, success=True if sms.find('ErrNo') is None else sms.find('ErrNo').text == 0) results.append(new_result) if len(results) > 1: return results return results[0]
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, messages):\n tmpSms = SMS(to='', message='')\n if str(type(messages)) == str(type(tmpSms)):\n messages = [messages]\n xml_root = self.__init_xml('Message')\n wrapper_id = 0\n for m in messages:\n m.wrapper_id = wrapper_id\n msg = self.__build_sms_data(m)\n sms = etree.SubElement(xml_root, 'SMS')\n for sms_element in msg:\n element = etree.SubElement(sms, sms_element)\n element.text = msg[sms_element]\n response = clockwork_http.request(SMS_URL, etree.tostring(xml_root,\n encoding='utf-8'))\n response_data = response['data']\n data_etree = etree.fromstring(response_data)\n err_desc = data_etree.find('ErrDesc')\n if err_desc is not None:\n raise clockwork_exceptions.ApiException(err_desc.text, data_etree.\n find('ErrNo').text)\n results = []\n for sms in data_etree:\n matching_sms = next((s for s in messages if str(s.wrapper_id) ==\n sms.find('WrapperID').text), None)\n new_result = SMSResponse(sms=matching_sms, id='' if sms.find(\n 'MessageID') is None else sms.find('MessageID').text,\n error_code=0 if sms.find('ErrNo') is None else sms.find('ErrNo'\n ).text, error_message='' if sms.find('ErrDesc') is None else\n sms.find('ErrDesc').text, success=True if sms.find('ErrNo') is\n None else sms.find('ErrNo').text == 0)\n results.append(new_result)\n if len(results) > 1:\n return results\n return results[0]\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(self, rootElementTag): xml_root = etree.Element(rootElementTag) key = etree.SubElement(xml_root, 'Key') key.text = self.apikey return xml_root
init_xml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rootElementTag):\n xml_root = etree.Element(rootElementTag)\n key = etree.SubElement(xml_root, 'Key')\n key.text = self.apikey\n return xml_root\n", "role": "user" }, { "content": "init_xml", "role": "assistant" } ]
def x(self, message): attributes = {} attributes_to_translate = {'to': 'To', 'message': 'Content', 'client_id': 'ClientID', 'concat': 'Concat', 'from_name': 'From', 'invalid_char_option': 'InvalidCharOption', 'truncate': 'Truncate', 'wrapper_id': 'WrapperId'} for attr in attributes_to_translate: val_to_use = None if hasattr(message, attr): val_to_use = getattr(message, attr) if val_to_use is None and hasattr(self, attr): val_to_use = getattr(self, attr) if val_to_use is not None: attributes[attributes_to_translate[attr]] = str(val_to_use) return attributes
build_sms_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message):\n attributes = {}\n attributes_to_translate = {'to': 'To', 'message': 'Content',\n 'client_id': 'ClientID', 'concat': 'Concat', 'from_name': 'From',\n 'invalid_char_option': 'InvalidCharOption', 'truncate': 'Truncate',\n 'wrapper_id': 'WrapperId'}\n for attr in attributes_to_translate:\n val_to_use = None\n if hasattr(message, attr):\n val_to_use = getattr(message, attr)\n if val_to_use is None and hasattr(self, attr):\n val_to_use = getattr(self, attr)\n if val_to_use is not None:\n attributes[attributes_to_translate[attr]] = str(val_to_use)\n return attributes\n", "role": "user" }, { "content": "build_sms_data", "role": "assistant" } ]
def x(data): entries = {} allcallers = {} for code_info, call_info in data.stats.items(): code = Code(*code_info) cc, nc, tt, ct, callers = call_info entry = Entry(code, callcount=cc, reccallcount=nc - cc, inlinetime= tt, totaltime=ct, calls=[]) entries[code_info] = entry allcallers[code_info] = list(callers.items()) for entry in entries.values(): entry_label = cProfile.label(entry.code) entry_callers = allcallers.get(entry_label, []) for entry_caller, call_info in entry_callers: cc, nc, tt, ct = call_info subentry = Subentry(entry.code, callcount=cc, reccallcount=nc - cc, inlinetime=tt, totaltime=ct) entries[entry_caller].calls.append(subentry) return list(entries.values())
pstats2entries
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n entries = {}\n allcallers = {}\n for code_info, call_info in data.stats.items():\n code = Code(*code_info)\n cc, nc, tt, ct, callers = call_info\n entry = Entry(code, callcount=cc, reccallcount=nc - cc, inlinetime=\n tt, totaltime=ct, calls=[])\n entries[code_info] = entry\n allcallers[code_info] = list(callers.items())\n for entry in entries.values():\n entry_label = cProfile.label(entry.code)\n entry_callers = allcallers.get(entry_label, [])\n for entry_caller, call_info in entry_callers:\n cc, nc, tt, ct = call_info\n subentry = Subentry(entry.code, callcount=cc, reccallcount=nc -\n cc, inlinetime=tt, totaltime=ct)\n entries[entry_caller].calls.append(subentry)\n return list(entries.values())\n", "role": "user" }, { "content": "pstats2entries", "role": "assistant" } ]
def x(prog): with open(os.devnull, 'w') as devnull: try: if os.name == 'nt': retcode = subprocess.call(['where', prog], stdout=devnull) else: retcode = subprocess.call(['which', prog], stdout=devnull) except OSError as e: if e.errno != errno.ENOENT: raise retcode = 1 return retcode == 0
is_installed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prog):\n with open(os.devnull, 'w') as devnull:\n try:\n if os.name == 'nt':\n retcode = subprocess.call(['where', prog], stdout=devnull)\n else:\n retcode = subprocess.call(['which', prog], stdout=devnull)\n except OSError as e:\n if e.errno != errno.ENOENT:\n raise\n retcode = 1\n return retcode == 0\n", "role": "user" }, { "content": "is_installed", "role": "assistant" } ]
def x(): parser = argparse.ArgumentParser() parser.add_argument('-o', '--outfile', metavar='output_file_path', help ='Save calltree stats to <outfile>') parser.add_argument('-i', '--infile', metavar='input_file_path', help= 'Read Python stats from <infile>') parser.add_argument('-k', '--kcachegrind', help= 'Run the kcachegrind tool on the converted data', action='store_true') parser.add_argument('-r', '--run-script', nargs=argparse.REMAINDER, metavar=('scriptfile', 'args'), dest='script', help= 'Name of the Python script to run to collect profiling data') args = parser.parse_args() outfile = args.outfile if args.script is not None: if not args.outfile: outfile = '%s.log' % os.path.basename(args.script[0]) fd, tmp_path = tempfile.mkstemp(suffix='.prof', prefix= 'pyprof2calltree') os.close(fd) try: cmd = [sys.executable, '-m', 'cProfile', '-o', tmp_path] cmd.extend(args.script) subprocess.check_call(cmd) kg = CalltreeConverter(tmp_path) finally: os.remove(tmp_path) elif args.infile is not None: if not args.outfile: outfile = '%s.log' % os.path.basename(args.infile) if args.infile == outfile: outfile += '.log' kg = CalltreeConverter(pstats.Stats(args.infile)) else: parser.print_usage() sys.exit(2) if args.outfile is not None or not args.kcachegrind: sys.stderr.write('writing converted data to: %s\n' % outfile) with open(outfile, 'w') as f: kg.output(f) if args.kcachegrind: sys.stderr.write('launching kcachegrind\n') kg.visualize()
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n parser = argparse.ArgumentParser()\n parser.add_argument('-o', '--outfile', metavar='output_file_path', help\n ='Save calltree stats to <outfile>')\n parser.add_argument('-i', '--infile', metavar='input_file_path', help=\n 'Read Python stats from <infile>')\n parser.add_argument('-k', '--kcachegrind', help=\n 'Run the kcachegrind tool on the converted data', action='store_true')\n parser.add_argument('-r', '--run-script', nargs=argparse.REMAINDER,\n metavar=('scriptfile', 'args'), dest='script', help=\n 'Name of the Python script to run to collect profiling data')\n args = parser.parse_args()\n outfile = args.outfile\n if args.script is not None:\n if not args.outfile:\n outfile = '%s.log' % os.path.basename(args.script[0])\n fd, tmp_path = tempfile.mkstemp(suffix='.prof', prefix=\n 'pyprof2calltree')\n os.close(fd)\n try:\n cmd = [sys.executable, '-m', 'cProfile', '-o', tmp_path]\n cmd.extend(args.script)\n subprocess.check_call(cmd)\n kg = CalltreeConverter(tmp_path)\n finally:\n os.remove(tmp_path)\n elif args.infile is not None:\n if not args.outfile:\n outfile = '%s.log' % os.path.basename(args.infile)\n if args.infile == outfile:\n outfile += '.log'\n kg = CalltreeConverter(pstats.Stats(args.infile))\n else:\n parser.print_usage()\n sys.exit(2)\n if args.outfile is not None or not args.kcachegrind:\n sys.stderr.write('writing converted data to: %s\\n' % outfile)\n with open(outfile, 'w') as f:\n kg.output(f)\n if args.kcachegrind:\n sys.stderr.write('launching kcachegrind\\n')\n kg.visualize()\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(profiling_data, outputfile): converter = CalltreeConverter(profiling_data) if is_basestring(outputfile): with open(outputfile, 'w') as f: converter.output(f) else: converter.output(outputfile)
convert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(profiling_data, outputfile):\n converter = CalltreeConverter(profiling_data)\n if is_basestring(outputfile):\n with open(outputfile, 'w') as f:\n converter.output(f)\n else:\n converter.output(outputfile)\n", "role": "user" }, { "content": "convert", "role": "assistant" } ]
def x(self, out_file): self.out_file = out_file out_file.write('event: ns : Nanoseconds\n') out_file.write('events: ns\n') self._output_summary() for entry in sorted(self.entries, key=_entry_sort_key): self._output_entry(entry)
output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, out_file):\n self.out_file = out_file\n out_file.write('event: ns : Nanoseconds\\n')\n out_file.write('events: ns\\n')\n self._output_summary()\n for entry in sorted(self.entries, key=_entry_sort_key):\n self._output_entry(entry)\n", "role": "user" }, { "content": "output", "role": "assistant" } ]
def x(self): available_cmd = None for cmd in KCACHEGRIND_EXECUTABLES: if is_installed(cmd): available_cmd = cmd break if available_cmd is None: sys.stderr.write('Could not find kcachegrind. Tried: %s\n' % ', '. join(KCACHEGRIND_EXECUTABLES)) return if self.out_file is None: fd, outfile = tempfile.mkstemp('.log', 'pyprof2calltree') use_temp_file = True else: outfile = self.out_file.name use_temp_file = False try: if use_temp_file: with io.open(fd, 'w') as f: self.output(f) subprocess.call([available_cmd, outfile]) finally: if use_temp_file: os.remove(outfile) self.out_file = None
visualize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n available_cmd = None\n for cmd in KCACHEGRIND_EXECUTABLES:\n if is_installed(cmd):\n available_cmd = cmd\n break\n if available_cmd is None:\n sys.stderr.write('Could not find kcachegrind. Tried: %s\\n' % ', '.\n join(KCACHEGRIND_EXECUTABLES))\n return\n if self.out_file is None:\n fd, outfile = tempfile.mkstemp('.log', 'pyprof2calltree')\n use_temp_file = True\n else:\n outfile = self.out_file.name\n use_temp_file = False\n try:\n if use_temp_file:\n with io.open(fd, 'w') as f:\n self.output(f)\n subprocess.call([available_cmd, outfile])\n finally:\n if use_temp_file:\n os.remove(outfile)\n self.out_file = None\n", "role": "user" }, { "content": "visualize", "role": "assistant" } ]
def x(self, reference_app=None): if reference_app is not None: return reference_app if self.app is not None: return self.app ctx = stack.top if ctx is not None: return ctx.app raise RuntimeError( 'Application not registered on Bouncer instance and no application bound to current context' )
get_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, reference_app=None):\n if reference_app is not None:\n return reference_app\n if self.app is not None:\n return self.app\n ctx = stack.top\n if ctx is not None:\n return ctx.app\n raise RuntimeError(\n 'Application not registered on Bouncer instance and no application bound to current context'\n )\n", "role": "user" }, { "content": "get_app", "role": "assistant" } ]
def x(self, app, **kwargs): self.app = app self._init_extension() self.app.before_request(self.check_implicit_rules) if kwargs.get('ensure_authorization', False): self.app.after_request(self.check_authorization)
init_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app, **kwargs):\n self.app = app\n self._init_extension()\n self.app.before_request(self.check_implicit_rules)\n if kwargs.get('ensure_authorization', False):\n self.app.after_request(self.check_authorization)\n", "role": "user" }, { "content": "init_app", "role": "assistant" } ]
def x(self, response): if not hasattr(request, '_authorized'): raise Unauthorized elif not request._authorized: raise Unauthorized return response
check_authorization
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response):\n if not hasattr(request, '_authorized'):\n raise Unauthorized\n elif not request._authorized:\n raise Unauthorized\n return response\n", "role": "user" }, { "content": "check_authorization", "role": "assistant" } ]
def x(self): if not self.request_is_managed_by_flask_classy(): return if self.method_is_explictly_overwritten(): return class_name, action = request.endpoint.split(':') clazz = [classy_class for classy_class in self.flask_classy_classes if classy_class.__name__ == class_name][0] Condition(action, clazz.__target_model__).test()
check_implicit_rules
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.request_is_managed_by_flask_classy():\n return\n if self.method_is_explictly_overwritten():\n return\n class_name, action = request.endpoint.split(':')\n clazz = [classy_class for classy_class in self.flask_classy_classes if \n classy_class.__name__ == class_name][0]\n Condition(action, clazz.__target_model__).test()\n", "role": "user" }, { "content": "check_implicit_rules", "role": "assistant" } ]
def x(texture, rotation, x_offset=0.5, y_offset=0.5): x, y = texture x = x.copy() - x_offset y = y.copy() - y_offset angle = np.radians(rotation) x_rot = x * np.cos(angle) + y * np.sin(angle) y_rot = x * -np.sin(angle) + y * np.cos(angle) return x_rot + x_offset, y_rot + y_offset
rotate_texture
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(texture, rotation, x_offset=0.5, y_offset=0.5):\n x, y = texture\n x = x.copy() - x_offset\n y = y.copy() - y_offset\n angle = np.radians(rotation)\n x_rot = x * np.cos(angle) + y * np.sin(angle)\n y_rot = x * -np.sin(angle) + y * np.cos(angle)\n return x_rot + x_offset, y_rot + y_offset\n", "role": "user" }, { "content": "rotate_texture", "role": "assistant" } ]
def x(layer): x, y = layer x = (x - np.nanmin(x)) / (np.nanmax(x) - np.nanmin(x)) y = (y - np.nanmin(y)) / (np.nanmax(y) - np.nanmin(y)) return x, y
fit_texture
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(layer):\n x, y = layer\n x = (x - np.nanmin(x)) / (np.nanmax(x) - np.nanmin(x))\n y = (y - np.nanmin(y)) / (np.nanmax(y) - np.nanmin(y))\n return x, y\n", "role": "user" }, { "content": "fit_texture", "role": "assistant" } ]
def x(solution, graph): expected = Counter(i for i, _ in graph.iter_starts_with_index() if i < graph.get_disjoint(i)) actual = Counter(min(i, graph.get_disjoint(i)) for i in solution) difference = Counter(expected) difference.subtract(actual) difference = {k: v for k, v in difference.items() if v != 0} if difference: print( 'Solution is not valid!Difference in node counts (expected - actual): {}' .format(difference)) return False return True
check_valid_solution
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(solution, graph):\n expected = Counter(i for i, _ in graph.iter_starts_with_index() if i <\n graph.get_disjoint(i))\n actual = Counter(min(i, graph.get_disjoint(i)) for i in solution)\n difference = Counter(expected)\n difference.subtract(actual)\n difference = {k: v for k, v in difference.items() if v != 0}\n if difference:\n print(\n 'Solution is not valid!Difference in node counts (expected - actual): {}'\n .format(difference))\n return False\n return True\n", "role": "user" }, { "content": "check_valid_solution", "role": "assistant" } ]
def x(solution, graph): assert check_valid_solution(solution, graph) return [graph.get_path(i) for i in solution]
get_route_from_solution
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(solution, graph):\n assert check_valid_solution(solution, graph)\n return [graph.get_path(i) for i in solution]\n", "role": "user" }, { "content": "get_route_from_solution", "role": "assistant" } ]
def x(turtle_program, turn_amount=DEFAULT_TURN, initial_angle= DEFAULT_INITIAL_ANGLE, resolution=1): saved_states = list() state = 0, 0, DEFAULT_INITIAL_ANGLE yield 0, 0 for command in turtle_program: x, y, angle = state if command in FORWARD_COMMANDS: new_x = x - np.cos(np.radians(angle)) new_y = y + np.sin(np.radians(angle)) state = new_x, new_y, angle if command not in VISIBLE_FORWARD_COMMANDS: yield np.nan, np.nan yield state[0], state[1] else: dx = new_x - x dy = new_y - y for frac in (1 - np.flipud(np.linspace(0, 1, resolution, False))): yield x + frac * dx, y + frac * dy elif command == CW_TURN_COMMAND: state = x, y, angle + turn_amount elif command == CCW_TURN_COMMAND: state = x, y, angle - turn_amount elif command == PUSH_STATE_COMMAND: saved_states.append(state) elif command == POP_STATE_COMMAND: state = saved_states.pop() yield np.nan, np.nan x, y, _ = state yield x, y
branching_turtle_generator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(turtle_program, turn_amount=DEFAULT_TURN, initial_angle=\n DEFAULT_INITIAL_ANGLE, resolution=1):\n saved_states = list()\n state = 0, 0, DEFAULT_INITIAL_ANGLE\n yield 0, 0\n for command in turtle_program:\n x, y, angle = state\n if command in FORWARD_COMMANDS:\n new_x = x - np.cos(np.radians(angle))\n new_y = y + np.sin(np.radians(angle))\n state = new_x, new_y, angle\n if command not in VISIBLE_FORWARD_COMMANDS:\n yield np.nan, np.nan\n yield state[0], state[1]\n else:\n dx = new_x - x\n dy = new_y - y\n for frac in (1 - np.flipud(np.linspace(0, 1, resolution, \n False))):\n yield x + frac * dx, y + frac * dy\n elif command == CW_TURN_COMMAND:\n state = x, y, angle + turn_amount\n elif command == CCW_TURN_COMMAND:\n state = x, y, angle - turn_amount\n elif command == PUSH_STATE_COMMAND:\n saved_states.append(state)\n elif command == POP_STATE_COMMAND:\n state = saved_states.pop()\n yield np.nan, np.nan\n x, y, _ = state\n yield x, y\n", "role": "user" }, { "content": "branching_turtle_generator", "role": "assistant" } ]
def x(turtle_program, turn_amount=DEFAULT_TURN, initial_angle= DEFAULT_INITIAL_ANGLE, resolution=1): generator = branching_turtle_generator(turtle_program, turn_amount, initial_angle, resolution) return texture_from_generator(generator)
turtle_to_texture
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(turtle_program, turn_amount=DEFAULT_TURN, initial_angle=\n DEFAULT_INITIAL_ANGLE, resolution=1):\n generator = branching_turtle_generator(turtle_program, turn_amount,\n initial_angle, resolution)\n return texture_from_generator(generator)\n", "role": "user" }, { "content": "turtle_to_texture", "role": "assistant" } ]
def x(sequence, transformations): for c in sequence: for k in transformations.get(c, c): yield k
transform_sequence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sequence, transformations):\n for c in sequence:\n for k in transformations.get(c, c):\n yield k\n", "role": "user" }, { "content": "transform_sequence", "role": "assistant" } ]
def x(sequence, transformations, iterations): for _ in range(iterations): sequence = transform_sequence(sequence, transformations) return sequence
transform_multiple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sequence, transformations, iterations):\n for _ in range(iterations):\n sequence = transform_sequence(sequence, transformations)\n return sequence\n", "role": "user" }, { "content": "transform_multiple", "role": "assistant" } ]
def x(axiom, transformations, iterations=1, angle=45, resolution=1): turtle_program = transform_multiple(axiom, transformations, iterations) return turtle_to_texture(turtle_program, angle, resolution=resolution)
l_system
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(axiom, transformations, iterations=1, angle=45, resolution=1):\n turtle_program = transform_multiple(axiom, transformations, iterations)\n return turtle_to_texture(turtle_program, angle, resolution=resolution)\n", "role": "user" }, { "content": "l_system", "role": "assistant" } ]
def x(self, i): index = (i - 1) // 2 reverse = (i - 1) % 2 path = self.paths[index] if reverse: return path.reversed() else: return path
get_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, i):\n index = (i - 1) // 2\n reverse = (i - 1) % 2\n path = self.paths[index]\n if reverse:\n return path.reversed()\n else:\n return path\n", "role": "user" }, { "content": "get_path", "role": "assistant" } ]
def x(self, i, j): return dist(self.endpoints[i][1], self.endpoints[j][0])
cost
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, i, j):\n return dist(self.endpoints[i][1], self.endpoints[j][0])\n", "role": "user" }, { "content": "cost", "role": "assistant" } ]
def x(self, i, end=False): if end: endpoint = self.endpoints[i][1] else: endpoint = self.endpoints[i][0] return endpoint.real, endpoint.imag
get_coordinates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, i, end=False):\n if end:\n endpoint = self.endpoints[i][1]\n else:\n endpoint = self.endpoints[i][0]\n return endpoint.real, endpoint.imag\n", "role": "user" }, { "content": "get_coordinates", "role": "assistant" } ]
def x(self): for i in range(1, len(self.endpoints)): yield i, self.get_coordinates(i)
iter_starts_with_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for i in range(1, len(self.endpoints)):\n yield i, self.get_coordinates(i)\n", "role": "user" }, { "content": "iter_starts_with_index", "role": "assistant" } ]
def x(self): for i in range(1, len(self.endpoints), 2): yield [i, self.get_disjoint(i)]
iter_disjunctions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for i in range(1, len(self.endpoints), 2):\n yield [i, self.get_disjoint(i)]\n", "role": "user" }, { "content": "iter_disjunctions", "role": "assistant" } ]
def x(plot, width=PREVIEW_WIDTH, height=PREVIEW_HEIGHT): return SVG(data=plot_to_svg(plot, width, height))
show_plot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(plot, width=PREVIEW_WIDTH, height=PREVIEW_HEIGHT):\n return SVG(data=plot_to_svg(plot, width, height))\n", "role": "user" }, { "content": "show_plot", "role": "assistant" } ]
def x(layers, aspect_ratio, margin=DEFAULT_VIEW_BOX_MARGIN): min_x = min(np.nanmin(x) for x, y in layers) max_x = max(np.nanmax(x) for x, y in layers) min_y = min(np.nanmin(y) for x, y in layers) max_y = max(np.nanmax(y) for x, y in layers) height = max_y - min_y width = max_x - min_x if height > width * aspect_ratio: adj_height = height * (1.0 + margin) adj_width = adj_height / aspect_ratio else: adj_width = width * (1.0 + margin) adj_height = adj_width * aspect_ratio width_buffer = (adj_width - width) / 2.0 height_buffer = (adj_height - height) / 2.0 return min_x - width_buffer, min_y - height_buffer, adj_width, adj_height
calculate_view_box
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(layers, aspect_ratio, margin=DEFAULT_VIEW_BOX_MARGIN):\n min_x = min(np.nanmin(x) for x, y in layers)\n max_x = max(np.nanmax(x) for x, y in layers)\n min_y = min(np.nanmin(y) for x, y in layers)\n max_y = max(np.nanmax(y) for x, y in layers)\n height = max_y - min_y\n width = max_x - min_x\n if height > width * aspect_ratio:\n adj_height = height * (1.0 + margin)\n adj_width = adj_height / aspect_ratio\n else:\n adj_width = width * (1.0 + margin)\n adj_height = adj_width * aspect_ratio\n width_buffer = (adj_width - width) / 2.0\n height_buffer = (adj_height - height) / 2.0\n return min_x - width_buffer, min_y - height_buffer, adj_width, adj_height\n", "role": "user" }, { "content": "calculate_view_box", "role": "assistant" } ]
def x(layer): draw = False for x, y in zip(*layer): if np.isnan(x) or np.isnan(y): draw = False elif not draw: yield 'M {} {}'.format(x, y) draw = True else: yield 'L {} {}'.format(x, y)
layer_to_path_gen
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(layer):\n draw = False\n for x, y in zip(*layer):\n if np.isnan(x) or np.isnan(y):\n draw = False\n elif not draw:\n yield 'M {} {}'.format(x, y)\n draw = True\n else:\n yield 'L {} {}'.format(x, y)\n", "role": "user" }, { "content": "layer_to_path_gen", "role": "assistant" } ]
def x(plot, width, height, unit=''): flipped_plot = [(x, -y) for x, y in plot] aspect_ratio = height / width view_box = calculate_view_box(flipped_plot, aspect_ratio=aspect_ratio) view_box_str = '{} {} {} {}'.format(*view_box) stroke_thickness = STROKE_THICKNESS * view_box[2] svg = ET.Element('svg', attrib={'xmlns': 'http://www.w3.org/2000/svg', 'xmlns:inkscape': 'http://www.inkscape.org/namespaces/inkscape', 'width': '{}{}'.format(width, unit), 'height': '{}{}'.format(height, unit), 'viewBox': view_box_str}) for i, layer in enumerate(flipped_plot): group = ET.SubElement(svg, 'g', attrib={'inkscape:label': '{}-layer'.format(i), 'inkscape:groupmode': 'layer'}) color = PLOT_COLORS[i % len(PLOT_COLORS)] ET.SubElement(group, 'path', attrib={'style': 'stroke-width: {}; stroke: {};'.format(stroke_thickness, color), 'fill': 'none', 'd': layer_to_path(layer)}) try: return ET.tostring(svg, encoding='unicode') except LookupError: return ET.tostring(svg)
plot_to_svg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(plot, width, height, unit=''):\n flipped_plot = [(x, -y) for x, y in plot]\n aspect_ratio = height / width\n view_box = calculate_view_box(flipped_plot, aspect_ratio=aspect_ratio)\n view_box_str = '{} {} {} {}'.format(*view_box)\n stroke_thickness = STROKE_THICKNESS * view_box[2]\n svg = ET.Element('svg', attrib={'xmlns': 'http://www.w3.org/2000/svg',\n 'xmlns:inkscape': 'http://www.inkscape.org/namespaces/inkscape',\n 'width': '{}{}'.format(width, unit), 'height': '{}{}'.format(height,\n unit), 'viewBox': view_box_str})\n for i, layer in enumerate(flipped_plot):\n group = ET.SubElement(svg, 'g', attrib={'inkscape:label':\n '{}-layer'.format(i), 'inkscape:groupmode': 'layer'})\n color = PLOT_COLORS[i % len(PLOT_COLORS)]\n ET.SubElement(group, 'path', attrib={'style':\n 'stroke-width: {}; stroke: {};'.format(stroke_thickness, color),\n 'fill': 'none', 'd': layer_to_path(layer)})\n try:\n return ET.tostring(svg, encoding='unicode')\n except LookupError:\n return ET.tostring(svg)\n", "role": "user" }, { "content": "plot_to_svg", "role": "assistant" } ]
def x(plot, filename, width=DEFAULT_PAGE_WIDTH, height=DEFAULT_PAGE_HEIGHT, unit=DEFAULT_PAGE_UNIT): svg = plot_to_svg(plot, width, height, unit) with open(filename, 'w') as outfile: outfile.write(svg)
write_plot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(plot, filename, width=DEFAULT_PAGE_WIDTH, height=DEFAULT_PAGE_HEIGHT,\n unit=DEFAULT_PAGE_UNIT):\n svg = plot_to_svg(plot, width, height, unit)\n with open(filename, 'w') as outfile:\n outfile.write(svg)\n", "role": "user" }, { "content": "write_plot", "role": "assistant" } ]
def x(ax, layer): ax.set_aspect('equal', 'datalim') ax.plot(*layer) ax.axis('off')
draw_layer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ax, layer):\n ax.set_aspect('equal', 'datalim')\n ax.plot(*layer)\n ax.axis('off')\n", "role": "user" }, { "content": "draw_layer", "role": "assistant" } ]
def x(texture, surface): texture_x, texture_y = texture surface_h, surface_w = surface.shape surface_x = np.clip(np.int32(surface_w * texture_x - 1e-09), 0, surface_w - 1) surface_y = np.clip(np.int32(surface_h * texture_y - 1e-09), 0, surface_h - 1) surface_z = surface[surface_y, surface_x] return surface_z
map_texture_to_surface
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(texture, surface):\n texture_x, texture_y = texture\n surface_h, surface_w = surface.shape\n surface_x = np.clip(np.int32(surface_w * texture_x - 1e-09), 0, \n surface_w - 1)\n surface_y = np.clip(np.int32(surface_h * texture_y - 1e-09), 0, \n surface_h - 1)\n surface_z = surface[surface_y, surface_x]\n return surface_z\n", "role": "user" }, { "content": "map_texture_to_surface", "role": "assistant" } ]
def x(texture_xy, texture_z, angle=DEFAULT_ANGLE): z_coef = np.sin(np.radians(angle)) y_coef = np.cos(np.radians(angle)) surface_x, surface_y = texture return surface_x, -surface_y * y_coef + surface_z * z_coef
project_texture
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(texture_xy, texture_z, angle=DEFAULT_ANGLE):\n z_coef = np.sin(np.radians(angle))\n y_coef = np.cos(np.radians(angle))\n surface_x, surface_y = texture\n return surface_x, -surface_y * y_coef + surface_z * z_coef\n", "role": "user" }, { "content": "project_texture", "role": "assistant" } ]
def x(surface, angle=DEFAULT_ANGLE): z_coef = np.sin(np.radians(angle)) y_coef = np.cos(np.radians(angle)) surface_height, surface_width = surface.shape slope = np.tile(np.linspace(0.0, 1.0, surface_height), [surface_width, 1] ).T return slope * y_coef + surface * z_coef
project_surface
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surface, angle=DEFAULT_ANGLE):\n z_coef = np.sin(np.radians(angle))\n y_coef = np.cos(np.radians(angle))\n surface_height, surface_width = surface.shape\n slope = np.tile(np.linspace(0.0, 1.0, surface_height), [surface_width, 1]\n ).T\n return slope * y_coef + surface * z_coef\n", "role": "user" }, { "content": "project_surface", "role": "assistant" } ]
def x(texture, surface, angle=DEFAULT_ANGLE): projected_surface = project_surface(surface, angle) texture_x, _ = texture texture_y = map_texture_to_surface(texture, projected_surface) return texture_x, texture_y
project_texture_on_surface
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(texture, surface, angle=DEFAULT_ANGLE):\n projected_surface = project_surface(surface, angle)\n texture_x, _ = texture\n texture_y = map_texture_to_surface(texture, projected_surface)\n return texture_x, texture_y\n", "role": "user" }, { "content": "project_texture_on_surface", "role": "assistant" } ]
def x(projected_surface): surface = np.copy(projected_surface) surface[~_make_occlusion_mask(projected_surface)] = np.nan return surface
remove_hidden_parts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(projected_surface):\n surface = np.copy(projected_surface)\n surface[~_make_occlusion_mask(projected_surface)] = np.nan\n return surface\n", "role": "user" }, { "content": "remove_hidden_parts", "role": "assistant" } ]
def x(texture, surface, angle=DEFAULT_ANGLE): projected_surface = project_surface(surface, angle) projected_surface = _remove_hidden_parts(projected_surface) texture_y = map_texture_to_surface(texture, projected_surface) texture_x, _ = texture return texture_x, texture_y
project_and_occlude_texture
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(texture, surface, angle=DEFAULT_ANGLE):\n projected_surface = project_surface(surface, angle)\n projected_surface = _remove_hidden_parts(projected_surface)\n texture_y = map_texture_to_surface(texture, projected_surface)\n texture_x, _ = texture\n return texture_x, texture_y\n", "role": "user" }, { "content": "project_and_occlude_texture", "role": "assistant" } ]
def x(num_lines=10, resolution=50): x, y = np.meshgrid(np.hstack([np.linspace(0, 1, resolution), np.nan]), np.linspace(0, 1, num_lines)) y[np.isnan(x)] = np.nan return x.flatten(), y.flatten()
make_lines_texture
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(num_lines=10, resolution=50):\n x, y = np.meshgrid(np.hstack([np.linspace(0, 1, resolution), np.nan]),\n np.linspace(0, 1, num_lines))\n y[np.isnan(x)] = np.nan\n return x.flatten(), y.flatten()\n", "role": "user" }, { "content": "make_lines_texture", "role": "assistant" } ]
def x(num_h_lines=10, num_v_lines=10, resolution=50): x_h, y_h = make_lines_texture(num_h_lines, resolution) y_v, x_v = make_lines_texture(num_v_lines, resolution) return np.concatenate([x_h, x_v]), np.concatenate([y_h, y_v])
make_grid_texture
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(num_h_lines=10, num_v_lines=10, resolution=50):\n x_h, y_h = make_lines_texture(num_h_lines, resolution)\n y_v, x_v = make_lines_texture(num_v_lines, resolution)\n return np.concatenate([x_h, x_v]), np.concatenate([y_h, y_v])\n", "role": "user" }, { "content": "make_grid_texture", "role": "assistant" } ]
def x(spirals=6.0, ccw=False, offset=0.0, resolution=1000): dist = np.sqrt(np.linspace(0.0, 1.0, resolution)) if ccw: direction = 1.0 else: direction = -1.0 angle = dist * spirals * np.pi * 2.0 * direction spiral_texture = np.cos(angle) * dist / 2.0 + 0.5, np.sin(angle ) * dist / 2.0 + 0.5 return spiral_texture
make_spiral_texture
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(spirals=6.0, ccw=False, offset=0.0, resolution=1000):\n dist = np.sqrt(np.linspace(0.0, 1.0, resolution))\n if ccw:\n direction = 1.0\n else:\n direction = -1.0\n angle = dist * spirals * np.pi * 2.0 * direction\n spiral_texture = np.cos(angle) * dist / 2.0 + 0.5, np.sin(angle\n ) * dist / 2.0 + 0.5\n return spiral_texture\n", "role": "user" }, { "content": "make_spiral_texture", "role": "assistant" } ]
def x(grid_size=2, resolution=1): grid_x, grid_y = np.meshgrid(np.arange(grid_size), np.arange(grid_size)) ROOT_3_OVER_2 = np.sqrt(3) / 2 ONE_HALF = 0.5 grid_x = (grid_x * np.sqrt(3) + grid_y % 2 * ROOT_3_OVER_2).flatten() grid_y = grid_y.flatten() * 1.5 grid_points = grid_x.shape[0] x_offsets = np.interp(np.arange(4 * resolution), np.arange(4) * resolution, [ROOT_3_OVER_2, 0.0, -ROOT_3_OVER_2, -ROOT_3_OVER_2]) y_offsets = np.interp(np.arange(4 * resolution), np.arange(4) * resolution, [-ONE_HALF, -1.0, -ONE_HALF, ONE_HALF]) tmx = 4 * resolution x_t = np.tile(grid_x, (tmx, 1)) + x_offsets.reshape((tmx, 1)) y_t = np.tile(grid_y, (tmx, 1)) + y_offsets.reshape((tmx, 1)) x_t = np.vstack([x_t, np.tile(np.nan, (1, grid_x.size))]) y_t = np.vstack([y_t, np.tile(np.nan, (1, grid_y.size))]) return fit_texture((x_t.flatten('F'), y_t.flatten('F')))
make_hex_texture
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(grid_size=2, resolution=1):\n grid_x, grid_y = np.meshgrid(np.arange(grid_size), np.arange(grid_size))\n ROOT_3_OVER_2 = np.sqrt(3) / 2\n ONE_HALF = 0.5\n grid_x = (grid_x * np.sqrt(3) + grid_y % 2 * ROOT_3_OVER_2).flatten()\n grid_y = grid_y.flatten() * 1.5\n grid_points = grid_x.shape[0]\n x_offsets = np.interp(np.arange(4 * resolution), np.arange(4) *\n resolution, [ROOT_3_OVER_2, 0.0, -ROOT_3_OVER_2, -ROOT_3_OVER_2])\n y_offsets = np.interp(np.arange(4 * resolution), np.arange(4) *\n resolution, [-ONE_HALF, -1.0, -ONE_HALF, ONE_HALF])\n tmx = 4 * resolution\n x_t = np.tile(grid_x, (tmx, 1)) + x_offsets.reshape((tmx, 1))\n y_t = np.tile(grid_y, (tmx, 1)) + y_offsets.reshape((tmx, 1))\n x_t = np.vstack([x_t, np.tile(np.nan, (1, grid_x.size))])\n y_t = np.vstack([y_t, np.tile(np.nan, (1, grid_y.size))])\n return fit_texture((x_t.flatten('F'), y_t.flatten('F')))\n", "role": "user" }, { "content": "make_hex_texture", "role": "assistant" } ]
def x(dims=DEFAULT_DIMS, blur=10, seed=None): if seed is not None: np.random.seed(seed) return gaussian_filter(np.random.normal(size=dims), blur)
make_noise_surface
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dims=DEFAULT_DIMS, blur=10, seed=None):\n if seed is not None:\n np.random.seed(seed)\n return gaussian_filter(np.random.normal(size=dims), blur)\n", "role": "user" }, { "content": "make_noise_surface", "role": "assistant" } ]
def x(dims=DEFAULT_DIMS): return np.meshgrid(np.linspace(0.0, 1.0, dims[0]), np.linspace(0.0, 1.0, dims[1]))
make_gradients
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dims=DEFAULT_DIMS):\n return np.meshgrid(np.linspace(0.0, 1.0, dims[0]), np.linspace(0.0, 1.0,\n dims[1]))\n", "role": "user" }, { "content": "make_gradients", "role": "assistant" } ]
def x(dims=DEFAULT_DIMS, offset=0.5, scale=1.0): gradients = (np.array(make_gradients(dims)) - offset) * scale * np.pi return np.sin(np.linalg.norm(gradients, axis=0))
make_sine_surface
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dims=DEFAULT_DIMS, offset=0.5, scale=1.0):\n gradients = (np.array(make_gradients(dims)) - offset) * scale * np.pi\n return np.sin(np.linalg.norm(gradients, axis=0))\n", "role": "user" }, { "content": "make_sine_surface", "role": "assistant" } ]
def x(dims=DEFAULT_DIMS, repeat=3): gradients = make_gradients(dims) return np.sin((gradients[0] - 0.5) * repeat * np.pi) * np.sin(( gradients[1] - 0.5) * repeat * np.pi)
make_bubble_surface
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dims=DEFAULT_DIMS, repeat=3):\n gradients = make_gradients(dims)\n return np.sin((gradients[0] - 0.5) * repeat * np.pi) * np.sin((\n gradients[1] - 0.5) * repeat * np.pi)\n", "role": "user" }, { "content": "make_bubble_surface", "role": "assistant" } ]
def x(path_graph, initial_solution=None, runtime_seconds=60): routing = pywrapcp.RoutingModel(path_graph.num_nodes(), 1, path_graph. ORIGIN) for disjunction in path_graph.iter_disjunctions(): routing.AddDisjunction(disjunction) COST_MULTIPLIER = 10000.0 def x(i, j): return int(path_graph.cost(i, j) * COST_MULTIPLIER) routing.SetArcCostEvaluatorOfAllVehicles(distance) start_time = time() def x(): t = time() - start_time cost = routing.CostVar().Max() / COST_MULTIPLIER print('\rBest solution at {} seconds has cost {} '.format( int(t), cost), end='') routing.AddAtSolutionCallback(found_solution) if not initial_solution: initial_solution = [i for i, _ in path_graph.iter_disjunctions()] initial_assignment = routing.ReadAssignmentFromRoutes([initial_solution ], True) search_parameters = pywrapcp.RoutingModel.DefaultSearchParameters() search_parameters.time_limit_ms = runtime_seconds * 1000 search_parameters.local_search_metaheuristic = (routing_enums_pb2. LocalSearchMetaheuristic.GUIDED_LOCAL_SEARCH) assignment = routing.SolveFromAssignmentWithParameters(initial_assignment, search_parameters) print() solution = [] index = routing.Start(0) while not routing.IsEnd(index): index = assignment.Value(routing.NextVar(index)) node = routing.IndexToNode(index) if node != 0: solution.append(node) return solution
vrp_solver
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path_graph, initial_solution=None, runtime_seconds=60):\n routing = pywrapcp.RoutingModel(path_graph.num_nodes(), 1, path_graph.\n ORIGIN)\n for disjunction in path_graph.iter_disjunctions():\n routing.AddDisjunction(disjunction)\n COST_MULTIPLIER = 10000.0\n\n def x(i, j):\n return int(path_graph.cost(i, j) * COST_MULTIPLIER)\n routing.SetArcCostEvaluatorOfAllVehicles(distance)\n start_time = time()\n\n def x():\n t = time() - start_time\n cost = routing.CostVar().Max() / COST_MULTIPLIER\n print('\\rBest solution at {} seconds has cost {} '.format(\n int(t), cost), end='')\n routing.AddAtSolutionCallback(found_solution)\n if not initial_solution:\n initial_solution = [i for i, _ in path_graph.iter_disjunctions()]\n initial_assignment = routing.ReadAssignmentFromRoutes([initial_solution\n ], True)\n search_parameters = pywrapcp.RoutingModel.DefaultSearchParameters()\n search_parameters.time_limit_ms = runtime_seconds * 1000\n search_parameters.local_search_metaheuristic = (routing_enums_pb2.\n LocalSearchMetaheuristic.GUIDED_LOCAL_SEARCH)\n assignment = routing.SolveFromAssignmentWithParameters(initial_assignment,\n search_parameters)\n print()\n solution = []\n index = routing.Start(0)\n while not routing.IsEnd(index):\n index = assignment.Value(routing.NextVar(index))\n node = routing.IndexToNode(index)\n if node != 0:\n solution.append(node)\n return solution\n", "role": "user" }, { "content": "vrp_solver", "role": "assistant" } ]
def x(url): global _VERA_CONTROLLER created = False if _VERA_CONTROLLER is None: _VERA_CONTROLLER = VeraController(url) created = True _VERA_CONTROLLER.start() return [_VERA_CONTROLLER, created]
init_controller
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url):\n global _VERA_CONTROLLER\n created = False\n if _VERA_CONTROLLER is None:\n _VERA_CONTROLLER = VeraController(url)\n created = True\n _VERA_CONTROLLER.start()\n return [_VERA_CONTROLLER, created]\n", "role": "user" }, { "content": "init_controller", "role": "assistant" } ]
def x(self, payload, timeout=TIMEOUT): request_url = self.base_url + '/data_request' return requests.get(request_url, timeout=timeout, params=payload)
data_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, payload, timeout=TIMEOUT):\n request_url = self.base_url + '/data_request'\n return requests.get(request_url, timeout=timeout, params=payload)\n", "role": "user" }, { "content": "data_request", "role": "assistant" } ]
def x(self): j = self.data_request({'id': 'sdata'}).json() self.scenes = [] items = j.get('scenes') for item in items: self.scenes.append(VeraScene(item, self)) if j.get('temperature'): self.temperature_units = j.get('temperature') self.categories = {} cats = j.get('categories') for cat in cats: self.categories[cat.get('id')] = cat.get('name') self.device_id_map = {} devs = j.get('devices') for dev in devs: dev['categoryName'] = self.categories.get(dev.get('category')) self.device_id_map[dev.get('id')] = dev
get_simple_devices_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n j = self.data_request({'id': 'sdata'}).json()\n self.scenes = []\n items = j.get('scenes')\n for item in items:\n self.scenes.append(VeraScene(item, self))\n if j.get('temperature'):\n self.temperature_units = j.get('temperature')\n self.categories = {}\n cats = j.get('categories')\n for cat in cats:\n self.categories[cat.get('id')] = cat.get('name')\n self.device_id_map = {}\n devs = j.get('devices')\n for dev in devs:\n dev['categoryName'] = self.categories.get(dev.get('category'))\n self.device_id_map[dev.get('id')] = dev\n", "role": "user" }, { "content": "get_simple_devices_info", "role": "assistant" } ]
def x(self, device_name): found_device = None for device in self.get_devices(): if device.name == device_name: found_device = device break if found_device is None: logger.debug('Did not find device with {}'.format(device_name)) return found_device
get_device_by_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_name):\n found_device = None\n for device in self.get_devices():\n if device.name == device_name:\n found_device = device\n break\n if found_device is None:\n logger.debug('Did not find device with {}'.format(device_name))\n return found_device\n", "role": "user" }, { "content": "get_device_by_name", "role": "assistant" } ]
def x(self, device_id): found_device = None for device in self.get_devices(): if device.device_id == device_id: found_device = device break if found_device is None: logger.debug('Did not find device with {}'.format(device_id)) return found_device
get_device_by_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_id):\n found_device = None\n for device in self.get_devices():\n if device.device_id == device_id:\n found_device = device\n break\n if found_device is None:\n logger.debug('Did not find device with {}'.format(device_id))\n return found_device\n", "role": "user" }, { "content": "get_device_by_id", "role": "assistant" } ]
def x(self, category_filter=''): self.get_simple_devices_info() j = self.data_request({'id': 'status', 'output_format': 'json'}).json() self.devices = [] items = j.get('devices') for item in items: item['deviceInfo'] = self.device_id_map.get(item.get('id')) if item.get('deviceInfo'): device_category = item.get('deviceInfo').get('category') if device_category == CATEGORY_DIMMER: device = VeraDimmer(item, self) elif device_category == CATEGORY_SWITCH or device_category == CATEGORY_VERA_SIREN: device = VeraSwitch(item, self) elif device_category == CATEGORY_THERMOSTAT: device = VeraThermostat(item, self) elif device_category == CATEGORY_LOCK: device = VeraLock(item, self) elif device_category == CATEGORY_CURTAIN: device = VeraCurtain(item, self) elif device_category == CATEGORY_ARMABLE: device = VeraBinarySensor(item, self) elif device_category == CATEGORY_SENSOR or device_category == CATEGORY_HUMIDITY_SENSOR or device_category == CATEGORY_TEMPERATURE_SENSOR or device_category == CATEGORY_LIGHT_SENSOR or device_category == CATEGORY_POWER_METER or device_category == CATEGORY_UV_SENSOR: device = VeraSensor(item, self) elif device_category == CATEGORY_SCENE_CONTROLLER or device_category == CATEGORY_REMOTE: device = VeraSceneController(item, self) elif device_category == CATEGORY_GARAGE_DOOR: device = VeraGarageDoor(item, self) else: device = VeraDevice(item, self) self.devices.append(device) if device.is_armable and not (device_category == CATEGORY_SWITCH or device_category == CATEGORY_VERA_SIREN or device_category == CATEGORY_CURTAIN or device_category == CATEGORY_GARAGE_DOOR): self.devices.append(VeraArmableDevice(item, self)) else: self.devices.append(VeraDevice(item, self)) if not category_filter: return self.devices devices = [] for device in self.devices: if (device.category_name is not None and device.category_name != '' and device.category_name in category_filter): devices.append(device) return devices
get_devices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, category_filter=''):\n self.get_simple_devices_info()\n j = self.data_request({'id': 'status', 'output_format': 'json'}).json()\n self.devices = []\n items = j.get('devices')\n for item in items:\n item['deviceInfo'] = self.device_id_map.get(item.get('id'))\n if item.get('deviceInfo'):\n device_category = item.get('deviceInfo').get('category')\n if device_category == CATEGORY_DIMMER:\n device = VeraDimmer(item, self)\n elif device_category == CATEGORY_SWITCH or device_category == CATEGORY_VERA_SIREN:\n device = VeraSwitch(item, self)\n elif device_category == CATEGORY_THERMOSTAT:\n device = VeraThermostat(item, self)\n elif device_category == CATEGORY_LOCK:\n device = VeraLock(item, self)\n elif device_category == CATEGORY_CURTAIN:\n device = VeraCurtain(item, self)\n elif device_category == CATEGORY_ARMABLE:\n device = VeraBinarySensor(item, self)\n elif device_category == CATEGORY_SENSOR or device_category == CATEGORY_HUMIDITY_SENSOR or device_category == CATEGORY_TEMPERATURE_SENSOR or device_category == CATEGORY_LIGHT_SENSOR or device_category == CATEGORY_POWER_METER or device_category == CATEGORY_UV_SENSOR:\n device = VeraSensor(item, self)\n elif device_category == CATEGORY_SCENE_CONTROLLER or device_category == CATEGORY_REMOTE:\n device = VeraSceneController(item, self)\n elif device_category == CATEGORY_GARAGE_DOOR:\n device = VeraGarageDoor(item, self)\n else:\n device = VeraDevice(item, self)\n self.devices.append(device)\n if device.is_armable and not (device_category ==\n CATEGORY_SWITCH or device_category == CATEGORY_VERA_SIREN or\n device_category == CATEGORY_CURTAIN or device_category ==\n CATEGORY_GARAGE_DOOR):\n self.devices.append(VeraArmableDevice(item, self))\n else:\n self.devices.append(VeraDevice(item, self))\n if not category_filter:\n return self.devices\n devices = []\n for device in self.devices:\n if (device.category_name is not None and device.category_name != '' and\n device.category_name in category_filter):\n devices.append(device)\n return devices\n", "role": "user" }, { "content": "get_devices", "role": "assistant" } ]
def x(self): j = self.data_request({'id': 'sdata'}).json() self.temperature_units = j.get('temperature', 'C') self.model = j.get('model') self.version = j.get('version') self.serial_number = j.get('serial_number') categories = {} cats = j.get('categories') for cat in cats: categories[cat.get('id')] = cat.get('name') device_id_map = {} devs = j.get('devices') for dev in devs: dev['categoryName'] = categories.get(dev.get('category')) device_id_map[dev.get('id')] = dev return device_id_map
refresh_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n j = self.data_request({'id': 'sdata'}).json()\n self.temperature_units = j.get('temperature', 'C')\n self.model = j.get('model')\n self.version = j.get('version')\n self.serial_number = j.get('serial_number')\n categories = {}\n cats = j.get('categories')\n for cat in cats:\n categories[cat.get('id')] = cat.get('name')\n device_id_map = {}\n devs = j.get('devices')\n for dev in devs:\n dev['categoryName'] = categories.get(dev.get('category'))\n device_id_map[dev.get('id')] = dev\n return device_id_map\n", "role": "user" }, { "content": "refresh_data", "role": "assistant" } ]
def x(self): self.get_simple_devices_info() j = self.data_request({'id': 'status', 'output_format': 'json'}).json() service_map = {} items = j.get('devices') for item in items: service_map[item.get('id')] = item.get('states') self.device_services_map = service_map
map_services
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.get_simple_devices_info()\n j = self.data_request({'id': 'status', 'output_format': 'json'}).json()\n service_map = {}\n items = j.get('devices')\n for item in items:\n service_map[item.get('id')] = item.get('states')\n self.device_services_map = service_map\n", "role": "user" }, { "content": "map_services", "role": "assistant" } ]
def x(self, timestamp): if timestamp is None: payload = {} else: payload = {'timeout': SUBSCRIPTION_WAIT, 'minimumdelay': SUBSCRIPTION_MIN_WAIT} payload.update(timestamp) payload.update({'id': 'lu_sdata'}) logger.debug('get_changed_devices() requesting payload %s', str(payload)) r = self.data_request(payload, TIMEOUT * 2) r.raise_for_status() if r.text == '': raise PyveraError('Empty response from Vera') try: result = r.json() except ValueError as ex: raise PyveraError('JSON decode error: ' + str(ex)) if not (type(result) is dict and 'loadtime' in result and 'dataversion' in result): raise PyveraError('Unexpected/garbled response from Vera') device_data = result.get('devices') timestamp = {'loadtime': result.get('loadtime'), 'dataversion': result. get('dataversion')} return [device_data, timestamp]
get_changed_devices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timestamp):\n if timestamp is None:\n payload = {}\n else:\n payload = {'timeout': SUBSCRIPTION_WAIT, 'minimumdelay':\n SUBSCRIPTION_MIN_WAIT}\n payload.update(timestamp)\n payload.update({'id': 'lu_sdata'})\n logger.debug('get_changed_devices() requesting payload %s', str(payload))\n r = self.data_request(payload, TIMEOUT * 2)\n r.raise_for_status()\n if r.text == '':\n raise PyveraError('Empty response from Vera')\n try:\n result = r.json()\n except ValueError as ex:\n raise PyveraError('JSON decode error: ' + str(ex))\n if not (type(result) is dict and 'loadtime' in result and 'dataversion' in\n result):\n raise PyveraError('Unexpected/garbled response from Vera')\n device_data = result.get('devices')\n timestamp = {'loadtime': result.get('loadtime'), 'dataversion': result.\n get('dataversion')}\n return [device_data, timestamp]\n", "role": "user" }, { "content": "get_changed_devices", "role": "assistant" } ]
def x(self, **kwargs): request_payload = {'output_format': 'json', 'DeviceNum': self.device_id} request_payload.update(kwargs) return self.vera_controller.data_request(request_payload)
vera_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n request_payload = {'output_format': 'json', 'DeviceNum': self.device_id}\n request_payload.update(kwargs)\n return self.vera_controller.data_request(request_payload)\n", "role": "user" }, { "content": "vera_request", "role": "assistant" } ]
def x(self, service_id, set_name, parameter_name, value): payload = {'id': 'lu_action', 'action': 'Set' + set_name, 'serviceId': service_id, parameter_name: value} result = self.vera_request(**payload) logger.debug( 'set_service_value: result of vera_request with payload %s: %s', payload, result.text)
set_service_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service_id, set_name, parameter_name, value):\n payload = {'id': 'lu_action', 'action': 'Set' + set_name, 'serviceId':\n service_id, parameter_name: value}\n result = self.vera_request(**payload)\n logger.debug(\n 'set_service_value: result of vera_request with payload %s: %s',\n payload, result.text)\n", "role": "user" }, { "content": "set_service_value", "role": "assistant" } ]
def x(self, service_id, action): result = self.vera_request(id='action', serviceId=service_id, action=action ) logger.debug('call_service: result of vera_request with id %s: %s', service_id, result.text) return result
call_service
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service_id, action):\n result = self.vera_request(id='action', serviceId=service_id, action=action\n )\n logger.debug('call_service: result of vera_request with id %s: %s',\n service_id, result.text)\n return result\n", "role": "user" }, { "content": "call_service", "role": "assistant" } ]
def x(self, name, value): dev_info = self.json_state.get('deviceInfo') if dev_info.get(name.lower()) is None: logger.error('Could not set %s for %s (key does not exist).', name, self.name) logger.error('- dictionary %s', dev_info) return dev_info[name.lower()] = str(value)
set_cache_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, value):\n dev_info = self.json_state.get('deviceInfo')\n if dev_info.get(name.lower()) is None:\n logger.error('Could not set %s for %s (key does not exist).', name,\n self.name)\n logger.error('- dictionary %s', dev_info)\n return\n dev_info[name.lower()] = str(value)\n", "role": "user" }, { "content": "set_cache_value", "role": "assistant" } ]
def x(self, name, value): for item in self.json_state.get('states'): if item.get('variable') == name: item['value'] = str(value)
set_cache_complex_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, value):\n for item in self.json_state.get('states'):\n if item.get('variable') == name:\n item['value'] = str(value)\n", "role": "user" }, { "content": "set_cache_complex_value", "role": "assistant" } ]
def x(self, name): for item in self.json_state.get('states'): if item.get('variable') == name: return item.get('value') return None
get_complex_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n for item in self.json_state.get('states'):\n if item.get('variable') == name:\n return item.get('value')\n return None\n", "role": "user" }, { "content": "get_complex_value", "role": "assistant" } ]
def x(self, name): dev_info = self.json_state.get('deviceInfo') return dev_info.get(name, None)
get_strict_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n dev_info = self.json_state.get('deviceInfo')\n return dev_info.get(name, None)\n", "role": "user" }, { "content": "get_strict_value", "role": "assistant" } ]
def x(self, name): for item in self.json_state.get('states'): if item.get('variable') == name: service_id = item.get('service') result = self.vera_request(**{'id': 'variableget', 'output_format': 'json', 'DeviceNum': self.device_id, 'serviceId': service_id, 'Variable': name}) item['value'] = result.text return item.get('value') return None
refresh_complex_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n for item in self.json_state.get('states'):\n if item.get('variable') == name:\n service_id = item.get('service')\n result = self.vera_request(**{'id': 'variableget',\n 'output_format': 'json', 'DeviceNum': self.device_id,\n 'serviceId': service_id, 'Variable': name})\n item['value'] = result.text\n return item.get('value')\n return None\n", "role": "user" }, { "content": "refresh_complex_value", "role": "assistant" } ]
def x(self): j = self.vera_request(id='sdata', output_format='json').json() devices = j.get('devices') for device_data in devices: if device_data.get('id') == self.device_id: self.update(device_data)
refresh
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n j = self.vera_request(id='sdata', output_format='json').json()\n devices = j.get('devices')\n for device_data in devices:\n if device_data.get('id') == self.device_id:\n self.update(device_data)\n", "role": "user" }, { "content": "refresh", "role": "assistant" } ]
def x(self, params): dev_info = self.json_state.get('deviceInfo') dev_info.update({k: params[k] for k in params if dev_info.get(k)})
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, params):\n dev_info = self.json_state.get('deviceInfo')\n dev_info.update({k: params[k] for k in params if dev_info.get(k)})\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self): level = self.get_value('level') try: return int(float(level)) except (TypeError, ValueError): pass try: return int(level.strip('%')) except (TypeError, AttributeError, ValueError): pass return 0
level
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n level = self.get_value('level')\n try:\n return int(float(level))\n except (TypeError, ValueError):\n pass\n try:\n return int(level.strip('%'))\n except (TypeError, AttributeError, ValueError):\n pass\n return 0\n", "role": "user" }, { "content": "level", "role": "assistant" } ]
def x(self, state): self.set_service_value(self.switch_service, 'Target', 'newTargetValue', state) self.set_cache_value('Status', state)
set_switch_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, state):\n self.set_service_value(self.switch_service, 'Target', 'newTargetValue',\n state)\n self.set_cache_value('Status', state)\n", "role": "user" }, { "content": "set_switch_state", "role": "assistant" } ]
def x(self, refresh=False): if refresh: self.refresh() return self.get_brightness(refresh) > 0
is_switched_on
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refresh=False):\n if refresh:\n self.refresh()\n return self.get_brightness(refresh) > 0\n", "role": "user" }, { "content": "is_switched_on", "role": "assistant" } ]
def x(self, refresh=False): if refresh: self.refresh() brightness = 0 percent = self.level if percent > 0: brightness = round(percent * 2.55) return int(brightness)
get_brightness
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refresh=False):\n if refresh:\n self.refresh()\n brightness = 0\n percent = self.level\n if percent > 0:\n brightness = round(percent * 2.55)\n return int(brightness)\n", "role": "user" }, { "content": "get_brightness", "role": "assistant" } ]
def x(self, brightness): percent = 0 if brightness > 0: percent = round(brightness / 2.55) self.set_service_value(self.dimmer_service, 'LoadLevelTarget', 'newLoadlevelTarget', percent) self.set_cache_value('level', percent)
set_brightness
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, brightness):\n percent = 0\n if brightness > 0:\n percent = round(brightness / 2.55)\n self.set_service_value(self.dimmer_service, 'LoadLevelTarget',\n 'newLoadlevelTarget', percent)\n self.set_cache_value('level', percent)\n", "role": "user" }, { "content": "set_brightness", "role": "assistant" } ]
def x(self, colors, refresh=False): if refresh: self.refresh_complex_value('SupportedColors') sup = self.get_complex_value('SupportedColors') if sup is None: return None sup = sup.split(',') if not set(colors).issubset(sup): return None return [sup.index(c) for c in colors]
get_color_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, colors, refresh=False):\n if refresh:\n self.refresh_complex_value('SupportedColors')\n sup = self.get_complex_value('SupportedColors')\n if sup is None:\n return None\n sup = sup.split(',')\n if not set(colors).issubset(sup):\n return None\n return [sup.index(c) for c in colors]\n", "role": "user" }, { "content": "get_color_index", "role": "assistant" } ]
def x(self, refresh=False): if refresh: self.refresh_complex_value('CurrentColor') ci = self.get_color_index(['R', 'G', 'B'], refresh) cur = self.get_complex_value('CurrentColor') if ci is None or cur is None: return None try: val = [cur.split(',')[c] for c in ci] return [int(v.split('=')[1]) for v in val] except IndexError: return None
get_color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refresh=False):\n if refresh:\n self.refresh_complex_value('CurrentColor')\n ci = self.get_color_index(['R', 'G', 'B'], refresh)\n cur = self.get_complex_value('CurrentColor')\n if ci is None or cur is None:\n return None\n try:\n val = [cur.split(',')[c] for c in ci]\n return [int(v.split('=')[1]) for v in val]\n except IndexError:\n return None\n", "role": "user" }, { "content": "get_color", "role": "assistant" } ]
def x(self, rgb): target = ','.join([str(c) for c in rgb]) self.set_service_value(self.color_service, 'ColorRGB', 'newColorRGBTarget', target) rgbi = self.get_color_index(['R', 'G', 'B']) if rgbi is None: return target = '0=0,1=0,' + str(rgbi[0]) + '=' + str(rgb[0]) + ',' + str(rgbi[1] ) + '=' + str(rgb[1]) + ',' + str(rgbi[2]) + '=' + str(rgb[2]) self.set_cache_complex_value('CurrentColor', target)
set_color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rgb):\n target = ','.join([str(c) for c in rgb])\n self.set_service_value(self.color_service, 'ColorRGB',\n 'newColorRGBTarget', target)\n rgbi = self.get_color_index(['R', 'G', 'B'])\n if rgbi is None:\n return\n target = '0=0,1=0,' + str(rgbi[0]) + '=' + str(rgb[0]) + ',' + str(rgbi[1]\n ) + '=' + str(rgb[1]) + ',' + str(rgbi[2]) + '=' + str(rgb[2])\n self.set_cache_complex_value('CurrentColor', target)\n", "role": "user" }, { "content": "set_color", "role": "assistant" } ]
def x(self, state): self.set_service_value(self.security_sensor_service, 'Armed', 'newArmedValue', state) self.set_cache_value('Armed', state)
set_armed_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, state):\n self.set_service_value(self.security_sensor_service, 'Armed',\n 'newArmedValue', state)\n self.set_cache_value('Armed', state)\n", "role": "user" }, { "content": "set_armed_state", "role": "assistant" } ]
def x(self, refresh=False): if refresh: self.refresh() val = self.get_value('Armed') return val == '1'
is_switched_on
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refresh=False):\n if refresh:\n self.refresh()\n val = self.get_value('Armed')\n return val == '1'\n", "role": "user" }, { "content": "is_switched_on", "role": "assistant" } ]
def x(self, refresh=False): if refresh: self.refresh() return self.get_level(refresh) > 0
is_open
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refresh=False):\n if refresh:\n self.refresh()\n return self.get_level(refresh) > 0\n", "role": "user" }, { "content": "is_open", "role": "assistant" } ]
def x(self, level): self.set_service_value(self.dimmer_service, 'LoadLevelTarget', 'newLoadlevelTarget', level) self.set_cache_value('level', level)
set_level
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, level):\n self.set_service_value(self.dimmer_service, 'LoadLevelTarget',\n 'newLoadlevelTarget', level)\n self.set_cache_value('level', level)\n", "role": "user" }, { "content": "set_level", "role": "assistant" } ]
def x(self, refresh=False): if refresh: self.refresh_complex_value('sl_UserCode') val = self.get_complex_value('sl_UserCode') try: raw_userid, raw_username = val.split(' ') userid = raw_userid.split('=')[1].split('"')[1] username = raw_username.split('=')[1].split('"')[1] except Exception as ex: logger.error('Got unsupported user string {}: {}'.format(val, ex)) return None return userid, username
get_last_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refresh=False):\n if refresh:\n self.refresh_complex_value('sl_UserCode')\n val = self.get_complex_value('sl_UserCode')\n try:\n raw_userid, raw_username = val.split(' ')\n userid = raw_userid.split('=')[1].split('\"')[1]\n username = raw_username.split('=')[1].split('\"')[1]\n except Exception as ex:\n logger.error('Got unsupported user string {}: {}'.format(val, ex))\n return None\n return userid, username\n", "role": "user" }, { "content": "get_last_user", "role": "assistant" } ]
def x(self, refresh=False): if refresh: self.refresh() val = self.get_value('pincodes') raw_code_list = [] try: raw_code_list = val.rstrip().split('\t')[1:] except Exception as ex: logger.error('Got unsupported string {}: {}'.format(val, ex)) codes = [] for code in raw_code_list: try: code_addrs = code.split(';')[0].split(',') slot, active = code_addrs[:2] if active != '0': _, _, pin, name = code_addrs[2:] codes.append((slot, name, pin)) except Exception as ex: logger.error('Problem parsing pin code string {}: {}'.format( code, ex)) return codes
get_pin_codes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refresh=False):\n if refresh:\n self.refresh()\n val = self.get_value('pincodes')\n raw_code_list = []\n try:\n raw_code_list = val.rstrip().split('\\t')[1:]\n except Exception as ex:\n logger.error('Got unsupported string {}: {}'.format(val, ex))\n codes = []\n for code in raw_code_list:\n try:\n code_addrs = code.split(';')[0].split(',')\n slot, active = code_addrs[:2]\n if active != '0':\n _, _, pin, name = code_addrs[2:]\n codes.append((slot, name, pin))\n except Exception as ex:\n logger.error('Problem parsing pin code string {}: {}'.format(\n code, ex))\n return codes\n", "role": "user" }, { "content": "get_pin_codes", "role": "assistant" } ]
def x(self, temp): self.set_service_value(self.thermostat_setpoint, 'CurrentSetpoint', 'NewCurrentSetpoint', temp) self.set_cache_value('setpoint', temp)
set_temperature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, temp):\n self.set_service_value(self.thermostat_setpoint, 'CurrentSetpoint',\n 'NewCurrentSetpoint', temp)\n self.set_cache_value('setpoint', temp)\n", "role": "user" }, { "content": "set_temperature", "role": "assistant" } ]
def x(self, refresh=False): if refresh: self.refresh() try: return float(self.get_value('setpoint')) except (TypeError, ValueError): return None
get_current_goal_temperature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refresh=False):\n if refresh:\n self.refresh()\n try:\n return float(self.get_value('setpoint'))\n except (TypeError, ValueError):\n return None\n", "role": "user" }, { "content": "get_current_goal_temperature", "role": "assistant" } ]
def x(self, refresh=False): if refresh: self.refresh() try: return float(self.get_value('temperature')) except (TypeError, ValueError): return None
get_current_temperature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refresh=False):\n if refresh:\n self.refresh()\n try:\n return float(self.get_value('temperature'))\n except (TypeError, ValueError):\n return None\n", "role": "user" }, { "content": "get_current_temperature", "role": "assistant" } ]
def x(self, mode): self.set_service_value(self.thermostat_operating_service, 'ModeTarget', 'NewModeTarget', mode) self.set_cache_value('mode', mode)
set_hvac_mode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mode):\n self.set_service_value(self.thermostat_operating_service, 'ModeTarget',\n 'NewModeTarget', mode)\n self.set_cache_value('mode', mode)\n", "role": "user" }, { "content": "set_hvac_mode", "role": "assistant" } ]
def x(self, mode): self.set_service_value(self.thermostat_fan_service, 'Mode', 'NewMode', mode ) self.set_cache_value('fanmode', mode)
set_fan_mode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mode):\n self.set_service_value(self.thermostat_fan_service, 'Mode', 'NewMode', mode\n )\n self.set_cache_value('fanmode', mode)\n", "role": "user" }, { "content": "set_fan_mode", "role": "assistant" } ]
def x(self, refresh=False): if refresh: self.refresh_complex_value('LastSceneID') self.refresh_complex_value('sl_CentralScene') val = self.get_complex_value('LastSceneID') or self.get_complex_value( 'sl_CentralScene') return val
get_last_scene_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refresh=False):\n if refresh:\n self.refresh_complex_value('LastSceneID')\n self.refresh_complex_value('sl_CentralScene')\n val = self.get_complex_value('LastSceneID') or self.get_complex_value(\n 'sl_CentralScene')\n return val\n", "role": "user" }, { "content": "get_last_scene_id", "role": "assistant" } ]
def x(self, refresh=False): if refresh: self.refresh_complex_value('LastSceneTime') val = self.get_complex_value('LastSceneTime') return val
get_last_scene_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refresh=False):\n if refresh:\n self.refresh_complex_value('LastSceneTime')\n val = self.get_complex_value('LastSceneTime')\n return val\n", "role": "user" }, { "content": "get_last_scene_time", "role": "assistant" } ]
def x(self, **kwargs): request_payload = {'output_format': 'json', 'SceneNum': self.scene_id} request_payload.update(kwargs) return self.vera_controller.data_request(request_payload)
vera_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n request_payload = {'output_format': 'json', 'SceneNum': self.scene_id}\n request_payload.update(kwargs)\n return self.vera_controller.data_request(request_payload)\n", "role": "user" }, { "content": "vera_request", "role": "assistant" } ]
def x(self): payload = {'id': 'lu_action', 'action': 'RunScene', 'serviceId': self. scene_service} result = self.vera_request(**payload) logger.debug('activate: result of vera_request with payload %s: %s', payload, result.text) self._active = True
activate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n payload = {'id': 'lu_action', 'action': 'RunScene', 'serviceId': self.\n scene_service}\n result = self.vera_request(**payload)\n logger.debug('activate: result of vera_request with payload %s: %s',\n payload, result.text)\n self._active = True\n", "role": "user" }, { "content": "activate", "role": "assistant" } ]
def x(self): j = self.vera_request(id='sdata', output_format='json').json() scenes = j.get('scenes') for scene_data in scenes: if scene_data.get('id') == self.scene_id: self.update(scene_data)
refresh
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n j = self.vera_request(id='sdata', output_format='json').json()\n scenes = j.get('scenes')\n for scene_data in scenes:\n if scene_data.get('id') == self.scene_id:\n self.update(scene_data)\n", "role": "user" }, { "content": "refresh", "role": "assistant" } ]
def x(self, device, callback): if not device: logger.error('Received an invalid device: %r', device) return logger.debug('Subscribing to events for %s', device.name) self._devices[device.vera_device_id].append(device) self._callbacks[device].append(callback)
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device, callback):\n if not device:\n logger.error('Received an invalid device: %r', device)\n return\n logger.debug('Subscribing to events for %s', device.name)\n self._devices[device.vera_device_id].append(device)\n self._callbacks[device].append(callback)\n", "role": "user" }, { "content": "register", "role": "assistant" } ]
def x(self, device, callback): if not device: logger.error('Received an invalid device: %r', device) return logger.debug('Removing subscription for {}'.format(device.name)) self._callbacks[device].remove(callback) self._devices[device.vera_device_id].remove(device)
unregister
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device, callback):\n if not device:\n logger.error('Received an invalid device: %r', device)\n return\n logger.debug('Removing subscription for {}'.format(device.name))\n self._callbacks[device].remove(callback)\n self._devices[device.vera_device_id].remove(device)\n", "role": "user" }, { "content": "unregister", "role": "assistant" } ]
def x(self): self._poll_thread = threading.Thread(target=self._run_poll_server, name ='Vera Poll Thread') self._poll_thread.deamon = True self._poll_thread.start()
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._poll_thread = threading.Thread(target=self._run_poll_server, name\n ='Vera Poll Thread')\n self._poll_thread.deamon = True\n self._poll_thread.start()\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(ts): tz_info = tz.tzutc() return datetime.fromtimestamp(ts, tz=tz_info).strftime( '%Y-%m-%dT%H:%M:%S.000Z')
format_timestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ts):\n tz_info = tz.tzutc()\n return datetime.fromtimestamp(ts, tz=tz_info).strftime(\n '%Y-%m-%dT%H:%M:%S.000Z')\n", "role": "user" }, { "content": "format_timestamp", "role": "assistant" } ]
def x(cls, btc_amount): for size, level in cls.TICKER_LEVEL: if btc_amount < size: return level return cls.TICKER_LEVEL[-1][1]
pick_level
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, btc_amount):\n for size, level in cls.TICKER_LEVEL:\n if btc_amount < size:\n return level\n return cls.TICKER_LEVEL[-1][1]\n", "role": "user" }, { "content": "pick_level", "role": "assistant" } ]
def x(source, edge, target, value=None, metadata=None): return '{source}\t{edge}\t{target}\t{value}\t{metadata}'.format(source= source, edge=edge, target=target, value='{:.4f}'.format(value) if value is not None else '', metadata=metadata or '').rstrip(' \t')
format_tsv_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, edge, target, value=None, metadata=None):\n return '{source}\\t{edge}\\t{target}\\t{value}\\t{metadata}'.format(source=\n source, edge=edge, target=target, value='{:.4f}'.format(value) if \n value is not None else '', metadata=metadata or '').rstrip(' \\t')\n", "role": "user" }, { "content": "format_tsv_line", "role": "assistant" } ]
def x(lines): lines_nodes = set() for line in lines: lines_nodes.add(line['source']) lines_nodes.add(line['target']) nodes = OrderedDict() for i, node in enumerate(sorted(lines_nodes)): nodes[node] = 'n{}'.format(i + 1) graph = list() graph.append('digraph G {') graph.append( '\tgraph [ center=true, margin=0.75, nodesep=0.5, ranksep=0.75, rankdir=LR ];' ) graph.append( '\tnode [ shape=box, style="rounded,filled" width=0, height=0, fontname=Helvetica, fontsize=11 ];' ) graph.append('\tedge [ fontname=Helvetica, fontsize=9 ];') graph.append('\n\t// nodes') group_colors = dict() for label, name in nodes.items(): if ':' in label: group, label = str(label).split(':', 1) if group not in group_colors: group_colors[group] = len(group_colors.keys()) + 1 else: group = None label = escape_graphviz_entry(label) graph.append('\t{name} [label="{label}"{group}];'.format(name=name, label='{}\\n{}'.format(group, label) if group is not None else label, group=' group="{}" colorscheme=pastel28 color={}'.format (group, group_colors[group]) if group is not None else '')) graph.append('\n\t// edges') for line in lines: label = line.get('metadata', '') graph.append('\t{source} -> {target} [{label}];'.format(source= nodes[line['source']], target=nodes[line['target']], label= 'label="{}"'.format(escape_graphviz_entry(label)) if label != '' else '')) graph.append('}') return '\n'.join(graph)
format_graphviz_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lines):\n lines_nodes = set()\n for line in lines:\n lines_nodes.add(line['source'])\n lines_nodes.add(line['target'])\n nodes = OrderedDict()\n for i, node in enumerate(sorted(lines_nodes)):\n nodes[node] = 'n{}'.format(i + 1)\n graph = list()\n graph.append('digraph G {')\n graph.append(\n '\\tgraph [ center=true, margin=0.75, nodesep=0.5, ranksep=0.75, rankdir=LR ];'\n )\n graph.append(\n '\\tnode [ shape=box, style=\"rounded,filled\" width=0, height=0, fontname=Helvetica, fontsize=11 ];'\n )\n graph.append('\\tedge [ fontname=Helvetica, fontsize=9 ];')\n graph.append('\\n\\t// nodes')\n group_colors = dict()\n for label, name in nodes.items():\n if ':' in label:\n group, label = str(label).split(':', 1)\n if group not in group_colors:\n group_colors[group] = len(group_colors.keys()) + 1\n else:\n group = None\n label = escape_graphviz_entry(label)\n graph.append('\\t{name} [label=\"{label}\"{group}];'.format(name=name,\n label='{}\\\\n{}'.format(group, label) if group is not None else\n label, group=' group=\"{}\" colorscheme=pastel28 color={}'.format\n (group, group_colors[group]) if group is not None else ''))\n graph.append('\\n\\t// edges')\n for line in lines:\n label = line.get('metadata', '')\n graph.append('\\t{source} -> {target} [{label}];'.format(source=\n nodes[line['source']], target=nodes[line['target']], label=\n 'label=\"{}\"'.format(escape_graphviz_entry(label)) if label !=\n '' else ''))\n graph.append('}')\n return '\\n'.join(graph)\n", "role": "user" }, { "content": "format_graphviz_lines", "role": "assistant" } ]
def x(logs, _map, _reduce): keys = [] mapped_count = Counter() mapped = defaultdict(list) for log in logs: key = _map(log) mapped[key].append(log) mapped_count[key] += 1 if key not in keys: keys.append(key) top_count = mapped_count.most_common(1).pop()[1] reduced = [] for key in keys: entries = mapped[key] item = _reduce(entries) item['value'] = 1.0 * len(entries) / top_count reduced.append(item) return reduced
logs_map_and_reduce
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(logs, _map, _reduce):\n keys = []\n mapped_count = Counter()\n mapped = defaultdict(list)\n for log in logs:\n key = _map(log)\n mapped[key].append(log)\n mapped_count[key] += 1\n if key not in keys:\n keys.append(key)\n top_count = mapped_count.most_common(1).pop()[1]\n reduced = []\n for key in keys:\n entries = mapped[key]\n item = _reduce(entries)\n item['value'] = 1.0 * len(entries) / top_count\n reduced.append(item)\n return reduced\n", "role": "user" }, { "content": "logs_map_and_reduce", "role": "assistant" } ]
def x(self): if self.cr_proc: try: if 'win' in sys.platform: self.__close_internal_windows() else: self.__close_internal_linux() except Exception as e: for line in traceback.format_exc().split('\n'): self.log.error(line) ACTIVE_PORTS.discard(self.port)
close_chromium
[ { "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.cr_proc:\n try:\n if 'win' in sys.platform:\n self.__close_internal_windows()\n else:\n self.__close_internal_linux()\n except Exception as e:\n for line in traceback.format_exc().split('\\n'):\n self.log.error(line)\n ACTIVE_PORTS.discard(self.port)\n", "role": "user" }, { "content": "close_chromium", "role": "assistant" } ]