source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, validator, path): if not callable(validator): raise SchemaFormatException('Invalid validations for {}', path) args, varargs, keywords, defaults = getargspec(validator) if len(args) != 1: raise SchemaFormatException('Invalid validations for {}', path)
verify_validator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, validator, path):\n if not callable(validator):\n raise SchemaFormatException('Invalid validations for {}', path)\n args, varargs, keywords, defaults = getargspec(validator)\n if len(args) != 1:\n raise SchemaFormatException('Invalid validations for {}', path)\n", "role": "user" }, { "content": "verify_validator", "role": "assistant" } ]
def x(self, instance, errors, path_prefix=''): if not isinstance(instance, dict): errors[path_prefix ] = 'Expected instance of dict to validate against schema.' return self._apply_validations(errors, path_prefix, self._validates, instance) for field, spec in self.doc_spec.iteritems(): path = self._append_path(path_prefix, field) if field in instance: self._validate_value(instance[field], spec, path, errors) elif spec.get('required', False): errors[path] = '{} is required.'.format(path) if self._strict: for field in instance: if field not in self.doc_spec: errors[self._append_path(path_prefix, field) ] = 'Unexpected document field not present in schema'
validate_instance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, instance, errors, path_prefix=''):\n if not isinstance(instance, dict):\n errors[path_prefix\n ] = 'Expected instance of dict to validate against schema.'\n return\n self._apply_validations(errors, path_prefix, self._validates, instance)\n for field, spec in self.doc_spec.iteritems():\n path = self._append_path(path_prefix, field)\n if field in instance:\n self._validate_value(instance[field], spec, path, errors)\n elif spec.get('required', False):\n errors[path] = '{} is required.'.format(path)\n if self._strict:\n for field in instance:\n if field not in self.doc_spec:\n errors[self._append_path(path_prefix, field)\n ] = 'Unexpected document field not present in schema'\n", "role": "user" }, { "content": "validate_instance", "role": "assistant" } ]
def x(self, value, field_spec, path, errors): if value is None: if not field_spec.get('nullable', not field_spec.get('required', False) ): errors[path] = '{} is not nullable.'.format(path) return field_type = field_spec['type'] if isinstance(field_type, types.FunctionType): try: field_type = field_type(value) except Exception as e: raise SchemaFormatException( 'Dynamic schema function raised exception: {}'.format(str(e )), path) if not isinstance(field_type, (type, Schema, Array)): raise SchemaFormatException( 'Dynamic schema function did not return a type at path {}', path) if isinstance(field_type, Schema): if isinstance(value, dict): field_type._validate_instance(value, errors, path) else: errors[path] = '{} should be an embedded document'.format(path) return elif isinstance(field_type, Array): if isinstance(value, list): is_dynamic = isinstance(field_type.contained_type, types. FunctionType) for i, item in enumerate(value): contained_type = field_type.contained_type if is_dynamic: contained_type = contained_type(item) instance_path = self._append_path(path, i) if isinstance(contained_type, Schema): contained_type._validate_instance(item, errors, instance_path) elif not isinstance(item, contained_type): errors[instance_path ] = 'Array item at {} is of incorrect type'.format( instance_path) continue else: errors[path] = '{} should be an embedded array'.format(path) return elif not isinstance(value, field_type): errors[path] = 'Field should be of type {}'.format(field_type) return validations = field_spec.get('validates', None) if validations is None: return self._apply_validations(errors, path, validations, value)
validate_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value, field_spec, path, errors):\n if value is None:\n if not field_spec.get('nullable', not field_spec.get('required', False)\n ):\n errors[path] = '{} is not nullable.'.format(path)\n return\n field_type = field_spec['type']\n if isinstance(field_type, types.FunctionType):\n try:\n field_type = field_type(value)\n except Exception as e:\n raise SchemaFormatException(\n 'Dynamic schema function raised exception: {}'.format(str(e\n )), path)\n if not isinstance(field_type, (type, Schema, Array)):\n raise SchemaFormatException(\n 'Dynamic schema function did not return a type at path {}',\n path)\n if isinstance(field_type, Schema):\n if isinstance(value, dict):\n field_type._validate_instance(value, errors, path)\n else:\n errors[path] = '{} should be an embedded document'.format(path)\n return\n elif isinstance(field_type, Array):\n if isinstance(value, list):\n is_dynamic = isinstance(field_type.contained_type, types.\n FunctionType)\n for i, item in enumerate(value):\n contained_type = field_type.contained_type\n if is_dynamic:\n contained_type = contained_type(item)\n instance_path = self._append_path(path, i)\n if isinstance(contained_type, Schema):\n contained_type._validate_instance(item, errors,\n instance_path)\n elif not isinstance(item, contained_type):\n errors[instance_path\n ] = 'Array item at {} is of incorrect type'.format(\n instance_path)\n continue\n else:\n errors[path] = '{} should be an embedded array'.format(path)\n return\n elif not isinstance(value, field_type):\n errors[path] = 'Field should be of type {}'.format(field_type)\n return\n validations = field_spec.get('validates', None)\n if validations is None:\n return\n self._apply_validations(errors, path, validations, value)\n", "role": "user" }, { "content": "validate_value", "role": "assistant" } ]
def x(path=None, defaults=None): if defaults is None: defaults = DEFAULT_FILES config = ConfigParser(allow_no_value=True) if defaults: config.read(defaults) if path: with open(path) as fh: config.read_file(fh) return config
load_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path=None, defaults=None):\n if defaults is None:\n defaults = DEFAULT_FILES\n config = ConfigParser(allow_no_value=True)\n if defaults:\n config.read(defaults)\n if path:\n with open(path) as fh:\n config.read_file(fh)\n return config\n", "role": "user" }, { "content": "load_config", "role": "assistant" } ]
def x(config): settings = defaultdict(lambda : {}) for section in config.sections(): for key, val in config.items(section): settings[section][key] = val return settings
as_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config):\n settings = defaultdict(lambda : {})\n for section in config.sections():\n for key, val in config.items(section):\n settings[section][key] = val\n return settings\n", "role": "user" }, { "content": "as_dict", "role": "assistant" } ]
def x(self, timeouts): if self.bind is True: self.socket.bind(self.address) else: self.socket.connect(self.address) self._set_timeouts(timeouts)
initialize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeouts):\n if self.bind is True:\n self.socket.bind(self.address)\n else:\n self.socket.connect(self.address)\n self._set_timeouts(timeouts)\n", "role": "user" }, { "content": "initialize", "role": "assistant" } ]
def x(self, timeouts): send_timeout, recv_timeout = None, None try: send_timeout, recv_timeout = timeouts except TypeError: raise EndpointError( '`timeouts` must be a pair of numbers (2, 3) which represent the timeout values for send and receive respectively' ) if send_timeout is not None: self.socket.set_int_option(nanomsg.SOL_SOCKET, nanomsg.SNDTIMEO, send_timeout) if recv_timeout is not None: self.socket.set_int_option(nanomsg.SOL_SOCKET, nanomsg.RCVTIMEO, recv_timeout)
set_timeouts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeouts):\n send_timeout, recv_timeout = None, None\n try:\n send_timeout, recv_timeout = timeouts\n except TypeError:\n raise EndpointError(\n '`timeouts` must be a pair of numbers (2, 3) which represent the timeout values for send and receive respectively'\n )\n if send_timeout is not None:\n self.socket.set_int_option(nanomsg.SOL_SOCKET, nanomsg.SNDTIMEO,\n send_timeout)\n if recv_timeout is not None:\n self.socket.set_int_option(nanomsg.SOL_SOCKET, nanomsg.RCVTIMEO,\n recv_timeout)\n", "role": "user" }, { "content": "set_timeouts", "role": "assistant" } ]
def x(self, payload): payload = self.encode(payload) payload = self.sign(payload) self.socket.send(payload)
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, payload):\n payload = self.encode(payload)\n payload = self.sign(payload)\n self.socket.send(payload)\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(self, decode=True): payload = self.socket.recv() payload = self.verify(payload) if decode: payload = self.decode(payload) return payload
receive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, decode=True):\n payload = self.socket.recv()\n payload = self.verify(payload)\n if decode:\n payload = self.decode(payload)\n return payload\n", "role": "user" }, { "content": "receive", "role": "assistant" } ]
def x(self, payload): if self.authenticator: return self.authenticator.signed(payload) return payload
sign
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, payload):\n if self.authenticator:\n return self.authenticator.signed(payload)\n return payload\n", "role": "user" }, { "content": "sign", "role": "assistant" } ]
def x(self, payload): if not self.authenticator: return payload try: self.authenticator.auth(payload) return self.authenticator.unsigned(payload) except AuthenticatorInvalidSignature: raise except Exception as exception: raise AuthenticateError(str(exception))
verify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, payload):\n if not self.authenticator:\n return payload\n try:\n self.authenticator.auth(payload)\n return self.authenticator.unsigned(payload)\n except AuthenticatorInvalidSignature:\n raise\n except Exception as exception:\n raise AuthenticateError(str(exception))\n", "role": "user" }, { "content": "verify", "role": "assistant" } ]
def x(self, payload): try: return self.encoder.decode(payload) except Exception as exception: raise DecodeError(str(exception))
decode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, payload):\n try:\n return self.encoder.decode(payload)\n except Exception as exception:\n raise DecodeError(str(exception))\n", "role": "user" }, { "content": "decode", "role": "assistant" } ]
def x(self, payload): try: return self.encoder.encode(payload) except Exception as exception: raise EncodeError(str(exception))
encode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, payload):\n try:\n return self.encoder.encode(payload)\n except Exception as exception:\n raise EncodeError(str(exception))\n", "role": "user" }, { "content": "encode", "role": "assistant" } ]
def x(self): if threading.current_thread().name == 'MainThread': signal.signal(signal.SIGINT, self.stop) logging.info('Started on {}'.format(self.address)) while True: self.process()
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if threading.current_thread().name == 'MainThread':\n signal.signal(signal.SIGINT, self.stop)\n logging.info('Started on {}'.format(self.address))\n while True:\n self.process()\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self, dummy_signum=None, dummy_frame=None): logging.info('Shutting down ...') self.socket.close() sys.exit(0)
stop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dummy_signum=None, dummy_frame=None):\n logging.info('Shutting down ...')\n self.socket.close()\n sys.exit(0)\n", "role": "user" }, { "content": "stop", "role": "assistant" } ]
def x(list_all=[], **kwargs): all_summary = [] for module in list_all: summary = {'module_name': module['Name'], 'show_all': kwargs.get( 'show_all', True), 'project_name': kwargs.get('proj_name', 'TestProject'), 'home_page': kwargs.get('home_page', __about__. HOME_PAGE), 'start_time': '', 'end_time': '', 'duration_seconds': '', 'total_case_num': len(module[ 'TestCases']), 'pass_cases_num': 0, 'fail_cases_num': 0, 'details': []} for case in module['TestCases']: case_detail = {} case_detail['linkurl'] = './caselogs/%s_%s.log' % (case[ 'case_name'], case['exec_date']) if case['status'].lower() == 'pass': summary['pass_cases_num'] += 1 case_detail['c_style'] = 'tr_pass' else: summary['fail_cases_num'] += 1 case_detail['c_style'] = 'tr_fail' case_detail.update(case) summary['details'].append(case_detail) try: st = module['TestCases'][0].get('start_at') et = module['TestCases'][-1].get('end_at') summary['start_time'] = time.strftime('%Y-%m-%d %H:%M:%S', time .localtime(st)) summary['end_time'] = time.strftime('%Y-%m-%d %H:%M:%S', time. localtime(et)) summary['duration_seconds'] = float('%.2f' % (et - st)) except Exception as _: logger.log_warning("Will set 'start_at' and 'end_at' to 'None'") summary['start_time'], summary['end_time'], summary[ 'duration_seconds'] = None, None, None if summary['fail_cases_num'] > 0: summary['dict_report'] = {'result': 0, 'message': 'failure', 'pass': summary['pass_cases_num'], 'fail': summary[ 'fail_cases_num']} else: summary['dict_report'] = {'result': 1, 'message': 'success', 'pass': summary['pass_cases_num'], 'fail': summary[ 'fail_cases_num']} all_summary.append(summary) return all_summary
get_summary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(list_all=[], **kwargs):\n all_summary = []\n for module in list_all:\n summary = {'module_name': module['Name'], 'show_all': kwargs.get(\n 'show_all', True), 'project_name': kwargs.get('proj_name',\n 'TestProject'), 'home_page': kwargs.get('home_page', __about__.\n HOME_PAGE), 'start_time': '', 'end_time': '',\n 'duration_seconds': '', 'total_case_num': len(module[\n 'TestCases']), 'pass_cases_num': 0, 'fail_cases_num': 0,\n 'details': []}\n for case in module['TestCases']:\n case_detail = {}\n case_detail['linkurl'] = './caselogs/%s_%s.log' % (case[\n 'case_name'], case['exec_date'])\n if case['status'].lower() == 'pass':\n summary['pass_cases_num'] += 1\n case_detail['c_style'] = 'tr_pass'\n else:\n summary['fail_cases_num'] += 1\n case_detail['c_style'] = 'tr_fail'\n case_detail.update(case)\n summary['details'].append(case_detail)\n try:\n st = module['TestCases'][0].get('start_at')\n et = module['TestCases'][-1].get('end_at')\n summary['start_time'] = time.strftime('%Y-%m-%d %H:%M:%S', time\n .localtime(st))\n summary['end_time'] = time.strftime('%Y-%m-%d %H:%M:%S', time.\n localtime(et))\n summary['duration_seconds'] = float('%.2f' % (et - st))\n except Exception as _:\n logger.log_warning(\"Will set 'start_at' and 'end_at' to 'None'\")\n summary['start_time'], summary['end_time'], summary[\n 'duration_seconds'] = None, None, None\n if summary['fail_cases_num'] > 0:\n summary['dict_report'] = {'result': 0, 'message': 'failure',\n 'pass': summary['pass_cases_num'], 'fail': summary[\n 'fail_cases_num']}\n else:\n summary['dict_report'] = {'result': 1, 'message': 'success',\n 'pass': summary['pass_cases_num'], 'fail': summary[\n 'fail_cases_num']}\n all_summary.append(summary)\n return all_summary\n", "role": "user" }, { "content": "get_summary", "role": "assistant" } ]
def x(list_all=[], module_name='TestModule', **kwargs): start_at = kwargs.get('start_at') case_name = kwargs.get('case_name', 'TestCase') raw_case_name = kwargs.get('raw_case_name', 'TestCase') exec_date_time = time.localtime(start_at) execdate = time.strftime('%Y-%m-%d', exec_date_time) exectime = time.strftime('%H:%M:%S', exec_date_time) _case_report = {'resp_tester': kwargs.get('resp_tester', 'administrator'), 'tester': kwargs.get('tester', 'administrator'), 'case_name': case_name, 'raw_case_name': raw_case_name, 'status': kwargs.get('status', 'Pass'), 'exec_date': execdate, 'exec_time': exectime, 'start_at': start_at, 'end_at': kwargs.get('end_at')} for module in list_all: if module_name != module['Name']: continue for case in module['TestCases']: if raw_case_name == case['raw_case_name']: case.update(_case_report) return list_all module['TestCases'].append(_case_report) return list_all list_all.append({'Name': module_name, 'TestCases': [_case_report]}) return list_all
add_report_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(list_all=[], module_name='TestModule', **kwargs):\n start_at = kwargs.get('start_at')\n case_name = kwargs.get('case_name', 'TestCase')\n raw_case_name = kwargs.get('raw_case_name', 'TestCase')\n exec_date_time = time.localtime(start_at)\n execdate = time.strftime('%Y-%m-%d', exec_date_time)\n exectime = time.strftime('%H:%M:%S', exec_date_time)\n _case_report = {'resp_tester': kwargs.get('resp_tester',\n 'administrator'), 'tester': kwargs.get('tester', 'administrator'),\n 'case_name': case_name, 'raw_case_name': raw_case_name, 'status':\n kwargs.get('status', 'Pass'), 'exec_date': execdate, 'exec_time':\n exectime, 'start_at': start_at, 'end_at': kwargs.get('end_at')}\n for module in list_all:\n if module_name != module['Name']:\n continue\n for case in module['TestCases']:\n if raw_case_name == case['raw_case_name']:\n case.update(_case_report)\n return list_all\n module['TestCases'].append(_case_report)\n return list_all\n list_all.append({'Name': module_name, 'TestCases': [_case_report]})\n return list_all\n", "role": "user" }, { "content": "add_report_data", "role": "assistant" } ]
def x(self, subscription): for name in self.methods: tag = bytes(name.encode('utf-8')) if subscription.startswith(tag): fun = self.methods.get(name) message = subscription[len(tag):] return tag, message, fun return None, None, None
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subscription):\n for name in self.methods:\n tag = bytes(name.encode('utf-8'))\n if subscription.startswith(tag):\n fun = self.methods.get(name)\n message = subscription[len(tag):]\n return tag, message, fun\n return None, None, None\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(self, tag, fun, description=None): self.methods[tag] = fun self.descriptions[tag] = description self.socket.set_string_option(nanomsg.SUB, nanomsg.SUB_SUBSCRIBE, tag)
subscribe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag, fun, description=None):\n self.methods[tag] = fun\n self.descriptions[tag] = description\n self.socket.set_string_option(nanomsg.SUB, nanomsg.SUB_SUBSCRIBE, tag)\n", "role": "user" }, { "content": "subscribe", "role": "assistant" } ]
def x(self): subscription = None result = None try: subscription = self.socket.recv() except AuthenticateError as exception: logging.error('Subscriber error while authenticating request: {}'. format(exception), exc_info=1) except AuthenticatorInvalidSignature as exception: logging.error('Subscriber error while authenticating request: {}'. format(exception), exc_info=1) except DecodeError as exception: logging.error('Subscriber error while decoding request: {}'.format( exception), exc_info=1) except RequestParseError as exception: logging.error('Subscriber error while parsing request: {}'.format( exception), exc_info=1) else: logging.debug('Subscriber received payload: {}'.format(subscription)) _tag, message, fun = self.parse(subscription) message = self.verify(message) message = self.decode(message) try: result = fun(message) except Exception as exception: logging.error(exception, exc_info=1) return result
process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n subscription = None\n result = None\n try:\n subscription = self.socket.recv()\n except AuthenticateError as exception:\n logging.error('Subscriber error while authenticating request: {}'.\n format(exception), exc_info=1)\n except AuthenticatorInvalidSignature as exception:\n logging.error('Subscriber error while authenticating request: {}'.\n format(exception), exc_info=1)\n except DecodeError as exception:\n logging.error('Subscriber error while decoding request: {}'.format(\n exception), exc_info=1)\n except RequestParseError as exception:\n logging.error('Subscriber error while parsing request: {}'.format(\n exception), exc_info=1)\n else:\n logging.debug('Subscriber received payload: {}'.format(subscription))\n _tag, message, fun = self.parse(subscription)\n message = self.verify(message)\n message = self.decode(message)\n try:\n result = fun(message)\n except Exception as exception:\n logging.error(exception, exc_info=1)\n return result\n", "role": "user" }, { "content": "process", "role": "assistant" } ]
def x(self, tag, message): message = self.encode(message) message = self.sign(message) payload = bytes(tag.encode('utf-8')) + message return payload
build_payload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag, message):\n message = self.encode(message)\n message = self.sign(message)\n payload = bytes(tag.encode('utf-8')) + message\n return payload\n", "role": "user" }, { "content": "build_payload", "role": "assistant" } ]
def x(self, tag, message): payload = self.build_payload(tag, message) self.socket.send(payload)
publish
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag, message):\n payload = self.build_payload(tag, message)\n self.socket.send(payload)\n", "role": "user" }, { "content": "publish", "role": "assistant" } ]
def x(addr, n, authenticator): s = Subscriber(addr, authenticator=authenticator) def x(line): pass s.subscribe('test', do_something) started = time.time() for _ in range(n): s.process() s.socket.close() duration = time.time() - started print('Subscriber service stats:') util.print_stats(n, duration) return
start_service
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(addr, n, authenticator):\n s = Subscriber(addr, authenticator=authenticator)\n\n def x(line):\n pass\n s.subscribe('test', do_something)\n started = time.time()\n for _ in range(n):\n s.process()\n s.socket.close()\n duration = time.time() - started\n print('Subscriber service stats:')\n util.print_stats(n, duration)\n return\n", "role": "user" }, { "content": "start_service", "role": "assistant" } ]
def x(client, n): items = list(range(n)) started = time.time() for i in items: client.publish('test', i) duration = time.time() - started print('Publisher client stats:') util.print_stats(n, duration)
bench
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, n):\n items = list(range(n))\n started = time.time()\n for i in items:\n client.publish('test', i)\n duration = time.time() - started\n print('Publisher client stats:')\n util.print_stats(n, duration)\n", "role": "user" }, { "content": "bench", "role": "assistant" } ]
def x(request, name='DEFAULT'): if not hasattr(request, '_webpack_map'): request._webpack_map = {} wp = request._webpack_map.get(name) if wp is None: wp = request._webpack_map[name] = Webpack(request, name) return wp
get_webpack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, name='DEFAULT'):\n if not hasattr(request, '_webpack_map'):\n request._webpack_map = {}\n wp = request._webpack_map.get(name)\n if wp is None:\n wp = request._webpack_map[name] = Webpack(request, name)\n return wp\n", "role": "user" }, { "content": "get_webpack", "role": "assistant" } ]
def x(config): settings = config.registry.settings root_package_name = config.root_package.__name__ config.registry.webpack = {'DEFAULT': WebpackState(settings, root_package_name)} for extra_config in aslist(settings.get('webpack.configs', [])): state = WebpackState(settings, root_package_name, name=extra_config) config.registry.webpack[extra_config] = state for state in six.itervalues(config.registry.webpack): if state.static_view: config.add_static_view(name=state.static_view_name, path=state. static_view_path, cache_max_age=state.cache_max_age) config.add_request_method(get_webpack, 'webpack')
includeme
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config):\n settings = config.registry.settings\n root_package_name = config.root_package.__name__\n config.registry.webpack = {'DEFAULT': WebpackState(settings,\n root_package_name)}\n for extra_config in aslist(settings.get('webpack.configs', [])):\n state = WebpackState(settings, root_package_name, name=extra_config)\n config.registry.webpack[extra_config] = state\n for state in six.itervalues(config.registry.webpack):\n if state.static_view:\n config.add_static_view(name=state.static_view_name, path=state.\n static_view_path, cache_max_age=state.cache_max_age)\n config.add_request_method(get_webpack, 'webpack')\n", "role": "user" }, { "content": "includeme", "role": "assistant" } ]
def x(self, setting, default=None, name=None, inherit=True): if name is None: name = self.name if name == 'DEFAULT': return self._settings.get('webpack.{0}'.format(setting), default) else: val = self._settings.get('webpack.{0}.{1}'.format(name, setting), SENTINEL) if val is SENTINEL: if inherit: return self._get_setting(setting, default, 'DEFAULT') else: return default else: return val
get_setting
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, setting, default=None, name=None, inherit=True):\n if name is None:\n name = self.name\n if name == 'DEFAULT':\n return self._settings.get('webpack.{0}'.format(setting), default)\n else:\n val = self._settings.get('webpack.{0}.{1}'.format(name, setting),\n SENTINEL)\n if val is SENTINEL:\n if inherit:\n return self._get_setting(setting, default, 'DEFAULT')\n else:\n return default\n else:\n return val\n", "role": "user" }, { "content": "get_setting", "role": "assistant" } ]
def x(self, cache=None, wait=None): if cache is None: cache = not self.debug if wait is None: wait = self.debug if not cache or self._stats is None: self._stats = self._load_stats() start = time.time() while wait and self._stats.get('status') == 'compiling': if self.timeout and time.time() - start > self.timeout: raise RuntimeError('Webpack {0!r} timed out while compiling' .format(self.stats_file.path)) time.sleep(0.1) self._stats = self._load_stats() return self._stats
load_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cache=None, wait=None):\n if cache is None:\n cache = not self.debug\n if wait is None:\n wait = self.debug\n if not cache or self._stats is None:\n self._stats = self._load_stats()\n start = time.time()\n while wait and self._stats.get('status') == 'compiling':\n if self.timeout and time.time() - start > self.timeout:\n raise RuntimeError('Webpack {0!r} timed out while compiling'\n .format(self.stats_file.path))\n time.sleep(0.1)\n self._stats = self._load_stats()\n return self._stats\n", "role": "user" }, { "content": "load_stats", "role": "assistant" } ]
def x(self): for attempt in range(0, 3): try: with self.stats_file.open() as f: return json.load(f) except ValueError: if attempt < 2: time.sleep(attempt * 0.2) else: raise except IOError: raise IOError( 'Could not read stats file {0}. Make sure you are using the webpack-bundle-tracker plugin' .format(self.stats_file))
load_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for attempt in range(0, 3):\n try:\n with self.stats_file.open() as f:\n return json.load(f)\n except ValueError:\n if attempt < 2:\n time.sleep(attempt * 0.2)\n else:\n raise\n except IOError:\n raise IOError(\n 'Could not read stats file {0}. Make sure you are using the webpack-bundle-tracker plugin'\n .format(self.stats_file))\n", "role": "user" }, { "content": "load_stats", "role": "assistant" } ]
def x(self, extensions): if isinstance(extensions, six.string_types): extensions = extensions.split() def x(chunk): name = chunk['name'] if extensions is not None: if not any(name.endswith(e) for e in extensions): return False for pattern in self.state.ignore_re: if pattern.match(name): return False for pattern in self.state.ignore: if fnmatch.fnmatchcase(name, pattern): return False return True return _filter
chunk_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, extensions):\n if isinstance(extensions, six.string_types):\n extensions = extensions.split()\n\n def x(chunk):\n name = chunk['name']\n if extensions is not None:\n if not any(name.endswith(e) for e in extensions):\n return False\n for pattern in self.state.ignore_re:\n if pattern.match(name):\n return False\n for pattern in self.state.ignore:\n if fnmatch.fnmatchcase(name, pattern):\n return False\n return True\n return _filter\n", "role": "user" }, { "content": "chunk_filter", "role": "assistant" } ]
def x(self, chunk): if 'url' in chunk: return chunk public_path = chunk.get('publicPath') if public_path: chunk['url'] = public_path else: fullpath = posixpath.join(self.state.static_view_path, chunk['name']) chunk['url'] = self._request.static_url(fullpath) return chunk
add_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chunk):\n if 'url' in chunk:\n return chunk\n public_path = chunk.get('publicPath')\n if public_path:\n chunk['url'] = public_path\n else:\n fullpath = posixpath.join(self.state.static_view_path, chunk['name'])\n chunk['url'] = self._request.static_url(fullpath)\n return chunk\n", "role": "user" }, { "content": "add_url", "role": "assistant" } ]
def x(self, bundle_name, extensions=None): if self.stats.get('status') == 'done': bundle = self.stats.get('chunks', {}).get(bundle_name, None) if bundle is None: raise KeyError('No such bundle {0!r}.'.format(bundle_name)) test = self._chunk_filter(extensions) return [self._add_url(c) for c in bundle if test(c)] elif self.stats.get('status') == 'error': raise RuntimeError('{error}: {message}'.format(**self.stats)) else: raise RuntimeError('Bad webpack stats file {0} status: {1!r}'. format(self.state.stats_file, self.stats.get('status')))
get_bundle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bundle_name, extensions=None):\n if self.stats.get('status') == 'done':\n bundle = self.stats.get('chunks', {}).get(bundle_name, None)\n if bundle is None:\n raise KeyError('No such bundle {0!r}.'.format(bundle_name))\n test = self._chunk_filter(extensions)\n return [self._add_url(c) for c in bundle if test(c)]\n elif self.stats.get('status') == 'error':\n raise RuntimeError('{error}: {message}'.format(**self.stats))\n else:\n raise RuntimeError('Bad webpack stats file {0} status: {1!r}'.\n format(self.state.stats_file, self.stats.get('status')))\n", "role": "user" }, { "content": "get_bundle", "role": "assistant" } ]
def x(): characters = 'abcdefghijklmnopqrstuvwxyz0123456789' characters = [characters[i:i + 1] for i in irange(len(characters))] rng = random.Random() while True: letters = [rng.choice(characters) for i in irange(10)] yield ''.join(letters)
unique_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n characters = 'abcdefghijklmnopqrstuvwxyz0123456789'\n characters = [characters[i:i + 1] for i in irange(len(characters))]\n rng = random.Random()\n while True:\n letters = [rng.choice(characters) for i in irange(10)]\n yield ''.join(letters)\n", "role": "user" }, { "content": "unique_names", "role": "assistant" } ]
def x(s): if isinstance(s, PosixPath): s = unicode_(s) elif isinstance(s, bytes): s = s.decode('utf-8') if s.startswith('~/'): return '~/' + shell_escape(s[2:]) else: return shell_escape(s)
escape_queue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n if isinstance(s, PosixPath):\n s = unicode_(s)\n elif isinstance(s, bytes):\n s = s.decode('utf-8')\n if s.startswith('~/'):\n return '~/' + shell_escape(s[2:])\n else:\n return shell_escape(s)\n", "role": "user" }, { "content": "escape_queue", "role": "assistant" } ]
def x(destination): match = _re_ssh.match(destination) if not match: raise InvalidDestination('Invalid destination: %s' % destination) user, password, host, port = match.groups() info = {} if user: info['username'] = user else: info['username'] = getpass.getuser() if password: info['password'] = password if port: info['port'] = int(port) info['hostname'] = host return info
parse_ssh_destination
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(destination):\n match = _re_ssh.match(destination)\n if not match:\n raise InvalidDestination('Invalid destination: %s' % destination)\n user, password, host, port = match.groups()\n info = {}\n if user:\n info['username'] = user\n else:\n info['username'] = getpass.getuser()\n if password:\n info['password'] = password\n if port:\n info['port'] = int(port)\n info['hostname'] = host\n return info\n", "role": "user" }, { "content": "parse_ssh_destination", "role": "assistant" } ]
def x(self): ssh = paramiko.SSHClient() ssh.load_system_host_keys() ssh.set_missing_host_key_policy(paramiko.RejectPolicy()) return ssh
ssh_client
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ssh = paramiko.SSHClient()\n ssh.load_system_host_keys()\n ssh.set_missing_host_key_policy(paramiko.RejectPolicy())\n return ssh\n", "role": "user" }, { "content": "ssh_client", "role": "assistant" } ]
def x(self): ssh = self._ssh_client() logger.debug('Connecting with %s', ', '.join('%s=%r' % (k, v if k != 'password' else '***') for k, v in iteritems(self.destination))) ssh.connect(**self.destination) logger.debug('Connected to %s', self.destination['hostname']) self._ssh = ssh
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ssh = self._ssh_client()\n logger.debug('Connecting with %s', ', '.join('%s=%r' % (k, v if k !=\n 'password' else '***') for k, v in iteritems(self.destination)))\n ssh.connect(**self.destination)\n logger.debug('Connected to %s', self.destination['hostname'])\n self._ssh = ssh\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self): if self._ssh is None: self._connect() return self._ssh else: try: chan = self._ssh.get_transport().open_session() except (socket.error, paramiko.SSHException): logger.warning('Lost connection, reconnecting...') self._ssh.close() self._connect() else: chan.close() return self._ssh
get_client
[ { "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._ssh is None:\n self._connect()\n return self._ssh\n else:\n try:\n chan = self._ssh.get_transport().open_session()\n except (socket.error, paramiko.SSHException):\n logger.warning('Lost connection, reconnecting...')\n self._ssh.close()\n self._connect()\n else:\n chan.close()\n return self._ssh\n", "role": "user" }, { "content": "get_client", "role": "assistant" } ]
def x(self, cmd, get_output): server_err = self.server_logger() chan = self.get_client().get_transport().open_session() try: logger.debug('Invoking %r%s', cmd, ' (stdout)' if get_output else '') chan.exec_command('/bin/sh -c %s' % shell_escape(cmd)) output = b'' while True: r, w, e = select.select([chan], [], []) if chan not in r: continue recvd = False while chan.recv_stderr_ready(): data = chan.recv_stderr(1024) server_err.append(data) recvd = True while chan.recv_ready(): data = chan.recv(1024) if get_output: output += data recvd = True if not recvd and chan.exit_status_ready(): break output = output.rstrip(b'\r\n') return chan.recv_exit_status(), output finally: server_err.done() chan.close()
call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd, get_output):\n server_err = self.server_logger()\n chan = self.get_client().get_transport().open_session()\n try:\n logger.debug('Invoking %r%s', cmd, ' (stdout)' if get_output else '')\n chan.exec_command('/bin/sh -c %s' % shell_escape(cmd))\n output = b''\n while True:\n r, w, e = select.select([chan], [], [])\n if chan not in r:\n continue\n recvd = False\n while chan.recv_stderr_ready():\n data = chan.recv_stderr(1024)\n server_err.append(data)\n recvd = True\n while chan.recv_ready():\n data = chan.recv(1024)\n if get_output:\n output += data\n recvd = True\n if not recvd and chan.exit_status_ready():\n break\n output = output.rstrip(b'\\r\\n')\n return chan.recv_exit_status(), output\n finally:\n server_err.done()\n chan.close()\n", "role": "user" }, { "content": "call", "role": "assistant" } ]
def x(self, cmd): ret, _ = self._call(cmd, False) if ret != 0: raise RemoteCommandFailure(command=cmd, ret=ret)
check_call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd):\n ret, _ = self._call(cmd, False)\n if ret != 0:\n raise RemoteCommandFailure(command=cmd, ret=ret)\n", "role": "user" }, { "content": "check_call", "role": "assistant" } ]
def x(self, cmd): ret, output = self._call(cmd, True) if ret != 0: raise RemoteCommandFailure(command=cmd, ret=ret) logger.debug('Output: %r', output) return output
check_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd):\n ret, output = self._call(cmd, True)\n if ret != 0:\n raise RemoteCommandFailure(command=cmd, ret=ret)\n logger.debug('Output: %r', output)\n return output\n", "role": "user" }, { "content": "check_output", "role": "assistant" } ]
def x(self, queue, depth=0, links=None): if depth == 0: logger.debug('resolve_queue(%s)', queue) answer = self.check_output( 'if [ -d %(queue)s ]; then cd %(queue)s; echo "dir"; cat version; pwd; elif [ -f %(queue)s ]; then cat %(queue)s; else echo no; fi' % {'queue': escape_queue(queue)}) if answer == b'no': if depth > 0: logger.debug('Broken link at depth=%d', depth) else: logger.debug("Path doesn't exist") return None, depth elif answer.startswith(b'dir\n'): version, runtime, path = answer[4:].split(b'\n', 2) try: version = tuple(int(e) for e in version.decode('ascii', 'ignore').split('.')) except ValueError: version = 0, 0 if version[:2] != self.PROTOCOL_VERSION: raise QueueExists(msg= 'Queue exists and is using incompatible protocol version %s' % '.'.join('%s' % e for e in version)) path = PosixPath(path) runtime = runtime.decode('ascii', 'replace') if self.need_runtime is not None: if (self.need_runtime is not None and runtime not in self. need_runtime): raise QueueExists(msg= 'Queue exists and is using explicitely disallowed runtime %s' % runtime) logger.debug('Found directory at %s, depth=%d, runtime=%s', path, depth, runtime) return path, depth elif answer.startswith(b'tejdir: '): new = queue.parent / answer[8:] logger.debug('Found link to %s, recursing', new) if links is not None: links.append(queue) return self._resolve_queue(new, depth + 1) else: logger.debug('Server returned %r', answer) raise RemoteCommandFailure(msg= 'Queue resolution command failed in unexpected way')
resolve_queue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, queue, depth=0, links=None):\n if depth == 0:\n logger.debug('resolve_queue(%s)', queue)\n answer = self.check_output(\n 'if [ -d %(queue)s ]; then cd %(queue)s; echo \"dir\"; cat version; pwd; elif [ -f %(queue)s ]; then cat %(queue)s; else echo no; fi'\n % {'queue': escape_queue(queue)})\n if answer == b'no':\n if depth > 0:\n logger.debug('Broken link at depth=%d', depth)\n else:\n logger.debug(\"Path doesn't exist\")\n return None, depth\n elif answer.startswith(b'dir\\n'):\n version, runtime, path = answer[4:].split(b'\\n', 2)\n try:\n version = tuple(int(e) for e in version.decode('ascii',\n 'ignore').split('.'))\n except ValueError:\n version = 0, 0\n if version[:2] != self.PROTOCOL_VERSION:\n raise QueueExists(msg=\n 'Queue exists and is using incompatible protocol version %s' %\n '.'.join('%s' % e for e in version))\n path = PosixPath(path)\n runtime = runtime.decode('ascii', 'replace')\n if self.need_runtime is not None:\n if (self.need_runtime is not None and runtime not in self.\n need_runtime):\n raise QueueExists(msg=\n 'Queue exists and is using explicitely disallowed runtime %s'\n % runtime)\n logger.debug('Found directory at %s, depth=%d, runtime=%s', path,\n depth, runtime)\n return path, depth\n elif answer.startswith(b'tejdir: '):\n new = queue.parent / answer[8:]\n logger.debug('Found link to %s, recursing', new)\n if links is not None:\n links.append(queue)\n return self._resolve_queue(new, depth + 1)\n else:\n logger.debug('Server returned %r', answer)\n raise RemoteCommandFailure(msg=\n 'Queue resolution command failed in unexpected way')\n", "role": "user" }, { "content": "resolve_queue", "role": "assistant" } ]
def x(self): if self._queue is None: self._links = [] queue, depth = self._resolve_queue(self.queue, links=self._links) if queue is None and depth > 0: raise QueueLinkBroken self._queue = queue return self._queue
get_queue
[ { "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._queue is None:\n self._links = []\n queue, depth = self._resolve_queue(self.queue, links=self._links)\n if queue is None and depth > 0:\n raise QueueLinkBroken\n self._queue = queue\n return self._queue\n", "role": "user" }, { "content": "get_queue", "role": "assistant" } ]
def x(self, links=None, force=False, only_links=False): if not links: links = [] if only_links: logger.info('Only creating links') for link in links: self.check_call('echo "tejdir:" %(queue)s > %(link)s' % { 'queue': escape_queue(self.queue), 'link': escape_queue(link)}) return queue, depth = self._resolve_queue(self.queue) if queue is not None or depth > 0: if force: if queue is None: logger.info('Replacing broken link') elif depth > 0: logger.info('Replacing link to %s...', queue) else: logger.info('Replacing existing queue...') self.check_call('rm -Rf %s' % escape_queue(self.queue)) elif queue is not None and depth > 0: raise QueueExists( 'Queue already exists (links to %s)\nUse --force to replace' % queue) elif depth > 0: raise QueueExists('Broken link exists\nUse --force to replace') else: raise QueueExists('Queue already exists\nUse --force to replace') queue = self._setup() for link in links: self.check_call('echo "tejdir:" %(queue)s > %(link)s' % {'queue': escape_queue(queue), 'link': escape_queue(link)})
setup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, links=None, force=False, only_links=False):\n if not links:\n links = []\n if only_links:\n logger.info('Only creating links')\n for link in links:\n self.check_call('echo \"tejdir:\" %(queue)s > %(link)s' % {\n 'queue': escape_queue(self.queue), 'link': escape_queue(link)})\n return\n queue, depth = self._resolve_queue(self.queue)\n if queue is not None or depth > 0:\n if force:\n if queue is None:\n logger.info('Replacing broken link')\n elif depth > 0:\n logger.info('Replacing link to %s...', queue)\n else:\n logger.info('Replacing existing queue...')\n self.check_call('rm -Rf %s' % escape_queue(self.queue))\n elif queue is not None and depth > 0:\n raise QueueExists(\n 'Queue already exists (links to %s)\\nUse --force to replace' %\n queue)\n elif depth > 0:\n raise QueueExists('Broken link exists\\nUse --force to replace')\n else:\n raise QueueExists('Queue already exists\\nUse --force to replace')\n queue = self._setup()\n for link in links:\n self.check_call('echo \"tejdir:\" %(queue)s > %(link)s' % {'queue':\n escape_queue(queue), 'link': escape_queue(link)})\n", "role": "user" }, { "content": "setup", "role": "assistant" } ]
def x(self): if self.queue.path[0:1] == b'/': queue = self.queue else: if self.queue.path[0:1] == b'~': output = self.check_output('echo %s' % escape_queue(self.queue)) queue = PosixPath(output.rstrip(b'\r\n')) else: output = self.check_output('pwd') queue = PosixPath(output.rstrip(b'\r\n')) / self.queue logger.debug('Resolved to %s', queue) if not self.setup_runtime: if self._call('which qsub', False)[0] == 0: logger.debug("qsub is available, using runtime 'pbs'") runtime = 'pbs' else: logger.debug("qsub not found, using runtime 'default'") runtime = 'default' else: runtime = self.setup_runtime if self.need_runtime is not None and runtime not in self.need_runtime: raise ValueError( "About to setup runtime %s but that wouldn't match explicitely allowed runtimes" % runtime) logger.info('Installing runtime %s%s at %s', runtime, '' if self. setup_runtime else ' (auto)', self.queue) scp_client = self.get_scp_client() filename = pkg_resources.resource_filename('tej', 'remotes/%s' % runtime) scp_client.put(filename, str(queue), recursive=True) logger.debug('Files uploaded') self.check_call('/bin/sh %s' % shell_escape(queue / 'commands/setup')) logger.debug('Post-setup script done') self._queue = queue return queue
setup
[ { "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.queue.path[0:1] == b'/':\n queue = self.queue\n else:\n if self.queue.path[0:1] == b'~':\n output = self.check_output('echo %s' % escape_queue(self.queue))\n queue = PosixPath(output.rstrip(b'\\r\\n'))\n else:\n output = self.check_output('pwd')\n queue = PosixPath(output.rstrip(b'\\r\\n')) / self.queue\n logger.debug('Resolved to %s', queue)\n if not self.setup_runtime:\n if self._call('which qsub', False)[0] == 0:\n logger.debug(\"qsub is available, using runtime 'pbs'\")\n runtime = 'pbs'\n else:\n logger.debug(\"qsub not found, using runtime 'default'\")\n runtime = 'default'\n else:\n runtime = self.setup_runtime\n if self.need_runtime is not None and runtime not in self.need_runtime:\n raise ValueError(\n \"About to setup runtime %s but that wouldn't match explicitely allowed runtimes\"\n % runtime)\n logger.info('Installing runtime %s%s at %s', runtime, '' if self.\n setup_runtime else ' (auto)', self.queue)\n scp_client = self.get_scp_client()\n filename = pkg_resources.resource_filename('tej', 'remotes/%s' % runtime)\n scp_client.put(filename, str(queue), recursive=True)\n logger.debug('Files uploaded')\n self.check_call('/bin/sh %s' % shell_escape(queue / 'commands/setup'))\n logger.debug('Post-setup script done')\n self._queue = queue\n return queue\n", "role": "user" }, { "content": "setup", "role": "assistant" } ]
def x(self, job_id, directory, script=None): if job_id is None: job_id = '%s_%s_%s' % (Path(directory).unicodename, self. destination['username'], make_unique_name()) else: check_jobid(job_id) queue = self._get_queue() if queue is None: queue = self._setup() if script is None: script = 'start.sh' ret, target = self._call('%s %s' % (shell_escape(queue / 'commands/new_job'), job_id), True) if ret == 4: raise JobAlreadyExists elif ret != 0: raise JobNotFound("Couldn't create job") target = PosixPath(target) logger.debug('Server created directory %s', target) try: scp_client = self.get_scp_client() scp_client.put(str(Path(directory)), str(target), recursive=True) except BaseException as e: try: self.delete(job_id) except BaseException: raise e raise logger.debug('Files uploaded') self.check_call('%s %s %s %s' % (shell_escape(queue / 'commands/submit' ), job_id, shell_escape(target), shell_escape(script))) logger.info('Submitted job %s', job_id) return job_id
submit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, job_id, directory, script=None):\n if job_id is None:\n job_id = '%s_%s_%s' % (Path(directory).unicodename, self.\n destination['username'], make_unique_name())\n else:\n check_jobid(job_id)\n queue = self._get_queue()\n if queue is None:\n queue = self._setup()\n if script is None:\n script = 'start.sh'\n ret, target = self._call('%s %s' % (shell_escape(queue /\n 'commands/new_job'), job_id), True)\n if ret == 4:\n raise JobAlreadyExists\n elif ret != 0:\n raise JobNotFound(\"Couldn't create job\")\n target = PosixPath(target)\n logger.debug('Server created directory %s', target)\n try:\n scp_client = self.get_scp_client()\n scp_client.put(str(Path(directory)), str(target), recursive=True)\n except BaseException as e:\n try:\n self.delete(job_id)\n except BaseException:\n raise e\n raise\n logger.debug('Files uploaded')\n self.check_call('%s %s %s %s' % (shell_escape(queue / 'commands/submit'\n ), job_id, shell_escape(target), shell_escape(script)))\n logger.info('Submitted job %s', job_id)\n return job_id\n", "role": "user" }, { "content": "submit", "role": "assistant" } ]
def x(self, job_id): check_jobid(job_id) queue = self._get_queue() if queue is None: raise QueueDoesntExist ret, output = self._call('%s %s' % (shell_escape(queue / 'commands/status'), job_id), True) if ret == 0: directory, result = output.splitlines() result = result.decode('utf-8') return RemoteQueue.JOB_DONE, PosixPath(directory), result elif ret == 2: directory = output.splitlines()[0] return RemoteQueue.JOB_RUNNING, PosixPath(directory), None elif ret == 3: raise JobNotFound else: raise RemoteCommandFailure(command='commands/status', ret=ret)
status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, job_id):\n check_jobid(job_id)\n queue = self._get_queue()\n if queue is None:\n raise QueueDoesntExist\n ret, output = self._call('%s %s' % (shell_escape(queue /\n 'commands/status'), job_id), True)\n if ret == 0:\n directory, result = output.splitlines()\n result = result.decode('utf-8')\n return RemoteQueue.JOB_DONE, PosixPath(directory), result\n elif ret == 2:\n directory = output.splitlines()[0]\n return RemoteQueue.JOB_RUNNING, PosixPath(directory), None\n elif ret == 3:\n raise JobNotFound\n else:\n raise RemoteCommandFailure(command='commands/status', ret=ret)\n", "role": "user" }, { "content": "status", "role": "assistant" } ]
def x(self, job_id, files, **kwargs): check_jobid(job_id) if not files: return if isinstance(files, string_types): files = [files] directory = False recursive = kwargs.pop('recursive', True) if 'destination' in kwargs and 'directory' in kwargs: raise TypeError("Only use one of 'destination' or 'directory'") elif 'destination' in kwargs: destination = Path(kwargs.pop('destination')) if len(files) != 1: raise ValueError( "'destination' specified but multiple files given; did you mean to use 'directory'?" ) elif 'directory' in kwargs: destination = Path(kwargs.pop('directory')) directory = True if kwargs: raise TypeError('Got unexpected keyword arguments') status, target, result = self.status(job_id) scp_client = self.get_scp_client() for filename in files: logger.info('Downloading %s', target / filename) if directory: scp_client.get(str(target / filename), str(destination / filename), recursive=recursive) else: scp_client.get(str(target / filename), str(destination), recursive=recursive)
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, job_id, files, **kwargs):\n check_jobid(job_id)\n if not files:\n return\n if isinstance(files, string_types):\n files = [files]\n directory = False\n recursive = kwargs.pop('recursive', True)\n if 'destination' in kwargs and 'directory' in kwargs:\n raise TypeError(\"Only use one of 'destination' or 'directory'\")\n elif 'destination' in kwargs:\n destination = Path(kwargs.pop('destination'))\n if len(files) != 1:\n raise ValueError(\n \"'destination' specified but multiple files given; did you mean to use 'directory'?\"\n )\n elif 'directory' in kwargs:\n destination = Path(kwargs.pop('directory'))\n directory = True\n if kwargs:\n raise TypeError('Got unexpected keyword arguments')\n status, target, result = self.status(job_id)\n scp_client = self.get_scp_client()\n for filename in files:\n logger.info('Downloading %s', target / filename)\n if directory:\n scp_client.get(str(target / filename), str(destination /\n filename), recursive=recursive)\n else:\n scp_client.get(str(target / filename), str(destination),\n recursive=recursive)\n", "role": "user" }, { "content": "download", "role": "assistant" } ]
def x(self, job_id): check_jobid(job_id) queue = self._get_queue() if queue is None: raise QueueDoesntExist ret, output = self._call('%s %s' % (shell_escape(queue / 'commands/kill'), job_id), False) if ret == 3: raise JobNotFound elif ret != 0: raise RemoteCommandFailure(command='commands/kill', ret=ret)
kill
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, job_id):\n check_jobid(job_id)\n queue = self._get_queue()\n if queue is None:\n raise QueueDoesntExist\n ret, output = self._call('%s %s' % (shell_escape(queue /\n 'commands/kill'), job_id), False)\n if ret == 3:\n raise JobNotFound\n elif ret != 0:\n raise RemoteCommandFailure(command='commands/kill', ret=ret)\n", "role": "user" }, { "content": "kill", "role": "assistant" } ]
def x(self): queue = self._get_queue() if queue is None: raise QueueDoesntExist output = self.check_output('%s' % shell_escape(queue / 'commands/list')) job_id, info = None, None for line in output.splitlines(): line = line.decode('utf-8') if line.startswith(' '): key, value = line[4:].split(': ', 1) info[key] = value else: if job_id is not None: yield job_id, info job_id = line info = {} if job_id is not None: yield job_id, info
list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n queue = self._get_queue()\n if queue is None:\n raise QueueDoesntExist\n output = self.check_output('%s' % shell_escape(queue / 'commands/list'))\n job_id, info = None, None\n for line in output.splitlines():\n line = line.decode('utf-8')\n if line.startswith(' '):\n key, value = line[4:].split(': ', 1)\n info[key] = value\n else:\n if job_id is not None:\n yield job_id, info\n job_id = line\n info = {}\n if job_id is not None:\n yield job_id, info\n", "role": "user" }, { "content": "list", "role": "assistant" } ]
def x(*substitutions): substitutions = itertools.starmap(substitution, substitutions) substitutions = reversed(tuple(substitutions)) return compose(*substitutions)
multi_substitution
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*substitutions):\n substitutions = itertools.starmap(substitution, substitutions)\n substitutions = reversed(tuple(substitutions))\n return compose(*substitutions)\n", "role": "user" }, { "content": "multi_substitution", "role": "assistant" } ]
def x(s): html_stripper = re.compile('(<!--.*?-->)|(<[^>]*>)|([^<]+)', re.DOTALL) texts = (match.group(3) or '' for match in html_stripper.finditer(s)) return ''.join(texts)
simple_html_strip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n html_stripper = re.compile('(<!--.*?-->)|(<[^>]*>)|([^<]+)', re.DOTALL)\n texts = (match.group(3) or '' for match in html_stripper.finditer(s))\n return ''.join(texts)\n", "role": "user" }, { "content": "simple_html_strip", "role": "assistant" } ]
def x(text, prefix): null, prefix, rest = text.rpartition(prefix) return rest
remove_prefix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, prefix):\n null, prefix, rest = text.rpartition(prefix)\n return rest\n", "role": "user" }, { "content": "remove_prefix", "role": "assistant" } ]
def x(text, suffix): rest, suffix, null = text.partition(suffix) return rest
remove_suffix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, suffix):\n rest, suffix, null = text.partition(suffix)\n return rest\n", "role": "user" }, { "content": "remove_suffix", "role": "assistant" } ]
def x(s1, s2): index = min(len(s1), len(s2)) while s1[:index] != s2[:index]: index -= 1 return s1[:index]
common_prefix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s1, s2):\n index = min(len(s1), len(s2))\n while s1[:index] != s2[:index]:\n index -= 1\n return s1[:index]\n", "role": "user" }, { "content": "common_prefix", "role": "assistant" } ]
def x(self, ctx, bundle, extensions, caller=None): request = ctx.get('request') if request is None: request = get_current_request() if ':' in bundle: config_name, bundle = bundle.split(':') else: config_name = 'DEFAULT' webpack = request.webpack(config_name) assets = (caller(a) for a in webpack.get_bundle(bundle, extensions)) return ''.join(assets)
get_graph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ctx, bundle, extensions, caller=None):\n request = ctx.get('request')\n if request is None:\n request = get_current_request()\n if ':' in bundle:\n config_name, bundle = bundle.split(':')\n else:\n config_name = 'DEFAULT'\n webpack = request.webpack(config_name)\n assets = (caller(a) for a in webpack.get_bundle(bundle, extensions))\n return ''.join(assets)\n", "role": "user" }, { "content": "get_graph", "role": "assistant" } ]
def x(lancet, method, project): with taskstatus('Looking up project') as ts: if method == 'key': func = get_project_keys elif method == 'dir': func = get_project_keys for key, project_path in func(lancet): if key.lower() == project.lower(): break else: ts.abort('Project "{}" not found (using {}-based lookup)', project, method) config = load_config(os.path.join(project_path, LOCAL_CONFIG)) lancet.defer_to_shell('cd', project_path) venv = config.get('lancet', 'virtualenv', fallback=None) if venv: venv_path = os.path.join(project_path, os.path.expanduser(venv)) activate_script = os.path.join(venv_path, 'bin', 'activate') lancet.defer_to_shell('source', activate_script) elif 'VIRTUAL_ENV' in os.environ: lancet.defer_to_shell('deactivate')
activate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lancet, method, project):\n with taskstatus('Looking up project') as ts:\n if method == 'key':\n func = get_project_keys\n elif method == 'dir':\n func = get_project_keys\n for key, project_path in func(lancet):\n if key.lower() == project.lower():\n break\n else:\n ts.abort('Project \"{}\" not found (using {}-based lookup)',\n project, method)\n config = load_config(os.path.join(project_path, LOCAL_CONFIG))\n lancet.defer_to_shell('cd', project_path)\n venv = config.get('lancet', 'virtualenv', fallback=None)\n if venv:\n venv_path = os.path.join(project_path, os.path.expanduser(venv))\n activate_script = os.path.join(venv_path, 'bin', 'activate')\n lancet.defer_to_shell('source', activate_script)\n elif 'VIRTUAL_ENV' in os.environ:\n lancet.defer_to_shell('deactivate')\n", "role": "user" }, { "content": "activate", "role": "assistant" } ]
def x(ctx, issue_id, new, base_branch): lancet = ctx.obj if not issue_id and not new: raise click.UsageError('Provide either an issue ID or the --new flag.') elif issue_id and new: raise click.UsageError( 'Provide either an issue ID or the --new flag, but not both.') if new: summary = click.prompt('Issue summary') issue = create_issue(lancet, summary=summary, add_to_active_sprint=True ) else: issue = get_issue(lancet, issue_id) username = lancet.tracker.whoami() active_status = lancet.config.get('tracker', 'active_status') if not base_branch: base_branch = lancet.config.get('repository', 'base_branch') branch = get_branch(lancet, issue, base_branch) transition = get_transition(ctx, lancet, issue, active_status) assign_issue(lancet, issue, username, active_status) set_issue_status(lancet, issue, active_status, transition) with taskstatus('Checking out working branch') as ts: lancet.repo.checkout(branch.name) ts.ok('Checked out working branch based on "{}"'.format(base_branch)) with taskstatus('Starting harvest timer') as ts: lancet.timer.start(issue) ts.ok('Started harvest timer')
workon
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, issue_id, new, base_branch):\n lancet = ctx.obj\n if not issue_id and not new:\n raise click.UsageError('Provide either an issue ID or the --new flag.')\n elif issue_id and new:\n raise click.UsageError(\n 'Provide either an issue ID or the --new flag, but not both.')\n if new:\n summary = click.prompt('Issue summary')\n issue = create_issue(lancet, summary=summary, add_to_active_sprint=True\n )\n else:\n issue = get_issue(lancet, issue_id)\n username = lancet.tracker.whoami()\n active_status = lancet.config.get('tracker', 'active_status')\n if not base_branch:\n base_branch = lancet.config.get('repository', 'base_branch')\n branch = get_branch(lancet, issue, base_branch)\n transition = get_transition(ctx, lancet, issue, active_status)\n assign_issue(lancet, issue, username, active_status)\n set_issue_status(lancet, issue, active_status, transition)\n with taskstatus('Checking out working branch') as ts:\n lancet.repo.checkout(branch.name)\n ts.ok('Checked out working branch based on \"{}\"'.format(base_branch))\n with taskstatus('Starting harvest timer') as ts:\n lancet.timer.start(issue)\n ts.ok('Started harvest timer')\n", "role": "user" }, { "content": "workon", "role": "assistant" } ]
def x(lancet, issue): issue = get_issue(lancet, issue) with taskstatus('Starting harvest timer') as ts: lancet.timer.start(issue) ts.ok('Started harvest timer')
time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lancet, issue):\n issue = get_issue(lancet, issue)\n with taskstatus('Starting harvest timer') as ts:\n lancet.timer.start(issue)\n ts.ok('Started harvest timer')\n", "role": "user" }, { "content": "time", "role": "assistant" } ]
def x(ctx): lancet = ctx.obj paused_status = lancet.config.get('tracker', 'paused_status') issue = get_issue(lancet) transition = get_transition(ctx, lancet, issue, paused_status) set_issue_status(lancet, issue, paused_status, transition) with taskstatus('Pausing harvest timer') as ts: lancet.timer.pause() ts.ok('Harvest timer paused')
pause
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx):\n lancet = ctx.obj\n paused_status = lancet.config.get('tracker', 'paused_status')\n issue = get_issue(lancet)\n transition = get_transition(ctx, lancet, issue, paused_status)\n set_issue_status(lancet, issue, paused_status, transition)\n with taskstatus('Pausing harvest timer') as ts:\n lancet.timer.pause()\n ts.ok('Harvest timer paused')\n", "role": "user" }, { "content": "pause", "role": "assistant" } ]
def x(ctx): lancet = ctx.obj username = lancet.tracker.whoami() active_status = lancet.config.get('tracker', 'active_status') issue = get_issue(lancet) transition = get_transition(ctx, lancet, issue, active_status) assign_issue(lancet, issue, username, active_status) set_issue_status(lancet, issue, active_status, transition) with taskstatus('Resuming harvest timer') as ts: lancet.timer.start(issue) ts.ok('Resumed harvest timer')
resume
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx):\n lancet = ctx.obj\n username = lancet.tracker.whoami()\n active_status = lancet.config.get('tracker', 'active_status')\n issue = get_issue(lancet)\n transition = get_transition(ctx, lancet, issue, active_status)\n assign_issue(lancet, issue, username, active_status)\n set_issue_status(lancet, issue, active_status, transition)\n with taskstatus('Resuming harvest timer') as ts:\n lancet.timer.start(issue)\n ts.ok('Resumed harvest timer')\n", "role": "user" }, { "content": "resume", "role": "assistant" } ]
def x(lancet, print_cmd, environment): namespace = {} with open(lancet.config.get('dploi', 'deployment_spec')) as fh: code = compile(fh.read(), 'deployment.py', 'exec') exec(code, {}, namespace) config = namespace['settings'][environment] host = '{}@{}'.format(config['user'], config['hosts'][0]) cmd = ['ssh', '-p', str(config.get('port', 22)), host] if print_cmd: click.echo(' '.join(quote(s) for s in cmd)) else: lancet.defer_to_shell(*cmd)
ssh
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lancet, print_cmd, environment):\n namespace = {}\n with open(lancet.config.get('dploi', 'deployment_spec')) as fh:\n code = compile(fh.read(), 'deployment.py', 'exec')\n exec(code, {}, namespace)\n config = namespace['settings'][environment]\n host = '{}@{}'.format(config['user'], config['hosts'][0])\n cmd = ['ssh', '-p', str(config.get('port', 22)), host]\n if print_cmd:\n click.echo(' '.join(quote(s) for s in cmd))\n else:\n lancet.defer_to_shell(*cmd)\n", "role": "user" }, { "content": "ssh", "role": "assistant" } ]
def x(): base = os.path.abspath(os.path.dirname(__file__)) helper = os.path.join(base, 'helper.sh') with open(helper) as fh: click.echo(fh.read())
setup_helper
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n base = os.path.abspath(os.path.dirname(__file__))\n helper = os.path.join(base, 'helper.sh')\n with open(helper) as fh:\n click.echo(fh.read())\n", "role": "user" }, { "content": "setup_helper", "role": "assistant" } ]
def x(ctx): ctx = ctx.parent ctx.show_hidden_subcommands = False main = ctx.command for subcommand in main.list_commands(ctx): cmd = main.get_command(ctx, subcommand) if cmd is None: continue help = cmd.short_help or '' click.echo('{}:{}'.format(subcommand, help))
commands
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx):\n ctx = ctx.parent\n ctx.show_hidden_subcommands = False\n main = ctx.command\n for subcommand in main.list_commands(ctx):\n cmd = main.get_command(ctx, subcommand)\n if cmd is None:\n continue\n help = cmd.short_help or ''\n click.echo('{}:{}'.format(subcommand, help))\n", "role": "user" }, { "content": "commands", "role": "assistant" } ]
def x(ctx, command_name=None): ctx = ctx.parent main = ctx.command if command_name: command = main.get_command(ctx, command_name) if not command: return else: command = main types = ['option', 'argument'] all_params = sorted(command.get_params(ctx), key=lambda p: types.index( p.param_type_name)) def x(param): return max(param.opts, key=len) for param in all_params: if param.param_type_name == 'option': option = get_name(param) same_dest = [get_name(p) for p in all_params if p.name == param .name] if same_dest: option = '({})'.format(' '.join(same_dest)) + option if param.help: option += '[{}]'.format(param.help or '') if not param.is_flag: option += '=:( )' click.echo(option) elif param.param_type_name == 'argument': option = get_name(param) click.echo(':{}'.format(option))
arguments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, command_name=None):\n ctx = ctx.parent\n main = ctx.command\n if command_name:\n command = main.get_command(ctx, command_name)\n if not command:\n return\n else:\n command = main\n types = ['option', 'argument']\n all_params = sorted(command.get_params(ctx), key=lambda p: types.index(\n p.param_type_name))\n\n def x(param):\n return max(param.opts, key=len)\n for param in all_params:\n if param.param_type_name == 'option':\n option = get_name(param)\n same_dest = [get_name(p) for p in all_params if p.name == param\n .name]\n if same_dest:\n option = '({})'.format(' '.join(same_dest)) + option\n if param.help:\n option += '[{}]'.format(param.help or '')\n if not param.is_flag:\n option += '=:( )'\n click.echo(option)\n elif param.param_type_name == 'argument':\n option = get_name(param)\n click.echo(':{}'.format(option))\n", "role": "user" }, { "content": "arguments", "role": "assistant" } ]
def x(ctx, shell): if not shell: shell = os.environ.get('SHELL', '') shell = os.path.basename(shell).lower() if not shell: click.secho( 'Your shell could not be detected, please pass its name as the argument.' , fg='red') ctx.exit(-1) base = os.path.abspath(os.path.dirname(__file__)) autocomplete = os.path.join(base, 'autocomplete', '{}.sh'.format(shell)) if not os.path.exists(autocomplete): click.secho( 'Autocompletion for your shell ({}) is currently not supported.', fg='red') ctx.exit(-1) with open(autocomplete) as fh: click.echo(fh.read())
autocomplete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, shell):\n if not shell:\n shell = os.environ.get('SHELL', '')\n shell = os.path.basename(shell).lower()\n if not shell:\n click.secho(\n 'Your shell could not be detected, please pass its name as the argument.'\n , fg='red')\n ctx.exit(-1)\n base = os.path.abspath(os.path.dirname(__file__))\n autocomplete = os.path.join(base, 'autocomplete', '{}.sh'.format(shell))\n if not os.path.exists(autocomplete):\n click.secho(\n 'Autocompletion for your shell ({}) is currently not supported.',\n fg='red')\n ctx.exit(-1)\n with open(autocomplete) as fh:\n click.echo(fh.read())\n", "role": "user" }, { "content": "autocomplete", "role": "assistant" } ]
def x(exc_type, message, exc): if sys.version_info[:2] >= (3, 2): six.raise_from(exc_type(message), exc) else: six.reraise(exc_type, '%s - %s' % (message, exc), sys.exc_info()[2])
raisefrom
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(exc_type, message, exc):\n if sys.version_info[:2] >= (3, 2):\n six.raise_from(exc_type(message), exc)\n else:\n six.reraise(exc_type, '%s - %s' % (message, exc), sys.exc_info()[2])\n", "role": "user" }, { "content": "raisefrom", "role": "assistant" } ]
def x(self, parser, tracers, projinfo): self.parser = parser self.tracers = tracers self.proj_info = projinfo
init_runner
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parser, tracers, projinfo):\n self.parser = parser\n self.tracers = tracers\n self.proj_info = projinfo\n", "role": "user" }, { "content": "init_runner", "role": "assistant" } ]
def x(self, func, iterables): multiprocessing.freeze_support() pool = multiprocessing.Pool() pool_tracers = pool.map(func, iterables) pool.close() pool.join() self.tracers = dict(zip(self._default_devices, pool_tracers))
run_grid_multiprocess
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, func, iterables):\n multiprocessing.freeze_support()\n pool = multiprocessing.Pool()\n pool_tracers = pool.map(func, iterables)\n pool.close()\n pool.join()\n self.tracers = dict(zip(self._default_devices, pool_tracers))\n", "role": "user" }, { "content": "run_grid_multiprocess", "role": "assistant" } ]
def x(self, func, iterables): f = lambda x: threading.Thread(target=func, args=(x,)) threads = map(f, iterables) for thread in threads: thread.setDaemon(True) thread.start() thread.join()
run_grid_multithread
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, func, iterables):\n f = lambda x: threading.Thread(target=func, args=(x,))\n threads = map(f, iterables)\n for thread in threads:\n thread.setDaemon(True)\n thread.start()\n thread.join()\n", "role": "user" }, { "content": "run_grid_multithread", "role": "assistant" } ]
def x(subject='Automation', proj_path=None, sysencoding='utf-8', debug=False): if not proj_path: try: executable_file_path = os.path.dirname(os.path.abspath(inspect. stack()[-1][1])) except: executable_file_path = os.path.dirname(sys.path[0]) finally: proj_path = executable_file_path p = os.path.join(proj_path, subject) proj_conf = {'sys_coding': sysencoding, 'debug': debug, 'module_name': os.path.splitext(os.path.basename(subject))[0], 'cfg_file': os.path .join(p, 'config.ini'), 'path': {'root': p, 'case': os.path.join(p, 'testcase'), 'data': os.path.join(p, 'data'), 'buffer': os.path. join(p, 'buffer'), 'resource': os.path.join(p, 'resource'), 'tools': os.path.join(p, 'tools'), 'rst': os.path.join(p, 'result'), 'rst_log': os.path.join(p, 'result', 'testcase'), 'rst_shot': os. path.join(p, 'result', 'screenshots')}} [FileSystemUtils.mkdirs(v) for v in proj_conf['path'].values()] sys.path.append(p) if os.path.isdir(p) else '' return proj_conf
init_project_env
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subject='Automation', proj_path=None, sysencoding='utf-8', debug=False):\n if not proj_path:\n try:\n executable_file_path = os.path.dirname(os.path.abspath(inspect.\n stack()[-1][1]))\n except:\n executable_file_path = os.path.dirname(sys.path[0])\n finally:\n proj_path = executable_file_path\n p = os.path.join(proj_path, subject)\n proj_conf = {'sys_coding': sysencoding, 'debug': debug, 'module_name':\n os.path.splitext(os.path.basename(subject))[0], 'cfg_file': os.path\n .join(p, 'config.ini'), 'path': {'root': p, 'case': os.path.join(p,\n 'testcase'), 'data': os.path.join(p, 'data'), 'buffer': os.path.\n join(p, 'buffer'), 'resource': os.path.join(p, 'resource'), 'tools':\n os.path.join(p, 'tools'), 'rst': os.path.join(p, 'result'),\n 'rst_log': os.path.join(p, 'result', 'testcase'), 'rst_shot': os.\n path.join(p, 'result', 'screenshots')}}\n [FileSystemUtils.mkdirs(v) for v in proj_conf['path'].values()]\n sys.path.append(p) if os.path.isdir(p) else ''\n return proj_conf\n", "role": "user" }, { "content": "init_project_env", "role": "assistant" } ]
def x(strs): if not strs: return result = '' seq = 1 ss = strs.split('\n') for i in ss: if i: result = ''.join([result, str(seq), '.', i, '\n']) seq = seq + 1 return result
seqfy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(strs):\n if not strs:\n return\n result = ''\n seq = 1\n ss = strs.split('\\n')\n for i in ss:\n if i:\n result = ''.join([result, str(seq), '.', i, '\\n'])\n seq = seq + 1\n return result\n", "role": "user" }, { "content": "seqfy", "role": "assistant" } ]
def x(strs): result = {} prog_step = re.compile('^\\d+\\.') if not strs: return result raws = strs.split('\n') for raw in raws: step_num = raws.index(raw) + 1 raw = prog_step.sub('', raw) if raw: result['Step_%s_info' % step_num] = raw return result
stepfy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(strs):\n result = {}\n prog_step = re.compile('^\\\\d+\\\\.')\n if not strs:\n return result\n raws = strs.split('\\n')\n for raw in raws:\n step_num = raws.index(raw) + 1\n raw = prog_step.sub('', raw)\n if raw:\n result['Step_%s_info' % step_num] = raw\n return result\n", "role": "user" }, { "content": "stepfy", "role": "assistant" } ]
def x(func_str, fw_action_addtion=None, bw_action_addtion=None, alias_func=None ): split_action_value = re.compile('^(\\w+)(\\((.*)\\)$)?') matched = split_action_value.match(func_str) if matched: action = matched.group(1).lower() value = matched.group(2) if alias_func: action = alias_func if fw_action_addtion: action = fw_action_addtion + action if fw_action_addtion: action = action + bw_action_addtion if value: return action + value else: return action
map_function
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func_str, fw_action_addtion=None, bw_action_addtion=None, alias_func=None\n ):\n split_action_value = re.compile('^(\\\\w+)(\\\\((.*)\\\\)$)?')\n matched = split_action_value.match(func_str)\n if matched:\n action = matched.group(1).lower()\n value = matched.group(2)\n if alias_func:\n action = alias_func\n if fw_action_addtion:\n action = fw_action_addtion + action\n if fw_action_addtion:\n action = action + bw_action_addtion\n if value:\n return action + value\n else:\n return action\n", "role": "user" }, { "content": "map_function", "role": "assistant" } ]
def x(listcmd, end_expects=None, save2logfile=None, coding=encoding): if end_expects and not isinstance(end_expects, p_compat.str): raise Exception("invalide unicode string: '%s'" % end_expects) lines = [] subp = subprocess.Popen(listcmd, stdout=subprocess.PIPE, stderr= subprocess.STDOUT) while subp.poll() == None: next_line = subp.stdout.readline().decode(coding) if next_line: lines.append(next_line) if end_expects and re.search(end_expects, next_line): result = True else: result = False subp.stdout.close() if subp.returncode: result = False lines.append('sub command error code: %s' % subp.returncode) if save2logfile: with open(save2logfile, 'a') as f: f.writelines(lines) return result
until_cmd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(listcmd, end_expects=None, save2logfile=None, coding=encoding):\n if end_expects and not isinstance(end_expects, p_compat.str):\n raise Exception(\"invalide unicode string: '%s'\" % end_expects)\n lines = []\n subp = subprocess.Popen(listcmd, stdout=subprocess.PIPE, stderr=\n subprocess.STDOUT)\n while subp.poll() == None:\n next_line = subp.stdout.readline().decode(coding)\n if next_line:\n lines.append(next_line)\n if end_expects and re.search(end_expects, next_line):\n result = True\n else:\n result = False\n subp.stdout.close()\n if subp.returncode:\n result = False\n lines.append('sub command error code: %s' % subp.returncode)\n if save2logfile:\n with open(save2logfile, 'a') as f:\n f.writelines(lines)\n return result\n", "role": "user" }, { "content": "until_cmd", "role": "assistant" } ]
def x(method, timeout=30, message=''): end_time = time.time() + timeout while True: try: value = method() if value: return value except: pass time.sleep(1) if time.time() > end_time: break raise Exception(message)
until
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method, timeout=30, message=''):\n end_time = time.time() + timeout\n while True:\n try:\n value = method()\n if value:\n return value\n except:\n pass\n time.sleep(1)\n if time.time() > end_time:\n break\n raise Exception(message)\n", "role": "user" }, { "content": "until", "role": "assistant" } ]
def x(file_path, content): if not content: err_msg = u'Testcase file content is empty: {}'.format(file_path) raise p_exception.FileFormatError(err_msg) elif not isinstance(content, (list, dict)): err_msg = u'Testcase file content format invalid: {}'.format(file_path) raise p_exception.FileFormatError(err_msg)
check_format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_path, content):\n if not content:\n err_msg = u'Testcase file content is empty: {}'.format(file_path)\n raise p_exception.FileFormatError(err_msg)\n elif not isinstance(content, (list, dict)):\n err_msg = u'Testcase file content format invalid: {}'.format(file_path)\n raise p_exception.FileFormatError(err_msg)\n", "role": "user" }, { "content": "check_format", "role": "assistant" } ]
def x(yaml_file): with io.open(yaml_file, 'r', encoding='utf-8') as stream: yaml_content = yaml.load(stream) FileUtils._check_format(yaml_file, yaml_content) return yaml_content
load_yaml_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(yaml_file):\n with io.open(yaml_file, 'r', encoding='utf-8') as stream:\n yaml_content = yaml.load(stream)\n FileUtils._check_format(yaml_file, yaml_content)\n return yaml_content\n", "role": "user" }, { "content": "load_yaml_file", "role": "assistant" } ]
def x(json_file): with io.open(json_file, encoding='utf-8') as data_file: try: json_content = json.load(data_file) except p_exception.JSONDecodeError: err_msg = u'JSONDecodeError: JSON file format error: {}'.format( json_file) raise p_exception.FileFormatError(err_msg) FileUtils._check_format(json_file, json_content) return json_content
load_json_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(json_file):\n with io.open(json_file, encoding='utf-8') as data_file:\n try:\n json_content = json.load(data_file)\n except p_exception.JSONDecodeError:\n err_msg = u'JSONDecodeError: JSON file format error: {}'.format(\n json_file)\n raise p_exception.FileFormatError(err_msg)\n FileUtils._check_format(json_file, json_content)\n return json_content\n", "role": "user" }, { "content": "load_json_file", "role": "assistant" } ]
def x(csv_file): csv_content_list = [] with io.open(csv_file, encoding='utf-8') as csvfile: reader = csv.DictReader(csvfile) for row in reader: csv_content_list.append(row) return csv_content_list
load_csv_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(csv_file):\n csv_content_list = []\n with io.open(csv_file, encoding='utf-8') as csvfile:\n reader = csv.DictReader(csvfile)\n for row in reader:\n csv_content_list.append(row)\n return csv_content_list\n", "role": "user" }, { "content": "load_csv_file", "role": "assistant" } ]
def x(file_path): if os.path.isfile(file_path): try: os.remove(file_path) return file_path except: return FileSystemUtils.add_unique_postfix(file_path) else: return file_path
force_delete_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_path):\n if os.path.isfile(file_path):\n try:\n os.remove(file_path)\n return file_path\n except:\n return FileSystemUtils.add_unique_postfix(file_path)\n else:\n return file_path\n", "role": "user" }, { "content": "force_delete_file", "role": "assistant" } ]
def x(source_dir, output_filename): zipf = zipfile.ZipFile(output_filename, 'w', zipfile.zlib.DEFLATED) pre_len = len(os.path.dirname(source_dir)) for parent, dirnames, filenames in os.walk(source_dir): for filename in filenames: pathfile = os.path.join(parent, filename) arcname = pathfile[pre_len:].strip(os.path.sep) zipf.write(pathfile, arcname) zipf.close()
mkzip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source_dir, output_filename):\n zipf = zipfile.ZipFile(output_filename, 'w', zipfile.zlib.DEFLATED)\n pre_len = len(os.path.dirname(source_dir))\n for parent, dirnames, filenames in os.walk(source_dir):\n for filename in filenames:\n pathfile = os.path.join(parent, filename)\n arcname = pathfile[pre_len:].strip(os.path.sep)\n zipf.write(pathfile, arcname)\n zipf.close()\n", "role": "user" }, { "content": "mkzip", "role": "assistant" } ]
def x(file_path): if p_compat.is_py3: imported_module = importlib.machinery.SourceFileLoader('module_name', file_path).load_module() elif p_compat.is_py2: imported_module = imp.load_source('module_name', file_path) else: raise RuntimeError('Neither Python 3 nor Python 2.') return imported_module
get_imported_module_from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_path):\n if p_compat.is_py3:\n imported_module = importlib.machinery.SourceFileLoader('module_name',\n file_path).load_module()\n elif p_compat.is_py2:\n imported_module = imp.load_source('module_name', file_path)\n else:\n raise RuntimeError('Neither Python 3 nor Python 2.')\n return imported_module\n", "role": "user" }, { "content": "get_imported_module_from_file", "role": "assistant" } ]
def x(module, filter_type): filter_type = (ModuleUtils.is_function if filter_type == 'function' else ModuleUtils.is_variable) module_functions_dict = dict(filter(filter_type, vars(module).items())) return module_functions_dict
filter_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(module, filter_type):\n filter_type = (ModuleUtils.is_function if filter_type == 'function' else\n ModuleUtils.is_variable)\n module_functions_dict = dict(filter(filter_type, vars(module).items()))\n return module_functions_dict\n", "role": "user" }, { "content": "filter_module", "role": "assistant" } ]
def x(start_path, item_type, item_name): dir_path = os.path.dirname(os.path.abspath(start_path)) target_file = os.path.join(dir_path, 'preference.py') if os.path.isfile(target_file): imported_module = ModuleUtils.get_imported_module_from_file(target_file ) items_dict = ModuleUtils.filter_module(imported_module, item_type) if item_name in items_dict: return items_dict[item_name] else: return ModuleUtils.search_conf_item(dir_path, item_type, item_name) if dir_path == start_path: err_msg = "'{}' not found in recursive upward path!".format(item_name) if item_type == 'function': raise p_exception.FunctionNotFound(err_msg) else: raise p_exception.VariableNotFound(err_msg) return ModuleUtils.search_conf_item(dir_path, item_type, item_name)
search_conf_item
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start_path, item_type, item_name):\n dir_path = os.path.dirname(os.path.abspath(start_path))\n target_file = os.path.join(dir_path, 'preference.py')\n if os.path.isfile(target_file):\n imported_module = ModuleUtils.get_imported_module_from_file(target_file\n )\n items_dict = ModuleUtils.filter_module(imported_module, item_type)\n if item_name in items_dict:\n return items_dict[item_name]\n else:\n return ModuleUtils.search_conf_item(dir_path, item_type, item_name)\n if dir_path == start_path:\n err_msg = \"'{}' not found in recursive upward path!\".format(item_name)\n if item_type == 'function':\n raise p_exception.FunctionNotFound(err_msg)\n else:\n raise p_exception.VariableNotFound(err_msg)\n return ModuleUtils.search_conf_item(dir_path, item_type, item_name)\n", "role": "user" }, { "content": "search_conf_item", "role": "assistant" } ]
def x(source, target, patterns, isiter=False): if glob.has_magic(source) or glob.has_magic(target): raise ValueError('Magic not allowed in src, target') ret = {} for pattern in patterns: pattern = os.path.join(source, pattern) for filename in glob.glob(pattern): if os.path.isfile(filename): targetpath = os.path.join(target, os.path.relpath(filename, source)) path = os.path.dirname(targetpath) ret.setdefault(path, []).append(filename) elif isiter and os.path.isdir(filename): source2 = os.path.join(source, filename) targetpath2 = '%s/%s' % (target, os.path.basename(filename)) ret.update(SetupUtils.find_data_files(source2, targetpath2, patterns, isiter)) return sorted(ret.items())
find_data_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, target, patterns, isiter=False):\n if glob.has_magic(source) or glob.has_magic(target):\n raise ValueError('Magic not allowed in src, target')\n ret = {}\n for pattern in patterns:\n pattern = os.path.join(source, pattern)\n for filename in glob.glob(pattern):\n if os.path.isfile(filename):\n targetpath = os.path.join(target, os.path.relpath(filename,\n source))\n path = os.path.dirname(targetpath)\n ret.setdefault(path, []).append(filename)\n elif isiter and os.path.isdir(filename):\n source2 = os.path.join(source, filename)\n targetpath2 = '%s/%s' % (target, os.path.basename(filename))\n ret.update(SetupUtils.find_data_files(source2, targetpath2,\n patterns, isiter))\n return sorted(ret.items())\n", "role": "user" }, { "content": "find_data_files", "role": "assistant" } ]
def x(map_list): ordered_dict = OrderedDict() for map_dict in map_list: ordered_dict.update(map_dict) return ordered_dict
convert_to_order_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(map_list):\n ordered_dict = OrderedDict()\n for map_dict in map_list:\n ordered_dict.update(map_dict)\n return ordered_dict\n", "role": "user" }, { "content": "convert_to_order_dict", "role": "assistant" } ]
def x(cfg_file): if not os.path.isfile(cfg_file): return cfg = {} config = ConfigParser.RawConfigParser() try: config.read(cfg_file) except Exception as e: return for section in config.sections(): cfg[section] = {} for option in config.options(section): cfg[section][option] = config.get(section, option) return cfg
get_value_from_cfg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cfg_file):\n if not os.path.isfile(cfg_file):\n return\n cfg = {}\n config = ConfigParser.RawConfigParser()\n try:\n config.read(cfg_file)\n except Exception as e:\n return\n for section in config.sections():\n cfg[section] = {}\n for option in config.options(section):\n cfg[section][option] = config.get(section, option)\n return cfg\n", "role": "user" }, { "content": "get_value_from_cfg", "role": "assistant" } ]
def x(): error_message = '' for i in range(len(inspect.trace())): error_line = ( u""" File: %s - [%s] Function: %s Statement: %s -""" % (inspect.trace()[i][1], inspect.trace()[i][2], inspect.trace ()[i][3], inspect.trace()[i][4])) error_message = '%s%s' % (error_message, error_line) error_message = ( u"""Error! %s %s %s ------------------------------------------------------------------------------------------- """ % (error_message, sys.exc_info()[0], sys.exc_info()[1])) return error_message
get_exception_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n error_message = ''\n for i in range(len(inspect.trace())):\n error_line = (\n u\"\"\"\n File: %s - [%s]\n Function: %s\n Statement: %s\n -\"\"\"\n % (inspect.trace()[i][1], inspect.trace()[i][2], inspect.trace\n ()[i][3], inspect.trace()[i][4]))\n error_message = '%s%s' % (error_message, error_line)\n error_message = (\n u\"\"\"Error!\n%s\n\t%s\n\t%s\n-------------------------------------------------------------------------------------------\n\n\"\"\"\n % (error_message, sys.exc_info()[0], sys.exc_info()[1]))\n return error_message\n", "role": "user" }, { "content": "get_exception_error", "role": "assistant" } ]
def x(transferred, toBeTransferred, suffix=''): bar_len = 60 rate = transferred / float(toBeTransferred) filled_len = int(round(bar_len * rate)) _percents = '%s%s' % (round(100.0 * rate, 1), '%') end_str = '\r' _bar = '=' * filled_len + '-' * (bar_len - filled_len) print('[%s] %s ...%s%s' % (_bar, _percents, suffix, end_str))
echo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(transferred, toBeTransferred, suffix=''):\n bar_len = 60\n rate = transferred / float(toBeTransferred)\n filled_len = int(round(bar_len * rate))\n _percents = '%s%s' % (round(100.0 * rate, 1), '%')\n end_str = '\\r'\n _bar = '=' * filled_len + '-' * (bar_len - filled_len)\n print('[%s] %s ...%s%s' % (_bar, _percents, suffix, end_str))\n", "role": "user" }, { "content": "echo", "role": "assistant" } ]
def x(self, transferred=1, status=None): self.transferred += transferred self.status = status or self.status end_str = '\r' if self.transferred == self.toBeTransferred: end_str = '\n' self.status = status or self.fin_status print(self.__get_info() + end_str)
echo_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, transferred=1, status=None):\n self.transferred += transferred\n self.status = status or self.status\n end_str = '\\r'\n if self.transferred == self.toBeTransferred:\n end_str = '\\n'\n self.status = status or self.fin_status\n print(self.__get_info() + end_str)\n", "role": "user" }, { "content": "echo_size", "role": "assistant" } ]
def x(self, transferred=1, status=None): self.transferred += transferred self.status = status or self.status end_str = '\r' if self.transferred == self.toBeTransferred: end_str = '\n' self.status = status or self.fin_status print(self.__get_bar() + end_str)
echo_percent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, transferred=1, status=None):\n self.transferred += transferred\n self.status = status or self.status\n end_str = '\\r'\n if self.transferred == self.toBeTransferred:\n end_str = '\\n'\n self.status = status or self.fin_status\n print(self.__get_bar() + end_str)\n", "role": "user" }, { "content": "echo_percent", "role": "assistant" } ]
def x(addr, n): s = Service(addr) s.register('add', lambda x, y: x + y) started = time.time() for _ in range(n): s.process() duration = time.time() - started time.sleep(0.1) print('Service stats:') util.print_stats(n, duration) return
start_service
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(addr, n):\n s = Service(addr)\n s.register('add', lambda x, y: x + y)\n started = time.time()\n for _ in range(n):\n s.process()\n duration = time.time() - started\n time.sleep(0.1)\n print('Service stats:')\n util.print_stats(n, duration)\n return\n", "role": "user" }, { "content": "start_service", "role": "assistant" } ]
def x(client, n): pairs = [(x, x + 1) for x in range(n)] started = time.time() for pair in pairs: res, err = client.call('add', *pair) duration = time.time() - started print('Client stats:') util.print_stats(n, duration)
bench
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, n):\n pairs = [(x, x + 1) for x in range(n)]\n started = time.time()\n for pair in pairs:\n res, err = client.call('add', *pair)\n duration = time.time() - started\n print('Client stats:')\n util.print_stats(n, duration)\n", "role": "user" }, { "content": "bench", "role": "assistant" } ]
def x(addr, n): s = Subscriber(addr) s.socket.set_string_option(nanomsg.SUB, nanomsg.SUB_SUBSCRIBE, 'test') started = time.time() for _ in range(n): msg = s.socket.recv() s.socket.close() duration = time.time() - started print('Raw SUB service stats:') util.print_stats(n, duration) return
start_service
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(addr, n):\n s = Subscriber(addr)\n s.socket.set_string_option(nanomsg.SUB, nanomsg.SUB_SUBSCRIBE, 'test')\n started = time.time()\n for _ in range(n):\n msg = s.socket.recv()\n s.socket.close()\n duration = time.time() - started\n print('Raw SUB service stats:')\n util.print_stats(n, duration)\n return\n", "role": "user" }, { "content": "start_service", "role": "assistant" } ]
def x(s): if isinstance(s, PosixPath): s = unicode_(s) elif isinstance(s, bytes): s = s.decode('utf-8') if not s or any(c not in safe_shell_chars for c in s): return '"%s"' % s.replace('\\', '\\\\').replace('"', '\\"').replace('`' , '\\`').replace('$', '\\$') else: return s
shell_escape
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n if isinstance(s, PosixPath):\n s = unicode_(s)\n elif isinstance(s, bytes):\n s = s.decode('utf-8')\n if not s or any(c not in safe_shell_chars for c in s):\n return '\"%s\"' % s.replace('\\\\', '\\\\\\\\').replace('\"', '\\\\\"').replace('`'\n , '\\\\`').replace('$', '\\\\$')\n else:\n return s\n", "role": "user" }, { "content": "shell_escape", "role": "assistant" } ]
def x(lancet, query): projects = lancet.timer.projects() if query: regexp = re.compile(query, flags=re.IGNORECASE) def x(project): match = regexp.search(project['name']) if match is None: return False project['match'] = match return True projects = (p for p in projects if match(p)) for project in sorted(projects, key=lambda p: p['name'].lower()): name = project['name'] if 'match' in project: m = project['match'] s, e = m.start(), m.end() match = click.style(name[s:e], fg='green') name = name[:s] + match + name[e:] click.echo('{:>9d} {} {}'.format(project['id'], click.style('‣', fg ='yellow'), name))
projects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lancet, query):\n projects = lancet.timer.projects()\n if query:\n regexp = re.compile(query, flags=re.IGNORECASE)\n\n def x(project):\n match = regexp.search(project['name'])\n if match is None:\n return False\n project['match'] = match\n return True\n projects = (p for p in projects if match(p))\n for project in sorted(projects, key=lambda p: p['name'].lower()):\n name = project['name']\n if 'match' in project:\n m = project['match']\n s, e = m.start(), m.end()\n match = click.style(name[s:e], fg='green')\n name = name[:s] + match + name[e:]\n click.echo('{:>9d} {} {}'.format(project['id'], click.style('‣', fg\n ='yellow'), name))\n", "role": "user" }, { "content": "projects", "role": "assistant" } ]
def x(lancet, project_id): for task in lancet.timer.tasks(project_id): click.echo('{:>9d} {} {}'.format(task['id'], click.style('‣', fg= 'yellow'), task['name']))
tasks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lancet, project_id):\n for task in lancet.timer.tasks(project_id):\n click.echo('{:>9d} {} {}'.format(task['id'], click.style('‣', fg=\n 'yellow'), task['name']))\n", "role": "user" }, { "content": "tasks", "role": "assistant" } ]
def x(): here = os.path.abspath(os.path.dirname(__file__)) with copen(os.path.join(here, 'DESCRIPTION.rst'), encoding='utf-8' ) as description: return description.read()
get_long_description
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n here = os.path.abspath(os.path.dirname(__file__))\n with copen(os.path.join(here, 'DESCRIPTION.rst'), encoding='utf-8'\n ) as description:\n return description.read()\n", "role": "user" }, { "content": "get_long_description", "role": "assistant" } ]
def x(nested_list: list) ->list: return list(sorted(filter(lambda y: y is not None, list(map(lambda x: nested_list.extend(x) if isinstance(x, list) else x, nested_list)))))
flatten
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nested_list: list) ->list:\n return list(sorted(filter(lambda y: y is not None, list(map(lambda x: \n nested_list.extend(x) if isinstance(x, list) else x, nested_list)))))\n", "role": "user" }, { "content": "flatten", "role": "assistant" } ]