source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, filter_func, reverse=False): new_log_file = Log() new_log_file.logfile = self.logfile new_log_file.total_lines = 0 new_log_file._valid_lines = [] new_log_file._invalid_lines = self._invalid_lines[:] if not reverse: for i in self._valid_lines: if filter_func(i): new_log_file.total_lines += 1 new_log_file._valid_lines.append(i) else: for i in self._valid_lines: if not filter_func(i): new_log_file.total_lines += 1 new_log_file._valid_lines.append(i) return new_log_file
filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filter_func, reverse=False):\n new_log_file = Log()\n new_log_file.logfile = self.logfile\n new_log_file.total_lines = 0\n new_log_file._valid_lines = []\n new_log_file._invalid_lines = self._invalid_lines[:]\n if not reverse:\n for i in self._valid_lines:\n if filter_func(i):\n new_log_file.total_lines += 1\n new_log_file._valid_lines.append(i)\n else:\n for i in self._valid_lines:\n if not filter_func(i):\n new_log_file.total_lines += 1\n new_log_file._valid_lines.append(i)\n return new_log_file\n", "role": "user" }, { "content": "filter", "role": "assistant" } ]
def x(cls): cmds = [cmd[4:] for cmd in dir(cls) if cmd.startswith('cmd_')] return cmds
commands
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n cmds = [cmd[4:] for cmd in dir(cls) if cmd.startswith('cmd_')]\n return cmds\n", "role": "user" }, { "content": "commands", "role": "assistant" } ]
def x(self): methods = defaultdict(int) for line in self._valid_lines: methods[line.http_request_method] += 1 return methods
cmd_http_methods
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n methods = defaultdict(int)\n for line in self._valid_lines:\n methods[line.http_request_method] += 1\n return methods\n", "role": "user" }, { "content": "cmd_http_methods", "role": "assistant" } ]
def x(self): ip_counter = defaultdict(int) for line in self._valid_lines: ip = line.get_ip() if ip is not None: ip_counter[ip] += 1 return ip_counter
cmd_ip_counter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ip_counter = defaultdict(int)\n for line in self._valid_lines:\n ip = line.get_ip()\n if ip is not None:\n ip_counter[ip] += 1\n return ip_counter\n", "role": "user" }, { "content": "cmd_ip_counter", "role": "assistant" } ]
def x(self): status_codes = defaultdict(int) for line in self._valid_lines: status_codes[line.status_code] += 1 return status_codes
cmd_status_codes_counter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n status_codes = defaultdict(int)\n for line in self._valid_lines:\n status_codes[line.status_code] += 1\n return status_codes\n", "role": "user" }, { "content": "cmd_status_codes_counter", "role": "assistant" } ]
def x(self): paths = defaultdict(int) for line in self._valid_lines: paths[line.http_request_path] += 1 return paths
cmd_request_path_counter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n paths = defaultdict(int)\n for line in self._valid_lines:\n paths[line.http_request_path] += 1\n return paths\n", "role": "user" }, { "content": "cmd_request_path_counter", "role": "assistant" } ]
def x(self): slow_requests = [line.time_wait_response for line in self._valid_lines if line.time_wait_response > 1000] return slow_requests
cmd_slow_requests
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n slow_requests = [line.time_wait_response for line in self._valid_lines if\n line.time_wait_response > 1000]\n return slow_requests\n", "role": "user" }, { "content": "cmd_slow_requests", "role": "assistant" } ]
def x(self): average = [line.time_wait_response for line in self._valid_lines if line.time_wait_response >= 0] divisor = float(len(average)) if divisor > 0: return sum(average) / float(len(average)) return 0
cmd_average_response_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n average = [line.time_wait_response for line in self._valid_lines if \n line.time_wait_response >= 0]\n divisor = float(len(average))\n if divisor > 0:\n return sum(average) / float(len(average))\n return 0\n", "role": "user" }, { "content": "cmd_average_response_time", "role": "assistant" } ]
def x(self): average = [line.time_wait_queues for line in self._valid_lines if line. time_wait_queues >= 0] divisor = float(len(average)) if divisor > 0: return sum(average) / float(len(average)) return 0
cmd_average_waiting_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n average = [line.time_wait_queues for line in self._valid_lines if line.\n time_wait_queues >= 0]\n divisor = float(len(average))\n if divisor > 0:\n return sum(average) / float(len(average))\n return 0\n", "role": "user" }, { "content": "cmd_average_waiting_time", "role": "assistant" } ]
def x(self): servers = defaultdict(int) for line in self._valid_lines: servers[line.server_name] += 1 return servers
cmd_server_load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n servers = defaultdict(int)\n for line in self._valid_lines:\n servers[line.server_name] += 1\n return servers\n", "role": "user" }, { "content": "cmd_server_load", "role": "assistant" } ]
def x(self): threshold = 1 peaks = [] current_peak = 0 current_queue = 0 current_span = 0 first_on_queue = None for line in self._valid_lines: current_queue = line.queue_backend if current_queue > 0: current_span += 1 if first_on_queue is None: first_on_queue = line.accept_date if current_queue == 0 and current_peak > threshold: data = {'peak': current_peak, 'span': current_span, 'first': first_on_queue, 'last': line.accept_date} peaks.append(data) current_peak = 0 current_span = 0 first_on_queue = None if current_queue > current_peak: current_peak = current_queue if current_queue > 0 and current_peak > threshold: data = {'peak': current_peak, 'span': current_span, 'first': first_on_queue, 'last': line.accept_date} peaks.append(data) return peaks
cmd_queue_peaks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n threshold = 1\n peaks = []\n current_peak = 0\n current_queue = 0\n current_span = 0\n first_on_queue = None\n for line in self._valid_lines:\n current_queue = line.queue_backend\n if current_queue > 0:\n current_span += 1\n if first_on_queue is None:\n first_on_queue = line.accept_date\n if current_queue == 0 and current_peak > threshold:\n data = {'peak': current_peak, 'span': current_span, 'first':\n first_on_queue, 'last': line.accept_date}\n peaks.append(data)\n current_peak = 0\n current_span = 0\n first_on_queue = None\n if current_queue > current_peak:\n current_peak = current_queue\n if current_queue > 0 and current_peak > threshold:\n data = {'peak': current_peak, 'span': current_span, 'first':\n first_on_queue, 'last': line.accept_date}\n peaks.append(data)\n return peaks\n", "role": "user" }, { "content": "cmd_queue_peaks", "role": "assistant" } ]
def x(self): https = 0 non_https = 0 for line in self._valid_lines: if line.is_https(): https += 1 else: non_https += 1 return https, non_https
cmd_connection_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n https = 0\n non_https = 0\n for line in self._valid_lines:\n if line.is_https():\n https += 1\n else:\n non_https += 1\n return https, non_https\n", "role": "user" }, { "content": "cmd_connection_type", "role": "assistant" } ]
def x(self): if len(self._valid_lines) == 0: return current_minute = self._valid_lines[0].accept_date current_minute_counter = 0 requests = [] one_minute = timedelta(minutes=1) def x(append_to, date, counter): seconds_and_micro = timedelta(seconds=date.second, microseconds= date.microsecond) minute_formatted = date - seconds_and_micro append_to.append((minute_formatted, counter)) for line in self._valid_lines: line_date = line.accept_date if (line_date - current_minute < one_minute and line_date.minute == current_minute.minute): current_minute_counter += 1 else: format_and_append(requests, current_minute, current_minute_counter) current_minute_counter = 1 current_minute = line_date if current_minute_counter > 0: format_and_append(requests, current_minute, current_minute_counter) return requests
cmd_requests_per_minute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if len(self._valid_lines) == 0:\n return\n current_minute = self._valid_lines[0].accept_date\n current_minute_counter = 0\n requests = []\n one_minute = timedelta(minutes=1)\n\n def x(append_to, date, counter):\n seconds_and_micro = timedelta(seconds=date.second, microseconds=\n date.microsecond)\n minute_formatted = date - seconds_and_micro\n append_to.append((minute_formatted, counter))\n for line in self._valid_lines:\n line_date = line.accept_date\n if (line_date - current_minute < one_minute and line_date.minute ==\n current_minute.minute):\n current_minute_counter += 1\n else:\n format_and_append(requests, current_minute, current_minute_counter)\n current_minute_counter = 1\n current_minute = line_date\n if current_minute_counter > 0:\n format_and_append(requests, current_minute, current_minute_counter)\n return requests\n", "role": "user" }, { "content": "cmd_requests_per_minute", "role": "assistant" } ]
def x(self): if not self._valid_lines: return '' return '\n'.join([line.raw_line for line in self._valid_lines]) + '\n'
cmd_print
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self._valid_lines:\n return ''\n return '\\n'.join([line.raw_line for line in self._valid_lines]) + '\\n'\n", "role": "user" }, { "content": "cmd_print", "role": "assistant" } ]
def x(self): self._valid_lines = sorted(self._valid_lines, key=lambda line: line. accept_date)
sort_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._valid_lines = sorted(self._valid_lines, key=lambda line: line.\n accept_date)\n", "role": "user" }, { "content": "sort_lines", "role": "assistant" } ]
def x(data, reverse=False): threshold = 10 data_list = data.items() data_list = sorted(data_list, key=lambda data_info: data_info[1], reverse=reverse) return data_list[:threshold]
sort_and_trim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, reverse=False):\n threshold = 10\n data_list = data.items()\n data_list = sorted(data_list, key=lambda data_info: data_info[1],\n reverse=reverse)\n return data_list[:threshold]\n", "role": "user" }, { "content": "sort_and_trim", "role": "assistant" } ]
def x(func): @wraps(func) def x(self, *args, **kwargs): session = self.session_handler.get_session() try: resp = func(self, session, *args, **kwargs) except Exception as exc: self.session_handler.handle_session(session, exc=exc) raise exc else: self.session_handler.handle_session(session) return resp return wrapper
db_access_point
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @wraps(func)\n def x(self, *args, **kwargs):\n session = self.session_handler.get_session()\n try:\n resp = func(self, session, *args, **kwargs)\n except Exception as exc:\n self.session_handler.handle_session(session, exc=exc)\n raise exc\n else:\n self.session_handler.handle_session(session)\n return resp\n return wrapper\n", "role": "user" }, { "content": "db_access_point", "role": "assistant" } ]
def x(model, name): try: return getattr(model, name).property.columns[0].type.python_type except AttributeError: parts = name.split('.') model = getattr(model, parts.pop(0)).comparator.mapper.class_ return AlchemyManager._get_field_python_type(model, '.'.join(parts)) except NotImplementedError: return object
get_field_python_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(model, name):\n try:\n return getattr(model, name).property.columns[0].type.python_type\n except AttributeError:\n parts = name.split('.')\n model = getattr(model, parts.pop(0)).comparator.mapper.class_\n return AlchemyManager._get_field_python_type(model, '.'.join(parts))\n except NotImplementedError:\n return object\n", "role": "user" }, { "content": "get_field_python_type", "role": "assistant" } ]
def x(cls, name): python_type = cls._get_field_python_type(cls.model, name) if python_type in _COLUMN_FIELD_MAP: field_class = _COLUMN_FIELD_MAP[python_type] return field_class(name) return BaseField(name)
get_field_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name):\n python_type = cls._get_field_python_type(cls.model, name)\n if python_type in _COLUMN_FIELD_MAP:\n field_class = _COLUMN_FIELD_MAP[python_type]\n return field_class(name)\n return BaseField(name)\n", "role": "user" }, { "content": "get_field_type", "role": "assistant" } ]
def x(self, session, values, *args, **kwargs): model = self.model() model = self._set_values_on_model(model, values, fields=self.create_fields) session.add(model) session.commit() return self.serialize_model(model)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, session, values, *args, **kwargs):\n model = self.model()\n model = self._set_values_on_model(model, values, fields=self.create_fields)\n session.add(model)\n session.commit()\n return self.serialize_model(model)\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(self, session, lookup_keys, *args, **kwargs): model = self._get_model(lookup_keys, session) return self.serialize_model(model)
retrieve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, session, lookup_keys, *args, **kwargs):\n model = self._get_model(lookup_keys, session)\n return self.serialize_model(model)\n", "role": "user" }, { "content": "retrieve", "role": "assistant" } ]
def x(self, session, filters, *args, **kwargs): query = self.queryset(session) translator = IntegerField('tmp') pagination_count = translator.translate(filters.pop(self. pagination_count_query_arg, self.paginate_by)) pagination_pk = translator.translate(filters.pop(self. pagination_pk_query_arg, 1)) pagination_pk -= 1 query = query.filter_by(**filters) if pagination_pk: query = query.offset(pagination_pk * pagination_count) if pagination_count: query = query.limit(pagination_count + 1) count = query.count() next_link = None previous_link = None if count > pagination_count: next_link = {self.pagination_pk_query_arg: pagination_pk + 2, self. pagination_count_query_arg: pagination_count} if pagination_pk > 0: previous_link = {self.pagination_pk_query_arg: pagination_pk, self. pagination_count_query_arg: pagination_count} field_dict = self.dot_field_list_to_dict(self.list_fields) props = self.serialize_model(query[:pagination_count], field_dict= field_dict) meta = dict(links=dict(next=next_link, previous=previous_link)) return props, meta
retrieve_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, session, filters, *args, **kwargs):\n query = self.queryset(session)\n translator = IntegerField('tmp')\n pagination_count = translator.translate(filters.pop(self.\n pagination_count_query_arg, self.paginate_by))\n pagination_pk = translator.translate(filters.pop(self.\n pagination_pk_query_arg, 1))\n pagination_pk -= 1\n query = query.filter_by(**filters)\n if pagination_pk:\n query = query.offset(pagination_pk * pagination_count)\n if pagination_count:\n query = query.limit(pagination_count + 1)\n count = query.count()\n next_link = None\n previous_link = None\n if count > pagination_count:\n next_link = {self.pagination_pk_query_arg: pagination_pk + 2, self.\n pagination_count_query_arg: pagination_count}\n if pagination_pk > 0:\n previous_link = {self.pagination_pk_query_arg: pagination_pk, self.\n pagination_count_query_arg: pagination_count}\n field_dict = self.dot_field_list_to_dict(self.list_fields)\n props = self.serialize_model(query[:pagination_count], field_dict=\n field_dict)\n meta = dict(links=dict(next=next_link, previous=previous_link))\n return props, meta\n", "role": "user" }, { "content": "retrieve_list", "role": "assistant" } ]
def x(self, session, lookup_keys, updates, *args, **kwargs): model = self._get_model(lookup_keys, session) model = self._set_values_on_model(model, updates, fields=self.update_fields ) session.commit() return self.serialize_model(model)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, session, lookup_keys, updates, *args, **kwargs):\n model = self._get_model(lookup_keys, session)\n model = self._set_values_on_model(model, updates, fields=self.update_fields\n )\n session.commit()\n return self.serialize_model(model)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, session, lookup_keys, *args, **kwargs): model = self._get_model(lookup_keys, session) session.delete(model) session.commit() return {}
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, session, lookup_keys, *args, **kwargs):\n model = self._get_model(lookup_keys, session)\n session.delete(model)\n session.commit()\n return {}\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(self, model, field_dict=None): response = self._serialize_model_helper(model, field_dict=field_dict) return make_json_safe(response)
serialize_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model, field_dict=None):\n response = self._serialize_model_helper(model, field_dict=field_dict)\n return make_json_safe(response)\n", "role": "user" }, { "content": "serialize_model", "role": "assistant" } ]
def x(self, model, field_dict=None): field_dict = field_dict or self.dot_field_list_to_dict() if model is None: return None if isinstance(model, Query): model = model.all() if isinstance(model, (list, set)): return [self.serialize_model(m, field_dict=field_dict) for m in model] model_dict = {} for name, sub in six.iteritems(field_dict): value = getattr(model, name) if sub: value = self.serialize_model(value, field_dict=sub) model_dict[name] = value return model_dict
serialize_model_helper
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model, field_dict=None):\n field_dict = field_dict or self.dot_field_list_to_dict()\n if model is None:\n return None\n if isinstance(model, Query):\n model = model.all()\n if isinstance(model, (list, set)):\n return [self.serialize_model(m, field_dict=field_dict) for m in model]\n model_dict = {}\n for name, sub in six.iteritems(field_dict):\n value = getattr(model, name)\n if sub:\n value = self.serialize_model(value, field_dict=sub)\n model_dict[name] = value\n return model_dict\n", "role": "user" }, { "content": "serialize_model_helper", "role": "assistant" } ]
def x(self, lookup_keys, session): try: return self.queryset(session).filter_by(**lookup_keys).one() except NoResultFound: raise NotFoundException( 'No model of type {0} was found using lookup_keys {1}'.format( self.model.__name__, lookup_keys))
get_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lookup_keys, session):\n try:\n return self.queryset(session).filter_by(**lookup_keys).one()\n except NoResultFound:\n raise NotFoundException(\n 'No model of type {0} was found using lookup_keys {1}'.format(\n self.model.__name__, lookup_keys))\n", "role": "user" }, { "content": "get_model", "role": "assistant" } ]
def x(self, model, values, fields=None): fields = fields or self.fields for name, val in six.iteritems(values): if name not in fields: continue setattr(model, name, val) return model
set_values_on_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model, values, fields=None):\n fields = fields or self.fields\n for name, val in six.iteritems(values):\n if name not in fields:\n continue\n setattr(model, name, val)\n return model\n", "role": "user" }, { "content": "set_values_on_model", "role": "assistant" } ]
def x(): dummy_log_file = Log() commands = Log.commands() commands.sort() for cmd in commands: cmd = getattr(dummy_log_file, 'cmd_{0}'.format(cmd)) description = cmd.__doc__ if description: description = re.sub('\\n\\s+', ' ', description) description = description.strip() print('{0}: {1}\n'.format(cmd.__name__, description))
print_commands
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n dummy_log_file = Log()\n commands = Log.commands()\n commands.sort()\n for cmd in commands:\n cmd = getattr(dummy_log_file, 'cmd_{0}'.format(cmd))\n description = cmd.__doc__\n if description:\n description = re.sub('\\\\n\\\\s+', ' ', description)\n description = description.strip()\n print('{0}: {1}\\n'.format(cmd.__name__, description))\n", "role": "user" }, { "content": "print_commands", "role": "assistant" } ]
def x(): for filter_name in VALID_FILTERS: filter_func = getattr(filters, 'filter_{0}'.format(filter_name)) description = filter_func.__doc__ if description: description = re.sub('\\n\\s+', ' ', description) description.strip() print('{0}: {1}\n'.format(filter_name, description))
print_filters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n for filter_name in VALID_FILTERS:\n filter_func = getattr(filters, 'filter_{0}'.format(filter_name))\n description = filter_func.__doc__\n if description:\n description = re.sub('\\\\n\\\\s+', ' ', description)\n description.strip()\n print('{0}: {1}\\n'.format(filter_name, description))\n", "role": "user" }, { "content": "print_filters", "role": "assistant" } ]
def x(self, observer): if not isinstance(observer, PowerManagementObserver): raise TypeError( 'observer MUST conform to power.PowerManagementObserver') self._weak_observers.append(weakref.ref(observer))
add_observer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, observer):\n if not isinstance(observer, PowerManagementObserver):\n raise TypeError(\n 'observer MUST conform to power.PowerManagementObserver')\n self._weak_observers.append(weakref.ref(observer))\n", "role": "user" }, { "content": "add_observer", "role": "assistant" } ]
def x(self): for weak_observer in self._weak_observers: observer = weak_observer() if observer: self.remove_observer(observer)
remove_all_observers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for weak_observer in self._weak_observers:\n observer = weak_observer()\n if observer:\n self.remove_observer(observer)\n", "role": "user" }, { "content": "remove_all_observers", "role": "assistant" } ]
def x(self): if self._thread is not None: return self._thread = NSThread.alloc().initWithTarget_selector_object_(self, 'runPowerNotificationsThread', None) self._thread.start()
startThread
[ { "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._thread is not None:\n return\n self._thread = NSThread.alloc().initWithTarget_selector_object_(self,\n 'runPowerNotificationsThread', None)\n self._thread.start()\n", "role": "user" }, { "content": "startThread", "role": "assistant" } ]
def x(self): if self._thread is not None: self.performSelector_onThread_withObject_waitUntilDone_( 'stopPowerNotificationsThread', self._thread, None, objc.YES) self._thread = None
stopThread
[ { "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._thread is not None:\n self.performSelector_onThread_withObject_waitUntilDone_(\n 'stopPowerNotificationsThread', self._thread, None, objc.YES)\n self._thread = None\n", "role": "user" }, { "content": "stopThread", "role": "assistant" } ]
def x(self): pool = NSAutoreleasePool.alloc().init() @objc.callbackFor(IOPSNotificationCreateRunLoopSource) def x(context): with self._lock: for weak_observer in self._weak_observers: observer = weak_observer() if observer: observer.on_power_source_notification() self._source = IOPSNotificationCreateRunLoopSource( on_power_source_notification, None) CFRunLoopAddSource(NSRunLoop.currentRunLoop().getCFRunLoop(), self. _source, kCFRunLoopDefaultMode) while not NSThread.currentThread().isCancelled(): NSRunLoop.currentRunLoop().runMode_beforeDate_(NSDefaultRunLoopMode, NSDate.distantFuture()) del pool
runPowerNotificationsThread
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n pool = NSAutoreleasePool.alloc().init()\n\n @objc.callbackFor(IOPSNotificationCreateRunLoopSource)\n def x(context):\n with self._lock:\n for weak_observer in self._weak_observers:\n observer = weak_observer()\n if observer:\n observer.on_power_source_notification()\n self._source = IOPSNotificationCreateRunLoopSource(\n on_power_source_notification, None)\n CFRunLoopAddSource(NSRunLoop.currentRunLoop().getCFRunLoop(), self.\n _source, kCFRunLoopDefaultMode)\n while not NSThread.currentThread().isCancelled():\n NSRunLoop.currentRunLoop().runMode_beforeDate_(NSDefaultRunLoopMode,\n NSDate.distantFuture())\n del pool\n", "role": "user" }, { "content": "runPowerNotificationsThread", "role": "assistant" } ]
def x(self): assert NSThread.currentThread() == self._thread CFRunLoopSourceInvalidate(self._source) self._source = None NSThread.currentThread().cancel()
stopPowerNotificationsThread
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n assert NSThread.currentThread() == self._thread\n CFRunLoopSourceInvalidate(self._source)\n self._source = None\n NSThread.currentThread().cancel()\n", "role": "user" }, { "content": "stopPowerNotificationsThread", "role": "assistant" } ]
def x(self, observer): with self._lock: self._weak_observers.append(weakref.ref(observer)) if len(self._weak_observers) == 1: self.startThread()
addObserver
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, observer):\n with self._lock:\n self._weak_observers.append(weakref.ref(observer))\n if len(self._weak_observers) == 1:\n self.startThread()\n", "role": "user" }, { "content": "addObserver", "role": "assistant" } ]
def x(self, observer): with self._lock: self._weak_observers.remove(weakref.ref(observer)) if len(self._weak_observers) == 0: self.stopThread()
removeObserver
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, observer):\n with self._lock:\n self._weak_observers.remove(weakref.ref(observer))\n if len(self._weak_observers) == 0:\n self.stopThread()\n", "role": "user" }, { "content": "removeObserver", "role": "assistant" } ]
def x(self): for weak_observer in self._weak_observers: observer = weak_observer() if observer: observer.on_power_sources_change(self) observer.on_time_remaining_change(self)
on_power_source_notification
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for weak_observer in self._weak_observers:\n observer = weak_observer()\n if observer:\n observer.on_power_sources_change(self)\n observer.on_time_remaining_change(self)\n", "role": "user" }, { "content": "on_power_source_notification", "role": "assistant" } ]
def x(self): if IOPSGetTimeRemainingEstimate is not None: estimate = float(IOPSGetTimeRemainingEstimate()) if estimate == -1.0: return common.TIME_REMAINING_UNKNOWN elif estimate == -2.0: return common.TIME_REMAINING_UNLIMITED else: return estimate / 60.0 else: warnings.warn('IOPSGetTimeRemainingEstimate is not preset', RuntimeWarning) blob = IOPSCopyPowerSourcesInfo() type = IOPSGetProvidingPowerSourceType(blob) if type == common.POWER_TYPE_AC: return common.TIME_REMAINING_UNLIMITED else: estimate = 0.0 for source in IOPSCopyPowerSourcesList(blob): description = IOPSGetPowerSourceDescription(blob, source) if kIOPSIsPresentKey in description and description[ kIOPSIsPresentKey ] and kIOPSTimeToEmptyKey in description and description[ kIOPSTimeToEmptyKey] > 0.0: estimate += float(description[kIOPSTimeToEmptyKey]) if estimate > 0.0: return float(estimate) else: return common.TIME_REMAINING_UNKNOWN
get_time_remaining_estimate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if IOPSGetTimeRemainingEstimate is not None:\n estimate = float(IOPSGetTimeRemainingEstimate())\n if estimate == -1.0:\n return common.TIME_REMAINING_UNKNOWN\n elif estimate == -2.0:\n return common.TIME_REMAINING_UNLIMITED\n else:\n return estimate / 60.0\n else:\n warnings.warn('IOPSGetTimeRemainingEstimate is not preset',\n RuntimeWarning)\n blob = IOPSCopyPowerSourcesInfo()\n type = IOPSGetProvidingPowerSourceType(blob)\n if type == common.POWER_TYPE_AC:\n return common.TIME_REMAINING_UNLIMITED\n else:\n estimate = 0.0\n for source in IOPSCopyPowerSourcesList(blob):\n description = IOPSGetPowerSourceDescription(blob, source)\n if kIOPSIsPresentKey in description and description[\n kIOPSIsPresentKey\n ] and kIOPSTimeToEmptyKey in description and description[\n kIOPSTimeToEmptyKey] > 0.0:\n estimate += float(description[kIOPSTimeToEmptyKey])\n if estimate > 0.0:\n return float(estimate)\n else:\n return common.TIME_REMAINING_UNKNOWN\n", "role": "user" }, { "content": "get_time_remaining_estimate", "role": "assistant" } ]
def x(self, observer): super(PowerManagement, self).add_observer(observer) if len(self._weak_observers) == 1: if not self._cf_run_loop: PowerManagement.notifications_observer.addObserver(self) else: @objc.callbackFor(IOPSNotificationCreateRunLoopSource) def x(context): self.on_power_source_notification() self._source = IOPSNotificationCreateRunLoopSource( on_power_sources_change, None) CFRunLoopAddSource(self._cf_run_loop, self._source, kCFRunLoopDefaultMode)
add_observer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, observer):\n super(PowerManagement, self).add_observer(observer)\n if len(self._weak_observers) == 1:\n if not self._cf_run_loop:\n PowerManagement.notifications_observer.addObserver(self)\n else:\n\n @objc.callbackFor(IOPSNotificationCreateRunLoopSource)\n def x(context):\n self.on_power_source_notification()\n self._source = IOPSNotificationCreateRunLoopSource(\n on_power_sources_change, None)\n CFRunLoopAddSource(self._cf_run_loop, self._source,\n kCFRunLoopDefaultMode)\n", "role": "user" }, { "content": "add_observer", "role": "assistant" } ]
def x(self, observer): super(PowerManagement, self).remove_observer(observer) if len(self._weak_observers) == 0: if not self._cf_run_loop: PowerManagement.notifications_observer.removeObserver(self) else: CFRunLoopSourceInvalidate(self._source) self._source = None
remove_observer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, observer):\n super(PowerManagement, self).remove_observer(observer)\n if len(self._weak_observers) == 0:\n if not self._cf_run_loop:\n PowerManagement.notifications_observer.removeObserver(self)\n else:\n CFRunLoopSourceInvalidate(self._source)\n self._source = None\n", "role": "user" }, { "content": "remove_observer", "role": "assistant" } ]
def x(self): power_status = SYSTEM_POWER_STATUS() if not GetSystemPowerStatus(pointer(power_status)): raise WinError() return POWER_TYPE_MAP[power_status.ACLineStatus]
get_providing_power_source_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n power_status = SYSTEM_POWER_STATUS()\n if not GetSystemPowerStatus(pointer(power_status)):\n raise WinError()\n return POWER_TYPE_MAP[power_status.ACLineStatus]\n", "role": "user" }, { "content": "get_providing_power_source_type", "role": "assistant" } ]
def x(self): power_status = SYSTEM_POWER_STATUS() if not GetSystemPowerStatus(pointer(power_status)): raise WinError() if POWER_TYPE_MAP[power_status.ACLineStatus] == common.POWER_TYPE_AC: return common.LOW_BATTERY_WARNING_NONE elif power_status.BatteryLifeTime != -1 and power_status.BatteryLifeTime <= 600: return common.LOW_BATTERY_WARNING_FINAL elif power_status.BatteryLifePercent <= 22: return common.LOW_BATTERY_WARNING_EARLY else: return common.LOW_BATTERY_WARNING_NONE
get_low_battery_warning_level
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n power_status = SYSTEM_POWER_STATUS()\n if not GetSystemPowerStatus(pointer(power_status)):\n raise WinError()\n if POWER_TYPE_MAP[power_status.ACLineStatus] == common.POWER_TYPE_AC:\n return common.LOW_BATTERY_WARNING_NONE\n elif power_status.BatteryLifeTime != -1 and power_status.BatteryLifeTime <= 600:\n return common.LOW_BATTERY_WARNING_FINAL\n elif power_status.BatteryLifePercent <= 22:\n return common.LOW_BATTERY_WARNING_EARLY\n else:\n return common.LOW_BATTERY_WARNING_NONE\n", "role": "user" }, { "content": "get_low_battery_warning_level", "role": "assistant" } ]
def x(self): power_status = SYSTEM_POWER_STATUS() if not GetSystemPowerStatus(pointer(power_status)): raise WinError() if POWER_TYPE_MAP[power_status.ACLineStatus] == common.POWER_TYPE_AC: return common.TIME_REMAINING_UNLIMITED elif power_status.BatteryLifeTime == -1: return common.TIME_REMAINING_UNKNOWN else: return float(power_status.BatteryLifeTime) / 60.0
get_time_remaining_estimate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n power_status = SYSTEM_POWER_STATUS()\n if not GetSystemPowerStatus(pointer(power_status)):\n raise WinError()\n if POWER_TYPE_MAP[power_status.ACLineStatus] == common.POWER_TYPE_AC:\n return common.TIME_REMAINING_UNLIMITED\n elif power_status.BatteryLifeTime == -1:\n return common.TIME_REMAINING_UNKNOWN\n else:\n return float(power_status.BatteryLifeTime) / 60.0\n", "role": "user" }, { "content": "get_time_remaining_estimate", "role": "assistant" } ]
def x(): try: supply = int(subprocess.check_output(['sysctl', '-n', 'hw.acpi.acline'])) except: return common.POWER_TYPE_AC if supply == 1: return common.POWER_TYPE_AC elif supply == 0: return common.POWER_TYPE_BATTERY else: raise RuntimeError('Unknown power source type!')
power_source_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n try:\n supply = int(subprocess.check_output(['sysctl', '-n',\n 'hw.acpi.acline']))\n except:\n return common.POWER_TYPE_AC\n if supply == 1:\n return common.POWER_TYPE_AC\n elif supply == 0:\n return common.POWER_TYPE_BATTERY\n else:\n raise RuntimeError('Unknown power source type!')\n", "role": "user" }, { "content": "power_source_type", "role": "assistant" } ]
def x(): energy_now = float(100.0) power_now = float(100.0) energy_full = float(100.0) return energy_full, energy_now, power_now
get_battery_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n energy_now = float(100.0)\n power_now = float(100.0)\n energy_full = float(100.0)\n return energy_full, energy_now, power_now\n", "role": "user" }, { "content": "get_battery_state", "role": "assistant" } ]
def x(self): type = self.power_source_type() if type == common.POWER_TYPE_AC: if self.is_ac_online(): return common.POWER_TYPE_AC elif type == common.POWER_TYPE_BATTERY: if self.is_battery_present() and self.is_battery_discharging(): return common.POWER_TYPE_BATTERY else: warnings.warn('UPS is not supported.') return common.POWER_TYPE_AC
get_providing_power_source_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n type = self.power_source_type()\n if type == common.POWER_TYPE_AC:\n if self.is_ac_online():\n return common.POWER_TYPE_AC\n elif type == common.POWER_TYPE_BATTERY:\n if self.is_battery_present() and self.is_battery_discharging():\n return common.POWER_TYPE_BATTERY\n else:\n warnings.warn('UPS is not supported.')\n return common.POWER_TYPE_AC\n", "role": "user" }, { "content": "get_providing_power_source_type", "role": "assistant" } ]
def x(self): all_energy_full = [] all_energy_now = [] all_power_now = [] try: type = self.power_source_type() if type == common.POWER_TYPE_AC: if self.is_ac_online(): return common.LOW_BATTERY_WARNING_NONE elif type == common.POWER_TYPE_BATTERY: if self.is_battery_present() and self.is_battery_discharging(): energy_full, energy_now, power_now = self.get_battery_state() all_energy_full.append(energy_full) all_energy_now.append(energy_now) all_power_now.append(power_now) else: warnings.warn('UPS is not supported.') except (RuntimeError, IOError) as e: warnings.warn('Unable to read system power information!', category= RuntimeWarning) try: total_percentage = sum(all_energy_full) / sum(all_energy_now) total_time = sum([(energy_now / power_now * 60.0) for energy_now, power_now in zip(all_energy_now, all_power_now)]) if total_time <= 10.0: return common.LOW_BATTERY_WARNING_FINAL elif total_percentage <= 22.0: return common.LOW_BATTERY_WARNING_EARLY else: return common.LOW_BATTERY_WARNING_NONE except ZeroDivisionError as e: warnings.warn('Unable to calculate low battery level: {0}'.format(e ), category=RuntimeWarning) return common.LOW_BATTERY_WARNING_NONE
get_low_battery_warning_level
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n all_energy_full = []\n all_energy_now = []\n all_power_now = []\n try:\n type = self.power_source_type()\n if type == common.POWER_TYPE_AC:\n if self.is_ac_online():\n return common.LOW_BATTERY_WARNING_NONE\n elif type == common.POWER_TYPE_BATTERY:\n if self.is_battery_present() and self.is_battery_discharging():\n energy_full, energy_now, power_now = self.get_battery_state()\n all_energy_full.append(energy_full)\n all_energy_now.append(energy_now)\n all_power_now.append(power_now)\n else:\n warnings.warn('UPS is not supported.')\n except (RuntimeError, IOError) as e:\n warnings.warn('Unable to read system power information!', category=\n RuntimeWarning)\n try:\n total_percentage = sum(all_energy_full) / sum(all_energy_now)\n total_time = sum([(energy_now / power_now * 60.0) for energy_now,\n power_now in zip(all_energy_now, all_power_now)])\n if total_time <= 10.0:\n return common.LOW_BATTERY_WARNING_FINAL\n elif total_percentage <= 22.0:\n return common.LOW_BATTERY_WARNING_EARLY\n else:\n return common.LOW_BATTERY_WARNING_NONE\n except ZeroDivisionError as e:\n warnings.warn('Unable to calculate low battery level: {0}'.format(e\n ), category=RuntimeWarning)\n return common.LOW_BATTERY_WARNING_NONE\n", "role": "user" }, { "content": "get_low_battery_warning_level", "role": "assistant" } ]
def x(self): all_energy_now = [] all_power_now = [] try: type = self.power_source_type() if type == common.POWER_TYPE_AC: if self.is_ac_online(supply_path): return common.TIME_REMAINING_UNLIMITED elif type == common.POWER_TYPE_BATTERY: if self.is_battery_present() and self.is_battery_discharging(): energy_full, energy_now, power_now = self.get_battery_state() all_energy_now.append(energy_now) all_power_now.append(power_now) else: warnings.warn('UPS is not supported.') except (RuntimeError, IOError) as e: warnings.warn('Unable to read system power information!', category= RuntimeWarning) if len(all_energy_now) > 0: try: return sum([(energy_now / power_now * 60.0) for energy_now, power_now in zip(all_energy_now, all_power_now)]) except ZeroDivisionError as e: warnings.warn('Unable to calculate time remaining estimate: {0}' .format(e), category=RuntimeWarning) return common.TIME_REMAINING_UNKNOWN else: return common.TIME_REMAINING_UNKNOWN
get_time_remaining_estimate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n all_energy_now = []\n all_power_now = []\n try:\n type = self.power_source_type()\n if type == common.POWER_TYPE_AC:\n if self.is_ac_online(supply_path):\n return common.TIME_REMAINING_UNLIMITED\n elif type == common.POWER_TYPE_BATTERY:\n if self.is_battery_present() and self.is_battery_discharging():\n energy_full, energy_now, power_now = self.get_battery_state()\n all_energy_now.append(energy_now)\n all_power_now.append(power_now)\n else:\n warnings.warn('UPS is not supported.')\n except (RuntimeError, IOError) as e:\n warnings.warn('Unable to read system power information!', category=\n RuntimeWarning)\n if len(all_energy_now) > 0:\n try:\n return sum([(energy_now / power_now * 60.0) for energy_now,\n power_now in zip(all_energy_now, all_power_now)])\n except ZeroDivisionError as e:\n warnings.warn('Unable to calculate time remaining estimate: {0}'\n .format(e), category=RuntimeWarning)\n return common.TIME_REMAINING_UNKNOWN\n else:\n return common.TIME_REMAINING_UNKNOWN\n", "role": "user" }, { "content": "get_time_remaining_estimate", "role": "assistant" } ]
def x(self): for supply in os.listdir(POWER_SUPPLY_PATH): supply_path = os.path.join(POWER_SUPPLY_PATH, supply) try: type = self.power_source_type(supply_path) if type == common.POWER_TYPE_AC: if self.is_ac_online(supply_path): return common.POWER_TYPE_AC elif type == common.POWER_TYPE_BATTERY: if self.is_battery_present(supply_path ) and self.is_battery_discharging(supply_path): return common.POWER_TYPE_BATTERY else: warnings.warn('UPS is not supported.') except (RuntimeError, IOError) as e: warnings.warn('Unable to read properties of {0}: {1}'.format( supply_path, e), category=RuntimeWarning) return common.POWER_TYPE_AC
get_providing_power_source_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for supply in os.listdir(POWER_SUPPLY_PATH):\n supply_path = os.path.join(POWER_SUPPLY_PATH, supply)\n try:\n type = self.power_source_type(supply_path)\n if type == common.POWER_TYPE_AC:\n if self.is_ac_online(supply_path):\n return common.POWER_TYPE_AC\n elif type == common.POWER_TYPE_BATTERY:\n if self.is_battery_present(supply_path\n ) and self.is_battery_discharging(supply_path):\n return common.POWER_TYPE_BATTERY\n else:\n warnings.warn('UPS is not supported.')\n except (RuntimeError, IOError) as e:\n warnings.warn('Unable to read properties of {0}: {1}'.format(\n supply_path, e), category=RuntimeWarning)\n return common.POWER_TYPE_AC\n", "role": "user" }, { "content": "get_providing_power_source_type", "role": "assistant" } ]
def x(self): all_energy_now = [] all_energy_not_discharging = [] all_power_now = [] for supply in os.listdir(POWER_SUPPLY_PATH): supply_path = os.path.join(POWER_SUPPLY_PATH, supply) try: type = self.power_source_type(supply_path) if type == common.POWER_TYPE_AC: if self.is_ac_online(supply_path): return common.TIME_REMAINING_UNLIMITED elif type == common.POWER_TYPE_BATTERY: if self.is_battery_present(supply_path ) and self.is_battery_discharging(supply_path): energy_full, energy_now, power_now = (self. get_battery_state(supply_path)) all_energy_now.append(energy_now) all_power_now.append(power_now) elif self.is_battery_present(supply_path ) and not self.is_battery_discharging(supply_path): energy_now = self.get_battery_state(supply_path)[1] all_energy_not_discharging.append(energy_now) else: warnings.warn('UPS is not supported.') except (RuntimeError, IOError) as e: warnings.warn('Unable to read properties of {0}: {1}'.format( supply_path, e), category=RuntimeWarning) if len(all_energy_now) > 0: try: return sum([(energy_now / power_now * 60.0) for energy_now, power_now in zip(all_energy_now, all_power_now)]) + sum( all_energy_not_discharging) / (sum(all_power_now) / len( all_power_now)) * 60.0 except ZeroDivisionError as e: warnings.warn('Unable to calculate time remaining estimate: {0}' .format(e), category=RuntimeWarning) return common.TIME_REMAINING_UNKNOWN else: return common.TIME_REMAINING_UNKNOWN
get_time_remaining_estimate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n all_energy_now = []\n all_energy_not_discharging = []\n all_power_now = []\n for supply in os.listdir(POWER_SUPPLY_PATH):\n supply_path = os.path.join(POWER_SUPPLY_PATH, supply)\n try:\n type = self.power_source_type(supply_path)\n if type == common.POWER_TYPE_AC:\n if self.is_ac_online(supply_path):\n return common.TIME_REMAINING_UNLIMITED\n elif type == common.POWER_TYPE_BATTERY:\n if self.is_battery_present(supply_path\n ) and self.is_battery_discharging(supply_path):\n energy_full, energy_now, power_now = (self.\n get_battery_state(supply_path))\n all_energy_now.append(energy_now)\n all_power_now.append(power_now)\n elif self.is_battery_present(supply_path\n ) and not self.is_battery_discharging(supply_path):\n energy_now = self.get_battery_state(supply_path)[1]\n all_energy_not_discharging.append(energy_now)\n else:\n warnings.warn('UPS is not supported.')\n except (RuntimeError, IOError) as e:\n warnings.warn('Unable to read properties of {0}: {1}'.format(\n supply_path, e), category=RuntimeWarning)\n if len(all_energy_now) > 0:\n try:\n return sum([(energy_now / power_now * 60.0) for energy_now,\n power_now in zip(all_energy_now, all_power_now)]) + sum(\n all_energy_not_discharging) / (sum(all_power_now) / len(\n all_power_now)) * 60.0\n except ZeroDivisionError as e:\n warnings.warn('Unable to calculate time remaining estimate: {0}'\n .format(e), category=RuntimeWarning)\n return common.TIME_REMAINING_UNKNOWN\n else:\n return common.TIME_REMAINING_UNKNOWN\n", "role": "user" }, { "content": "get_time_remaining_estimate", "role": "assistant" } ]
def x(self, msg): n = len(msg) a = array.array('c') a.append(chr(n >> 24 & 255)) a.append(chr(n >> 16 & 255)) a.append(chr(n >> 8 & 255)) a.append(chr(n & 255)) return a.tostring() + msg
pack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n n = len(msg)\n a = array.array('c')\n a.append(chr(n >> 24 & 255))\n a.append(chr(n >> 16 & 255))\n a.append(chr(n >> 8 & 255))\n a.append(chr(n & 255))\n return a.tostring() + msg\n", "role": "user" }, { "content": "pack", "role": "assistant" } ]
def x(self, s): if s.startswith('"') and s.endswith('"'): return s[1:-1] elif s.find('.') != -1: return float(s) else: return int(s)
get_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, s):\n if s.startswith('\"') and s.endswith('\"'):\n return s[1:-1]\n elif s.find('.') != -1:\n return float(s)\n else:\n return int(s)\n", "role": "user" }, { "content": "get_type", "role": "assistant" } ]
def x(self, msg): escaped = '' for c in msg: escaped += c if c == '"': escaped += '"' return escaped
escape
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n escaped = ''\n for c in msg:\n escaped += c\n if c == '\"':\n escaped += '\"'\n return escaped\n", "role": "user" }, { "content": "escape", "role": "assistant" } ]
def x(self, msg): if isinstance(msg, (int, float, long)): return msg unescaped = '' i = 0 while i < len(msg): unescaped += msg[i] if msg[i] == '"': i += 1 i += 1 return unescaped
unescape
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n if isinstance(msg, (int, float, long)):\n return msg\n unescaped = ''\n i = 0\n while i < len(msg):\n unescaped += msg[i]\n if msg[i] == '\"':\n i += 1\n i += 1\n return unescaped\n", "role": "user" }, { "content": "unescape", "role": "assistant" } ]
def x(self, msg): if not msg or len(msg) < self.prefix_len: return False length = self._extract_len(msg[:self.prefix_len]) msg_type = msg[self.prefix_len:].split(' ', 1)[0] if length == len(msg[self.prefix_len:]) and msg_type in self.msg_types: return True return False
is_msg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n if not msg or len(msg) < self.prefix_len:\n return False\n length = self._extract_len(msg[:self.prefix_len])\n msg_type = msg[self.prefix_len:].split(' ', 1)[0]\n if length == len(msg[self.prefix_len:]) and msg_type in self.msg_types:\n return True\n return False\n", "role": "user" }, { "content": "is_msg", "role": "assistant" } ]
def x(self, msg): return self._unescape(self._get_type(msg[self.broadcast_prefix_len:]))
parse_broadcast
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n return self._unescape(self._get_type(msg[self.broadcast_prefix_len:]))\n", "role": "user" }, { "content": "parse_broadcast", "role": "assistant" } ]
def x(self, msg): update = msg[self.sensorupdate_prefix_len:] parsed = [] curr_seg = '' numq = 0 for seg in update.split(' ')[:-1]: numq += seg.count('"') curr_seg += seg if numq % 2 == 0: parsed.append(curr_seg) curr_seg = '' numq = 0 else: curr_seg += ' ' unescaped = [self._unescape(self._get_type(x)) for x in parsed] return dict(itertools.izip(*([iter(unescaped)] * 2)))
parse_sensorupdate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n update = msg[self.sensorupdate_prefix_len:]\n parsed = []\n curr_seg = ''\n numq = 0\n for seg in update.split(' ')[:-1]:\n numq += seg.count('\"')\n curr_seg += seg\n if numq % 2 == 0:\n parsed.append(curr_seg)\n curr_seg = ''\n numq = 0\n else:\n curr_seg += ' '\n unescaped = [self._unescape(self._get_type(x)) for x in parsed]\n return dict(itertools.izip(*([iter(unescaped)] * 2)))\n", "role": "user" }, { "content": "parse_sensorupdate", "role": "assistant" } ]
def x(self, msg): if not self._is_msg(msg): return None msg_type = msg[self.prefix_len:].split(' ')[0] if msg_type == 'broadcast': return 'broadcast', self._parse_broadcast(msg) else: return 'sensor-update', self._parse_sensorupdate(msg)
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n if not self._is_msg(msg):\n return None\n msg_type = msg[self.prefix_len:].split(' ')[0]\n if msg_type == 'broadcast':\n return 'broadcast', self._parse_broadcast(msg)\n else:\n return 'sensor-update', self._parse_sensorupdate(msg)\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(self): prefix = self._read(self.prefix_len) msg = self._read(self._extract_len(prefix)) return prefix + msg
recv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n prefix = self._read(self.prefix_len)\n msg = self._read(self._extract_len(prefix))\n return prefix + msg\n", "role": "user" }, { "content": "recv", "role": "assistant" } ]
def x(self): try: self.socket.shutdown(socket.SHUT_RDWR) except socket.error: pass self.socket.close() self.connected = False
disconnect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n self.socket.shutdown(socket.SHUT_RDWR)\n except socket.error:\n pass\n self.socket.close()\n self.connected = False\n", "role": "user" }, { "content": "disconnect", "role": "assistant" } ]
def x(self, data): if not isinstance(data, dict): raise TypeError('Expected a dict') msg = 'sensor-update ' for key in data.keys(): msg += '"%s" "%s" ' % (self._escape(str(key)), self._escape(str( data[key]))) self._send(msg)
sensorupdate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n if not isinstance(data, dict):\n raise TypeError('Expected a dict')\n msg = 'sensor-update '\n for key in data.keys():\n msg += '\"%s\" \"%s\" ' % (self._escape(str(key)), self._escape(str(\n data[key])))\n self._send(msg)\n", "role": "user" }, { "content": "sensorupdate", "role": "assistant" } ]
def x(self, msg): if getattr(msg, '__iter__', False): for m in msg: self._send('broadcast "%s"' % self._escape(str(m))) else: self._send('broadcast "%s"' % self._escape(str(msg)))
broadcast
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n if getattr(msg, '__iter__', False):\n for m in msg:\n self._send('broadcast \"%s\"' % self._escape(str(m)))\n else:\n self._send('broadcast \"%s\"' % self._escape(str(msg)))\n", "role": "user" }, { "content": "broadcast", "role": "assistant" } ]
def x(cls, config, emitters, result_type=NAMEDTUPLE, max_spout_emits=None): if config is not None: for emitter in emitters: emitter.initialize(config, {}) with cls() as self: spout = emitters[0] spout_id = self.emitter_id(spout) old_length = -1 length = len(self.pending[spout_id]) while length > old_length and (max_spout_emits is None or length < max_spout_emits): old_length = length self.activate(spout) spout.nextTuple() length = len(self.pending[spout_id]) for i, bolt in enumerate(emitters[1:]): previous = emitters[i] self.activate(bolt) while len(self.pending[self.emitter_id(previous)]) > 0: bolt.process(self.read(previous)) def x(t, emitter): return t def x(t, emitter): return list(t.values) def x(t, emitter): return tuple(t.values) def x(t, emitter): return self.get_output_type(emitter)(*t.values) if result_type == STORM_TUPLE: make = make_storm_tuple elif result_type == LIST: make = make_python_list elif result_type == NAMEDTUPLE: make = make_named_tuple else: assert False, 'Invalid result type specified: %s' % result_type result_values = [[make(t, emitter) for t in self.processed[self. emitter_id(emitter)]] for emitter in emitters[:-1]] + [[make(t, emitters[-1]) for t in self.pending[self.emitter_id(emitters[-1])]]] return dict((k, v) for k, v in zip(emitters, result_values))
run_simple_topology
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, config, emitters, result_type=NAMEDTUPLE, max_spout_emits=None):\n if config is not None:\n for emitter in emitters:\n emitter.initialize(config, {})\n with cls() as self:\n spout = emitters[0]\n spout_id = self.emitter_id(spout)\n old_length = -1\n length = len(self.pending[spout_id])\n while length > old_length and (max_spout_emits is None or length <\n max_spout_emits):\n old_length = length\n self.activate(spout)\n spout.nextTuple()\n length = len(self.pending[spout_id])\n for i, bolt in enumerate(emitters[1:]):\n previous = emitters[i]\n self.activate(bolt)\n while len(self.pending[self.emitter_id(previous)]) > 0:\n bolt.process(self.read(previous))\n\n def x(t, emitter):\n return t\n\n def x(t, emitter):\n return list(t.values)\n\n def x(t, emitter):\n return tuple(t.values)\n\n def x(t, emitter):\n return self.get_output_type(emitter)(*t.values)\n if result_type == STORM_TUPLE:\n make = make_storm_tuple\n elif result_type == LIST:\n make = make_python_list\n elif result_type == NAMEDTUPLE:\n make = make_named_tuple\n else:\n assert False, 'Invalid result type specified: %s' % result_type\n result_values = [[make(t, emitter) for t in self.processed[self.\n emitter_id(emitter)]] for emitter in emitters[:-1]] + [[make(t,\n emitters[-1]) for t in self.pending[self.emitter_id(emitters[-1])]]]\n return dict((k, v) for k, v in zip(emitters, result_values))\n", "role": "user" }, { "content": "run_simple_topology", "role": "assistant" } ]
def x(self, stream): topology = self.createTopology() def x(stream): transportOut = TMemoryBuffer() protocolOut = TBinaryProtocol.TBinaryProtocol(transportOut) topology.write(protocolOut) bytes = transportOut.getvalue() stream.write(bytes) if isinstance(stream, six.string_types): with open(stream, 'wb') as f: write_it(f) else: write_it(stream) return topology
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stream):\n topology = self.createTopology()\n\n def x(stream):\n transportOut = TMemoryBuffer()\n protocolOut = TBinaryProtocol.TBinaryProtocol(transportOut)\n topology.write(protocolOut)\n bytes = transportOut.getvalue()\n stream.write(bytes)\n if isinstance(stream, six.string_types):\n with open(stream, 'wb') as f:\n write_it(f)\n else:\n write_it(stream)\n return topology\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self, stream): def x(stream): bytes = stream.read() transportIn = TMemoryBuffer(bytes) protocolIn = TBinaryProtocol.TBinaryProtocol(transportIn) topology = StormTopology() topology.read(protocolIn) return topology if isinstance(stream, six.string_types): with open(stream, 'rb') as f: return read_it(f) else: return read_it(stream)
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stream):\n\n def x(stream):\n bytes = stream.read()\n transportIn = TMemoryBuffer(bytes)\n protocolIn = TBinaryProtocol.TBinaryProtocol(transportIn)\n topology = StormTopology()\n topology.read(protocolIn)\n return topology\n if isinstance(stream, six.string_types):\n with open(stream, 'rb') as f:\n return read_it(f)\n else:\n return read_it(stream)\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(source_jar_path, dest_jar_path, config, venv=None, definition=None, logdir=None): if definition is None: definition = 'create.create' config_yaml = read_yaml(config) parallelism = dict((k.split('.')[-1], v) for k, v in six.iteritems( config_yaml) if k.startswith('petrel.parallelism')) pip_options = config_yaml.get('petrel.pip_options', '') module_name, dummy, function_name = definition.rpartition('.') topology_dir = os.getcwd() source_jar_path = os.path.abspath(source_jar_path) dest_jar_path = os.path.abspath(dest_jar_path) if source_jar_path == dest_jar_path: raise ValueError('Error: Destination and source path are the same.') shutil.copy(source_jar_path, dest_jar_path) jar = zipfile.ZipFile(dest_jar_path, 'a', compression=zipfile.ZIP_DEFLATED) added_path_entry = False try: with open(os.path.join(topology_dir, MANIFEST), 'r') as f: for fn in f.readlines(): fn = fn.strip() if len(fn) and not fn.startswith('#'): add_item_to_jar(jar, os.path.expandvars(fn.strip())) add_to_jar(jar, '__submitter__.yaml', '\npetrel.user: %s\npetrel.host: %s\n' % (getpass.getuser(), socket.gethostname())) with open(config, 'r') as f: config_text = f.read() add_to_jar(jar, '__topology__.yaml', config_text) builder = TopologyBuilder() module_dir = os.path.abspath(topology_dir) if module_dir not in sys.path: sys.path[:0] = [module_dir] added_path_entry = True module = __import__(module_name) getattr(module, function_name)(builder) for k, v in chain(six.iteritems(builder._spouts), six.iteritems( builder._bolts)): add_file_to_jar(jar, topology_dir, v.script) if venv is not None: v.execution_command = os.path.join(venv, 'bin/python') if k in parallelism: builder._commons[k].parallelism_hint = int(parallelism.pop(k)) v.execution_command, v.script = intercept(venv, v. execution_command, os.path.splitext(v.script)[0], jar, pip_options, logdir) if len(parallelism): raise ValueError( 'Parallelism settings error: There are no components named: %s' % ','.join(parallelism.keys())) buf = io.BytesIO() builder.write(buf) add_to_jar(jar, 'topology.ser', buf.getvalue()) finally: jar.close() if added_path_entry: sys.path[:] = sys.path[1:]
build_jar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source_jar_path, dest_jar_path, config, venv=None, definition=None,\n logdir=None):\n if definition is None:\n definition = 'create.create'\n config_yaml = read_yaml(config)\n parallelism = dict((k.split('.')[-1], v) for k, v in six.iteritems(\n config_yaml) if k.startswith('petrel.parallelism'))\n pip_options = config_yaml.get('petrel.pip_options', '')\n module_name, dummy, function_name = definition.rpartition('.')\n topology_dir = os.getcwd()\n source_jar_path = os.path.abspath(source_jar_path)\n dest_jar_path = os.path.abspath(dest_jar_path)\n if source_jar_path == dest_jar_path:\n raise ValueError('Error: Destination and source path are the same.')\n shutil.copy(source_jar_path, dest_jar_path)\n jar = zipfile.ZipFile(dest_jar_path, 'a', compression=zipfile.ZIP_DEFLATED)\n added_path_entry = False\n try:\n with open(os.path.join(topology_dir, MANIFEST), 'r') as f:\n for fn in f.readlines():\n fn = fn.strip()\n if len(fn) and not fn.startswith('#'):\n add_item_to_jar(jar, os.path.expandvars(fn.strip()))\n add_to_jar(jar, '__submitter__.yaml', \n '\\npetrel.user: %s\\npetrel.host: %s\\n' % (getpass.getuser(),\n socket.gethostname()))\n with open(config, 'r') as f:\n config_text = f.read()\n add_to_jar(jar, '__topology__.yaml', config_text)\n builder = TopologyBuilder()\n module_dir = os.path.abspath(topology_dir)\n if module_dir not in sys.path:\n sys.path[:0] = [module_dir]\n added_path_entry = True\n module = __import__(module_name)\n getattr(module, function_name)(builder)\n for k, v in chain(six.iteritems(builder._spouts), six.iteritems(\n builder._bolts)):\n add_file_to_jar(jar, topology_dir, v.script)\n if venv is not None:\n v.execution_command = os.path.join(venv, 'bin/python')\n if k in parallelism:\n builder._commons[k].parallelism_hint = int(parallelism.pop(k))\n v.execution_command, v.script = intercept(venv, v.\n execution_command, os.path.splitext(v.script)[0], jar,\n pip_options, logdir)\n if len(parallelism):\n raise ValueError(\n 'Parallelism settings error: There are no components named: %s'\n % ','.join(parallelism.keys()))\n buf = io.BytesIO()\n builder.write(buf)\n add_to_jar(jar, 'topology.ser', buf.getvalue())\n finally:\n jar.close()\n if added_path_entry:\n sys.path[:] = sys.path[1:]\n", "role": "user" }, { "content": "build_jar", "role": "assistant" } ]
def x(msg): assert isinstance(msg, six.string_types) print(msg, file=old_stdout) print('end', file=old_stdout) storm_log.error('Sent failure message ("%s") to Storm', msg)
sendFailureMsgToParent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg):\n assert isinstance(msg, six.string_types)\n print(msg, file=old_stdout)\n print('end', file=old_stdout)\n storm_log.error('Sent failure message (\"%s\") to Storm', msg)\n", "role": "user" }, { "content": "sendFailureMsgToParent", "role": "assistant" } ]
def x(*args, **kwargs): global MODE if MODE == Bolt: emitManyBolt(*args, **kwargs) elif MODE == Spout: emitManySpout(*args, **kwargs)
emitMany
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n global MODE\n if MODE == Bolt:\n emitManyBolt(*args, **kwargs)\n elif MODE == Spout:\n emitManySpout(*args, **kwargs)\n", "role": "user" }, { "content": "emitMany", "role": "assistant" } ]
def x(sig, frame): def x(ex): _raiseEx.ex = ex _raiseEx.ex = None try: locs = {'_raiseEx': _raiseEx} locs.update(frame.f_locals) globs = frame.f_globals pid = os.getpid() pipe = NamedPipe(pipename(pid)) old_stdout, old_stderr = sys.stdout, sys.stderr txt = '' pipe.put('Interrupting process at following point:\n' + ''.join( traceback.format_stack(frame)) + '>>> ') try: while pipe.is_open() and _raiseEx.ex is None: line = pipe.get() if line is None: continue txt += line try: code = codeop.compile_command(txt) if code: sys.stdout = six.StringIO() sys.stderr = sys.stdout six.exec_(code, globs, locs) txt = '' pipe.put(sys.stdout.getvalue() + '>>> ') else: pipe.put('... ') except: txt = '' sys.stdout = six.StringIO() sys.stderr = sys.stdout traceback.print_exc() pipe.put(sys.stdout.getvalue() + '>>> ') finally: sys.stdout = old_stdout sys.stderr = old_stderr pipe.close() except Exception: traceback.print_exc() if _raiseEx.ex is not None: raise _raiseEx.ex
remote_debug
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sig, frame):\n\n def x(ex):\n _raiseEx.ex = ex\n _raiseEx.ex = None\n try:\n locs = {'_raiseEx': _raiseEx}\n locs.update(frame.f_locals)\n globs = frame.f_globals\n pid = os.getpid()\n pipe = NamedPipe(pipename(pid))\n old_stdout, old_stderr = sys.stdout, sys.stderr\n txt = ''\n pipe.put('Interrupting process at following point:\\n' + ''.join(\n traceback.format_stack(frame)) + '>>> ')\n try:\n while pipe.is_open() and _raiseEx.ex is None:\n line = pipe.get()\n if line is None:\n continue\n txt += line\n try:\n code = codeop.compile_command(txt)\n if code:\n sys.stdout = six.StringIO()\n sys.stderr = sys.stdout\n six.exec_(code, globs, locs)\n txt = ''\n pipe.put(sys.stdout.getvalue() + '>>> ')\n else:\n pipe.put('... ')\n except:\n txt = ''\n sys.stdout = six.StringIO()\n sys.stderr = sys.stdout\n traceback.print_exc()\n pipe.put(sys.stdout.getvalue() + '>>> ')\n finally:\n sys.stdout = old_stdout\n sys.stderr = old_stderr\n pipe.close()\n except Exception:\n traceback.print_exc()\n if _raiseEx.ex is not None:\n raise _raiseEx.ex\n", "role": "user" }, { "content": "remote_debug", "role": "assistant" } ]
def x(pid): os.kill(pid, signal.SIGUSR1) pipe = NamedPipe(pipename(pid), 1) try: while pipe.is_open(): txt = raw_input(pipe.get()) + '\n' pipe.put(txt) except EOFError: pass pipe.close()
debug_process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pid):\n os.kill(pid, signal.SIGUSR1)\n pipe = NamedPipe(pipename(pid), 1)\n try:\n while pipe.is_open():\n txt = raw_input(pipe.get()) + '\\n'\n pipe.put(txt)\n except EOFError:\n pass\n pipe.close()\n", "role": "user" }, { "content": "debug_process", "role": "assistant" } ]
def x(self, **kwargs): if is_py3: return kwargs unencoded_pairs = kwargs for i in unencoded_pairs.keys(): if isinstance(unencoded_pairs[i], types.UnicodeType): unencoded_pairs[i] = unencoded_pairs[i].encode('utf-8') return unencoded_pairs
encode_utf8
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n if is_py3:\n return kwargs\n unencoded_pairs = kwargs\n for i in unencoded_pairs.keys():\n if isinstance(unencoded_pairs[i], types.UnicodeType):\n unencoded_pairs[i] = unencoded_pairs[i].encode('utf-8')\n return unencoded_pairs\n", "role": "user" }, { "content": "encode_utf8", "role": "assistant" } ]
def x(self, requires, **kwargs): for req in requires: if req.lower() not in kwargs and req.upper() not in kwargs: raise PayPalError('missing required : %s' % req)
check_required
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, requires, **kwargs):\n for req in requires:\n if req.lower() not in kwargs and req.upper() not in kwargs:\n raise PayPalError('missing required : %s' % req)\n", "role": "user" }, { "content": "check_required", "role": "assistant" } ]
def x(self, method, **kwargs): post_params = self._get_call_params(method, **kwargs) payload = post_params['data'] api_endpoint = post_params['url'] if logger.isEnabledFor(logging.DEBUG): logger.debug('PayPal NVP Query Key/Vals:\n%s' % pformat(payload)) http_response = requests.post(**post_params) response = PayPalResponse(http_response.text, self.config) logger.debug('PayPal NVP API Endpoint: %s' % api_endpoint) if not response.success: raise PayPalAPIResponseError(response) return response
call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, **kwargs):\n post_params = self._get_call_params(method, **kwargs)\n payload = post_params['data']\n api_endpoint = post_params['url']\n if logger.isEnabledFor(logging.DEBUG):\n logger.debug('PayPal NVP Query Key/Vals:\\n%s' % pformat(payload))\n http_response = requests.post(**post_params)\n response = PayPalResponse(http_response.text, self.config)\n logger.debug('PayPal NVP API Endpoint: %s' % api_endpoint)\n if not response.success:\n raise PayPalAPIResponseError(response)\n return response\n", "role": "user" }, { "content": "call", "role": "assistant" } ]
def x(self, method, **kwargs): payload = {'METHOD': method, 'VERSION': self.config.API_VERSION} certificate = None if self.config.API_AUTHENTICATION_MODE == '3TOKEN': payload['USER'] = self.config.API_USERNAME payload['PWD'] = self.config.API_PASSWORD payload['SIGNATURE'] = self.config.API_SIGNATURE elif self.config.API_AUTHENTICATION_MODE == 'CERTIFICATE': payload['USER'] = self.config.API_USERNAME payload['PWD'] = self.config.API_PASSWORD certificate = (self.config.API_CERTIFICATE_FILENAME, self.config. API_KEY_FILENAME) elif self.config.API_AUTHENTICATION_MODE == 'UNIPAY': payload['SUBJECT'] = self.config.UNIPAY_SUBJECT none_configs = [config for config, value in payload.items() if value is None] if none_configs: raise PayPalConfigError( "Config(s) %s cannot be None. Please, check this interface's config." % none_configs) for key, value in kwargs.items(): payload[key.upper()] = value return {'data': payload, 'cert': certificate, 'url': self.config. API_ENDPOINT, 'timeout': self.config.HTTP_TIMEOUT, 'verify': self. config.API_CA_CERTS}
get_call_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, **kwargs):\n payload = {'METHOD': method, 'VERSION': self.config.API_VERSION}\n certificate = None\n if self.config.API_AUTHENTICATION_MODE == '3TOKEN':\n payload['USER'] = self.config.API_USERNAME\n payload['PWD'] = self.config.API_PASSWORD\n payload['SIGNATURE'] = self.config.API_SIGNATURE\n elif self.config.API_AUTHENTICATION_MODE == 'CERTIFICATE':\n payload['USER'] = self.config.API_USERNAME\n payload['PWD'] = self.config.API_PASSWORD\n certificate = (self.config.API_CERTIFICATE_FILENAME, self.config.\n API_KEY_FILENAME)\n elif self.config.API_AUTHENTICATION_MODE == 'UNIPAY':\n payload['SUBJECT'] = self.config.UNIPAY_SUBJECT\n none_configs = [config for config, value in payload.items() if value is\n None]\n if none_configs:\n raise PayPalConfigError(\n \"Config(s) %s cannot be None. Please, check this interface's config.\"\n % none_configs)\n for key, value in kwargs.items():\n payload[key.upper()] = value\n return {'data': payload, 'cert': certificate, 'url': self.config.\n API_ENDPOINT, 'timeout': self.config.HTTP_TIMEOUT, 'verify': self.\n config.API_CA_CERTS}\n", "role": "user" }, { "content": "get_call_params", "role": "assistant" } ]
def x(self, email, street, zip): args = self._sanitize_locals(locals()) return self._call('AddressVerify', **args)
address_verify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, email, street, zip):\n args = self._sanitize_locals(locals())\n return self._call('AddressVerify', **args)\n", "role": "user" }, { "content": "address_verify", "role": "assistant" } ]
def x(self, transactionid, amt): args = self._sanitize_locals(locals()) return self._call('DoAuthorization', **args)
do_authorization
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, transactionid, amt):\n args = self._sanitize_locals(locals())\n return self._call('DoAuthorization', **args)\n", "role": "user" }, { "content": "do_authorization", "role": "assistant" } ]
def x(self, authorizationid, amt, completetype='Complete', **kwargs): kwargs.update(self._sanitize_locals(locals())) return self._call('DoCapture', **kwargs)
do_capture
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, authorizationid, amt, completetype='Complete', **kwargs):\n kwargs.update(self._sanitize_locals(locals()))\n return self._call('DoCapture', **kwargs)\n", "role": "user" }, { "content": "do_capture", "role": "assistant" } ]
def x(self, paymentaction='Sale', **kwargs): kwargs.update(self._sanitize_locals(locals())) return self._call('DoDirectPayment', **kwargs)
do_direct_payment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, paymentaction='Sale', **kwargs):\n kwargs.update(self._sanitize_locals(locals()))\n return self._call('DoDirectPayment', **kwargs)\n", "role": "user" }, { "content": "do_direct_payment", "role": "assistant" } ]
def x(self, **kwargs): plain = self._call('TransactionSearch', **kwargs) return PayPalResponseList(plain.raw, self.config)
transaction_search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n plain = self._call('TransactionSearch', **kwargs)\n return PayPalResponseList(plain.raw, self.config)\n", "role": "user" }, { "content": "transaction_search", "role": "assistant" } ]
def x(self, transactionid=None, payerid=None, **kwargs): if transactionid is None and payerid is None: raise PayPalError( 'RefundTransaction requires either a transactionid or a payerid') if transactionid is not None and payerid is not None: raise PayPalError( 'RefundTransaction requires only one of transactionid %s and payerid %s' % (transactionid, payerid)) if transactionid is not None: kwargs['TRANSACTIONID'] = transactionid else: kwargs['PAYERID'] = payerid return self._call('RefundTransaction', **kwargs)
refund_transaction
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, transactionid=None, payerid=None, **kwargs):\n if transactionid is None and payerid is None:\n raise PayPalError(\n 'RefundTransaction requires either a transactionid or a payerid')\n if transactionid is not None and payerid is not None:\n raise PayPalError(\n 'RefundTransaction requires only one of transactionid %s and payerid %s'\n % (transactionid, payerid))\n if transactionid is not None:\n kwargs['TRANSACTIONID'] = transactionid\n else:\n kwargs['PAYERID'] = payerid\n return self._call('RefundTransaction', **kwargs)\n", "role": "user" }, { "content": "refund_transaction", "role": "assistant" } ]
def x(self, token, useraction=None): url_vars = self.config.PAYPAL_URL_BASE, token url = '%s?cmd=_express-checkout&token=%s' % url_vars if useraction: if not useraction.lower() in ('commit', 'continue'): warnings.warn('useraction=%s is not documented' % useraction, RuntimeWarning) url += '&useraction=%s' % useraction return url
generate_express_checkout_redirect_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token, useraction=None):\n url_vars = self.config.PAYPAL_URL_BASE, token\n url = '%s?cmd=_express-checkout&token=%s' % url_vars\n if useraction:\n if not useraction.lower() in ('commit', 'continue'):\n warnings.warn('useraction=%s is not documented' % useraction,\n RuntimeWarning)\n url += '&useraction=%s' % useraction\n return url\n", "role": "user" }, { "content": "generate_express_checkout_redirect_url", "role": "assistant" } ]
def x(self, **kwargs): required_vals = 'business', 'item_name_1', 'amount_1', 'quantity_1' self._check_required(required_vals, **kwargs) url = '%s?cmd=_cart&upload=1' % self.config.PAYPAL_URL_BASE additional = self._encode_utf8(**kwargs) additional = urlencode(additional) return url + '&' + additional
generate_cart_upload_redirect_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n required_vals = 'business', 'item_name_1', 'amount_1', 'quantity_1'\n self._check_required(required_vals, **kwargs)\n url = '%s?cmd=_cart&upload=1' % self.config.PAYPAL_URL_BASE\n additional = self._encode_utf8(**kwargs)\n additional = urlencode(additional)\n return url + '&' + additional\n", "role": "user" }, { "content": "generate_cart_upload_redirect_url", "role": "assistant" } ]
def x(self, profileid): args = self._sanitize_locals(locals()) return self._call('GetRecurringPaymentsProfileDetails', **args)
get_recurring_payments_profile_details
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, profileid):\n args = self._sanitize_locals(locals())\n return self._call('GetRecurringPaymentsProfileDetails', **args)\n", "role": "user" }, { "content": "get_recurring_payments_profile_details", "role": "assistant" } ]
def x(self, profileid, action, note=None): args = self._sanitize_locals(locals()) if not note: del args['note'] return self._call('ManageRecurringPaymentsProfileStatus', **args)
manage_recurring_payments_profile_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, profileid, action, note=None):\n args = self._sanitize_locals(locals())\n if not note:\n del args['note']\n return self._call('ManageRecurringPaymentsProfileStatus', **args)\n", "role": "user" }, { "content": "manage_recurring_payments_profile_status", "role": "assistant" } ]
def x(self, profileid, **kwargs): kwargs.update(self._sanitize_locals(locals())) return self._call('UpdateRecurringPaymentsProfile', **kwargs)
update_recurring_payments_profile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, profileid, **kwargs):\n kwargs.update(self._sanitize_locals(locals()))\n return self._call('UpdateRecurringPaymentsProfile', **kwargs)\n", "role": "user" }, { "content": "update_recurring_payments_profile", "role": "assistant" } ]
def x(self, **kwargs): kwargs.update(self._sanitize_locals(locals())) return self._call('BMCreateButton', **kwargs)
bm_create_button
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n kwargs.update(self._sanitize_locals(locals()))\n return self._call('BMCreateButton', **kwargs)\n", "role": "user" }, { "content": "bm_create_button", "role": "assistant" } ]
def x(self): return self.ack.upper() in (self.config.ACK_SUCCESS, self.config. ACK_SUCCESS_WITH_WARNING)
success
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return self.ack.upper() in (self.config.ACK_SUCCESS, self.config.\n ACK_SUCCESS_WITH_WARNING)\n", "role": "user" }, { "content": "success", "role": "assistant" } ]
def x(abbrev, case_sensitive=False): if case_sensitive: country_code = abbrev else: country_code = abbrev.upper() for code, full_name in COUNTRY_TUPLES: if country_code == code: return True return False
is_valid_country_abbrev
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(abbrev, case_sensitive=False):\n if case_sensitive:\n country_code = abbrev\n else:\n country_code = abbrev.upper()\n for code, full_name in COUNTRY_TUPLES:\n if country_code == code:\n return True\n return False\n", "role": "user" }, { "content": "is_valid_country_abbrev", "role": "assistant" } ]
def x(abbrev, case_sensitive=False): if case_sensitive: country_code = abbrev else: country_code = abbrev.upper() for code, full_name in COUNTRY_TUPLES: if country_code == code: return full_name raise KeyError('No country with that country code.')
get_name_from_abbrev
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(abbrev, case_sensitive=False):\n if case_sensitive:\n country_code = abbrev\n else:\n country_code = abbrev.upper()\n for code, full_name in COUNTRY_TUPLES:\n if country_code == code:\n return full_name\n raise KeyError('No country with that country code.')\n", "role": "user" }, { "content": "get_name_from_abbrev", "role": "assistant" } ]
def x(mcs, klass, *args, **kwargs): declared_fields = kwargs.get('dict_class', dict)() opts = klass.opts model = getattr(opts, 'model', None) if model: converter = opts.model_converter() declared_fields.update(converter.fields_for_model(model, fields= opts.fields)) base_fields = super(SchemaMeta, mcs).get_declared_fields(klass, *args, **kwargs) declared_fields.update(base_fields) for field_name, field_kwargs in klass.opts.model_fields_kwargs.items(): field = declared_fields.get(field_name, None) if field: field = copy.copy(field) for key, value in field_kwargs.items(): setattr(field, key, value) declared_fields[field_name] = field if opts.model_dump_only_pk and opts.model: if opts.model._auto_id_field is True: field_name = opts.model._meta['id_field'] id_field = declared_fields.get(field_name) if id_field: id_field = copy.copy(id_field) id_field.dump_only = True declared_fields[field_name] = id_field return declared_fields
get_declared_fields
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mcs, klass, *args, **kwargs):\n declared_fields = kwargs.get('dict_class', dict)()\n opts = klass.opts\n model = getattr(opts, 'model', None)\n if model:\n converter = opts.model_converter()\n declared_fields.update(converter.fields_for_model(model, fields=\n opts.fields))\n base_fields = super(SchemaMeta, mcs).get_declared_fields(klass, *args,\n **kwargs)\n declared_fields.update(base_fields)\n for field_name, field_kwargs in klass.opts.model_fields_kwargs.items():\n field = declared_fields.get(field_name, None)\n if field:\n field = copy.copy(field)\n for key, value in field_kwargs.items():\n setattr(field, key, value)\n declared_fields[field_name] = field\n if opts.model_dump_only_pk and opts.model:\n if opts.model._auto_id_field is True:\n field_name = opts.model._meta['id_field']\n id_field = declared_fields.get(field_name)\n if id_field:\n id_field = copy.copy(id_field)\n id_field.dump_only = True\n declared_fields[field_name] = id_field\n return declared_fields\n", "role": "user" }, { "content": "get_declared_fields", "role": "assistant" } ]
def x(self, obj, data): required_fields = [k for k, f in self.fields.items() if f.required] for field in required_fields: self.fields[field].required = False loaded_data, errors = self._do_load(data, postprocess=False) for field in required_fields: self.fields[field].required = True if not errors: for k, v in loaded_data.items(): if k in data: setattr(obj, k, v) return ma.UnmarshalResult(data=obj, errors=errors)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, data):\n required_fields = [k for k, f in self.fields.items() if f.required]\n for field in required_fields:\n self.fields[field].required = False\n loaded_data, errors = self._do_load(data, postprocess=False)\n for field in required_fields:\n self.fields[field].required = True\n if not errors:\n for k, v in loaded_data.items():\n if k in data:\n setattr(obj, k, v)\n return ma.UnmarshalResult(data=obj, errors=errors)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(mongo_field_cls, marshmallow_field_cls, available_params=()): class Builder(MetaFieldBuilder): AVAILABLE_PARAMS = available_params MARSHMALLOW_FIELD_CLS = marshmallow_field_cls register_field_builder(mongo_field_cls, Builder)
register_field
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mongo_field_cls, marshmallow_field_cls, available_params=()):\n\n\n class Builder(MetaFieldBuilder):\n AVAILABLE_PARAMS = available_params\n MARSHMALLOW_FIELD_CLS = marshmallow_field_cls\n register_field_builder(mongo_field_cls, Builder)\n", "role": "user" }, { "content": "register_field", "role": "assistant" } ]
def x(self, **kwargs): field_kwargs = None for param in self.params: field_kwargs = param.apply(field_kwargs) field_kwargs.update(kwargs) return self.marshmallow_field_cls(**field_kwargs)
build_marshmallow_field
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n field_kwargs = None\n for param in self.params:\n field_kwargs = param.apply(field_kwargs)\n field_kwargs.update(kwargs)\n return self.marshmallow_field_cls(**field_kwargs)\n", "role": "user" }, { "content": "build_marshmallow_field", "role": "assistant" } ]
def x(self, timeout=1): rlist = [self.sock] wlist = [] if len(self.out_packet) > 0: wlist.append(self.sock) to_read, to_write, _ = select.select(rlist, wlist, [], timeout) if len(to_read) > 0: ret, _ = self.loop_read() if ret != NC.ERR_SUCCESS: return ret if len(to_write) > 0: ret, _ = self.loop_write() if ret != NC.ERR_SUCCESS: return ret self.loop_misc() return NC.ERR_SUCCESS
loop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=1):\n rlist = [self.sock]\n wlist = []\n if len(self.out_packet) > 0:\n wlist.append(self.sock)\n to_read, to_write, _ = select.select(rlist, wlist, [], timeout)\n if len(to_read) > 0:\n ret, _ = self.loop_read()\n if ret != NC.ERR_SUCCESS:\n return ret\n if len(to_write) > 0:\n ret, _ = self.loop_write()\n if ret != NC.ERR_SUCCESS:\n return ret\n self.loop_misc()\n return NC.ERR_SUCCESS\n", "role": "user" }, { "content": "loop", "role": "assistant" } ]
def x(self): self.check_keepalive() if self.last_retry_check + 1 < time.time(): pass return NC.ERR_SUCCESS
loop_misc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.check_keepalive()\n if self.last_retry_check + 1 < time.time():\n pass\n return NC.ERR_SUCCESS\n", "role": "user" }, { "content": "loop_misc", "role": "assistant" } ]
def x(self): if self.sock != NC.INVALID_SOCKET and time.time( ) - self.last_msg_out >= self.keep_alive: if self.state == NC.CS_CONNECTED: self.send_pingreq() else: self.socket_close()
check_keepalive
[ { "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.sock != NC.INVALID_SOCKET and time.time(\n ) - self.last_msg_out >= self.keep_alive:\n if self.state == NC.CS_CONNECTED:\n self.send_pingreq()\n else:\n self.socket_close()\n", "role": "user" }, { "content": "check_keepalive", "role": "assistant" } ]
def x(self): self.logger.info('DISCONNECT') if self.sock == NC.INVALID_SOCKET: return NC.ERR_NO_CONN self.state = NC.CS_DISCONNECTING ret = self.send_disconnect() ret2, bytes_written = self.packet_write() self.socket_close() return ret
disconnect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.logger.info('DISCONNECT')\n if self.sock == NC.INVALID_SOCKET:\n return NC.ERR_NO_CONN\n self.state = NC.CS_DISCONNECTING\n ret = self.send_disconnect()\n ret2, bytes_written = self.packet_write()\n self.socket_close()\n return ret\n", "role": "user" }, { "content": "disconnect", "role": "assistant" } ]
def x(self, topic, qos): if self.sock == NC.INVALID_SOCKET: return NC.ERR_NO_CONN self.logger.info('SUBSCRIBE: %s', topic) return self.send_subscribe(False, [(utf8encode(topic), qos)])
subscribe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, topic, qos):\n if self.sock == NC.INVALID_SOCKET:\n return NC.ERR_NO_CONN\n self.logger.info('SUBSCRIBE: %s', topic)\n return self.send_subscribe(False, [(utf8encode(topic), qos)])\n", "role": "user" }, { "content": "subscribe", "role": "assistant" } ]