source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(value, html_element): if value == 'block': html_element.display = Display.block elif value == 'none': html_element.display = Display.none else: html_element.display = Display.inline
attr_display
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, html_element):\n if value == 'block':\n html_element.display = Display.block\n elif value == 'none':\n html_element.display = Display.none\n else:\n html_element.display = Display.inline\n", "role": "user" }, { "content": "attr_display", "role": "assistant" } ]
def x(self, x, y, dpi=72, downres_factor=4, color=None, cmap=None, alpha= 1.0, norm=None, **kwargs): self.set_xlim(np.min(x), np.max(x)) self.set_ylim(np.min(y), np.max(y)) scatter = ScatterDensityArtist(self, x, y, dpi=dpi, downres_factor= downres_factor, color=color, cmap=cmap, alpha=alpha, norm=norm, ** kwargs) self.add_artist(scatter) return scatter
scatter_density
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x, y, dpi=72, downres_factor=4, color=None, cmap=None, alpha=\n 1.0, norm=None, **kwargs):\n self.set_xlim(np.min(x), np.max(x))\n self.set_ylim(np.min(y), np.max(y))\n scatter = ScatterDensityArtist(self, x, y, dpi=dpi, downres_factor=\n downres_factor, color=color, cmap=cmap, alpha=alpha, norm=norm, **\n kwargs)\n self.add_artist(scatter)\n return scatter\n", "role": "user" }, { "content": "scatter_density", "role": "assistant" } ]
def x(file_path, default_content=''): if not os.path.exists(file_path): write_file(file_path, default_content) handler = open(file_path, 'r') content = handler.read() handler.close() return content or default_content
read_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_path, default_content=''):\n if not os.path.exists(file_path):\n write_file(file_path, default_content)\n handler = open(file_path, 'r')\n content = handler.read()\n handler.close()\n return content or default_content\n", "role": "user" }, { "content": "read_file", "role": "assistant" } ]
def x(file_path, content): handler = open(file_path, 'w+') handler.write(content) handler.close()
write_file
[ { "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 handler = open(file_path, 'w+')\n handler.write(content)\n handler.close()\n", "role": "user" }, { "content": "write_file", "role": "assistant" } ]
def x(value): if settings.MAINTENANCE_MODE is not None: raise ImproperlyConfigured( 'Maintenance mode cannot be set dynamically if defined in settings.' ) if not isinstance(value, bool): raise TypeError('value argument type is not boolean') backend = get_maintenance_mode_backend() backend.set_value(value)
set_maintenance_mode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if settings.MAINTENANCE_MODE is not None:\n raise ImproperlyConfigured(\n 'Maintenance mode cannot be set dynamically if defined in settings.'\n )\n if not isinstance(value, bool):\n raise TypeError('value argument type is not boolean')\n backend = get_maintenance_mode_backend()\n backend.set_value(value)\n", "role": "user" }, { "content": "set_maintenance_mode", "role": "assistant" } ]
def x(request): if settings.MAINTENANCE_MODE_REDIRECT_URL: return redirect(settings.MAINTENANCE_MODE_REDIRECT_URL) context = {} if settings.MAINTENANCE_MODE_GET_TEMPLATE_CONTEXT: try: get_request_context_func = import_string(settings. MAINTENANCE_MODE_GET_TEMPLATE_CONTEXT) except ImportError: raise ImproperlyConfigured( 'settings.MAINTENANCE_MODE_GET_TEMPLATE_CONTEXT is not a valid function path.' ) context = get_request_context_func(request=request) if django.VERSION < (1, 8): kwargs = {'context_instance': RequestContext(request, context)} else: kwargs = {'context': context} response = render(request, settings.MAINTENANCE_MODE_TEMPLATE, status= settings.MAINTENANCE_MODE_STATUS_CODE, **kwargs) response['Retry-After'] = settings.MAINTENANCE_MODE_RETRY_AFTER add_never_cache_headers(response) return response
get_maintenance_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n if settings.MAINTENANCE_MODE_REDIRECT_URL:\n return redirect(settings.MAINTENANCE_MODE_REDIRECT_URL)\n context = {}\n if settings.MAINTENANCE_MODE_GET_TEMPLATE_CONTEXT:\n try:\n get_request_context_func = import_string(settings.\n MAINTENANCE_MODE_GET_TEMPLATE_CONTEXT)\n except ImportError:\n raise ImproperlyConfigured(\n 'settings.MAINTENANCE_MODE_GET_TEMPLATE_CONTEXT is not a valid function path.'\n )\n context = get_request_context_func(request=request)\n if django.VERSION < (1, 8):\n kwargs = {'context_instance': RequestContext(request, context)}\n else:\n kwargs = {'context': context}\n response = render(request, settings.MAINTENANCE_MODE_TEMPLATE, status=\n settings.MAINTENANCE_MODE_STATUS_CODE, **kwargs)\n response['Retry-After'] = settings.MAINTENANCE_MODE_RETRY_AFTER\n add_never_cache_headers(response)\n return response\n", "role": "user" }, { "content": "get_maintenance_response", "role": "assistant" } ]
def x(request): try: view_match = resolve(request.path) view_func = view_match[0] view_dict = view_func.__dict__ view_force_maintenance_mode_off = view_dict.get( 'force_maintenance_mode_off', False) if view_force_maintenance_mode_off: return False view_force_maintenance_mode_on = view_dict.get( 'force_maintenance_mode_on', False) if view_force_maintenance_mode_on: return True except Resolver404: pass if not get_maintenance_mode(): return False try: url_off = reverse('maintenance_mode_off') resolve(url_off) if url_off == request.path_info: return False except NoReverseMatch: pass if hasattr(request, 'user'): if django.VERSION < (1, 10): if (settings.MAINTENANCE_MODE_IGNORE_ANONYMOUS_USER and request .user.is_anonymous()): return False if (settings.MAINTENANCE_MODE_IGNORE_AUTHENTICATED_USER and request.user.is_authenticated()): return False else: if (settings.MAINTENANCE_MODE_IGNORE_ANONYMOUS_USER and request .user.is_anonymous): return False if (settings.MAINTENANCE_MODE_IGNORE_AUTHENTICATED_USER and request.user.is_authenticated): return False if settings.MAINTENANCE_MODE_IGNORE_STAFF and request.user.is_staff: return False if (settings.MAINTENANCE_MODE_IGNORE_SUPERUSER and request.user. is_superuser): return False if settings.MAINTENANCE_MODE_IGNORE_ADMIN_SITE: try: request_path = request.path if request.path else '' if not request_path.endswith('/'): request_path += '/' admin_url = reverse('admin:index') if request_path.startswith(admin_url): return False except NoReverseMatch: pass if settings.MAINTENANCE_MODE_IGNORE_TESTS: is_testing = False if len(sys.argv) > 0 and 'runtests' in sys.argv[0] or len(sys.argv ) > 1 and sys.argv[1] == 'test': is_testing = True if is_testing: return False if settings.MAINTENANCE_MODE_IGNORE_IP_ADDRESSES: if settings.MAINTENANCE_MODE_GET_CLIENT_IP_ADDRESS: try: get_client_ip_address_func = import_string(settings. MAINTENANCE_MODE_GET_CLIENT_IP_ADDRESS) except ImportError: raise ImproperlyConfigured( 'settings.MAINTENANCE_MODE_GET_CLIENT_IP_ADDRESS is not a valid function path.' ) else: client_ip_address = get_client_ip_address_func(request) else: client_ip_address = get_client_ip_address(request) for ip_address in settings.MAINTENANCE_MODE_IGNORE_IP_ADDRESSES: ip_address_re = re.compile(ip_address) if ip_address_re.match(client_ip_address): return False if settings.MAINTENANCE_MODE_IGNORE_URLS: for url in settings.MAINTENANCE_MODE_IGNORE_URLS: if not isinstance(url, pattern_class): url = str(url) url_re = re.compile(url) if url_re.match(request.path_info): return False if settings.MAINTENANCE_MODE_REDIRECT_URL: redirect_url_re = re.compile(settings.MAINTENANCE_MODE_REDIRECT_URL) if redirect_url_re.match(request.path_info): return False return True
need_maintenance_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n try:\n view_match = resolve(request.path)\n view_func = view_match[0]\n view_dict = view_func.__dict__\n view_force_maintenance_mode_off = view_dict.get(\n 'force_maintenance_mode_off', False)\n if view_force_maintenance_mode_off:\n return False\n view_force_maintenance_mode_on = view_dict.get(\n 'force_maintenance_mode_on', False)\n if view_force_maintenance_mode_on:\n return True\n except Resolver404:\n pass\n if not get_maintenance_mode():\n return False\n try:\n url_off = reverse('maintenance_mode_off')\n resolve(url_off)\n if url_off == request.path_info:\n return False\n except NoReverseMatch:\n pass\n if hasattr(request, 'user'):\n if django.VERSION < (1, 10):\n if (settings.MAINTENANCE_MODE_IGNORE_ANONYMOUS_USER and request\n .user.is_anonymous()):\n return False\n if (settings.MAINTENANCE_MODE_IGNORE_AUTHENTICATED_USER and\n request.user.is_authenticated()):\n return False\n else:\n if (settings.MAINTENANCE_MODE_IGNORE_ANONYMOUS_USER and request\n .user.is_anonymous):\n return False\n if (settings.MAINTENANCE_MODE_IGNORE_AUTHENTICATED_USER and\n request.user.is_authenticated):\n return False\n if settings.MAINTENANCE_MODE_IGNORE_STAFF and request.user.is_staff:\n return False\n if (settings.MAINTENANCE_MODE_IGNORE_SUPERUSER and request.user.\n is_superuser):\n return False\n if settings.MAINTENANCE_MODE_IGNORE_ADMIN_SITE:\n try:\n request_path = request.path if request.path else ''\n if not request_path.endswith('/'):\n request_path += '/'\n admin_url = reverse('admin:index')\n if request_path.startswith(admin_url):\n return False\n except NoReverseMatch:\n pass\n if settings.MAINTENANCE_MODE_IGNORE_TESTS:\n is_testing = False\n if len(sys.argv) > 0 and 'runtests' in sys.argv[0] or len(sys.argv\n ) > 1 and sys.argv[1] == 'test':\n is_testing = True\n if is_testing:\n return False\n if settings.MAINTENANCE_MODE_IGNORE_IP_ADDRESSES:\n if settings.MAINTENANCE_MODE_GET_CLIENT_IP_ADDRESS:\n try:\n get_client_ip_address_func = import_string(settings.\n MAINTENANCE_MODE_GET_CLIENT_IP_ADDRESS)\n except ImportError:\n raise ImproperlyConfigured(\n 'settings.MAINTENANCE_MODE_GET_CLIENT_IP_ADDRESS is not a valid function path.'\n )\n else:\n client_ip_address = get_client_ip_address_func(request)\n else:\n client_ip_address = get_client_ip_address(request)\n for ip_address in settings.MAINTENANCE_MODE_IGNORE_IP_ADDRESSES:\n ip_address_re = re.compile(ip_address)\n if ip_address_re.match(client_ip_address):\n return False\n if settings.MAINTENANCE_MODE_IGNORE_URLS:\n for url in settings.MAINTENANCE_MODE_IGNORE_URLS:\n if not isinstance(url, pattern_class):\n url = str(url)\n url_re = re.compile(url)\n if url_re.match(request.path_info):\n return False\n if settings.MAINTENANCE_MODE_REDIRECT_URL:\n redirect_url_re = re.compile(settings.MAINTENANCE_MODE_REDIRECT_URL)\n if redirect_url_re.match(request.path_info):\n return False\n return True\n", "role": "user" }, { "content": "need_maintenance_response", "role": "assistant" } ]
def x(self): ldap_mgr = current_app.ldap_login_manager username = self.username.data password = self.password.data try: userdata = ldap_mgr.ldap_login(username, password) except ldap.INVALID_CREDENTIALS: flash('Invalid LDAP credentials', 'danger') return False except ldap.LDAPError as err: if isinstance(err.message, dict): message = err.message.get('desc', str(err)) else: message = str(err.message) flash(message, 'danger') return False if userdata is None: flash('Invalid LDAP credentials', 'danger') return False self.user = ldap_mgr._save_user(username, userdata) return True
validate_ldap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ldap_mgr = current_app.ldap_login_manager\n username = self.username.data\n password = self.password.data\n try:\n userdata = ldap_mgr.ldap_login(username, password)\n except ldap.INVALID_CREDENTIALS:\n flash('Invalid LDAP credentials', 'danger')\n return False\n except ldap.LDAPError as err:\n if isinstance(err.message, dict):\n message = err.message.get('desc', str(err))\n else:\n message = str(err.message)\n flash(message, 'danger')\n return False\n if userdata is None:\n flash('Invalid LDAP credentials', 'danger')\n return False\n self.user = ldap_mgr._save_user(username, userdata)\n return True\n", "role": "user" }, { "content": "validate_ldap", "role": "assistant" } ]
def x(self, *args, **kwargs): valid = Form.validate(self, *args, **kwargs) if not valid: return valid return self.validate_ldap()
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n valid = Form.validate(self, *args, **kwargs)\n if not valid:\n return valid\n return self.validate_ldap()\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(value): if isinstance(value, (list, tuple)) and len(value) == 1: return value[0] return value
scalar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if isinstance(value, (list, tuple)) and len(value) == 1:\n return value[0]\n return value\n", "role": "user" }, { "content": "scalar", "role": "assistant" } ]
def x(self, app): self._config = app.config.get('LDAP', {}) app.ldap_login_manager = self self.config.setdefault('BIND_DN', '') self.config.setdefault('BIND_AUTH', '') self.config.setdefault('URI', 'ldap://127.0.0.1') self.config.setdefault('OPTIONS', {}) self.config['OPTIONS'].setdefault(ldap.OPT_REFERRALS, ldap.OPT_OFF) if self.config.get('USER_SEARCH') and not isinstance(self.config[ 'USER_SEARCH'], list): self.config['USER_SEARCH'] = [self.config['USER_SEARCH']]
init_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app):\n self._config = app.config.get('LDAP', {})\n app.ldap_login_manager = self\n self.config.setdefault('BIND_DN', '')\n self.config.setdefault('BIND_AUTH', '')\n self.config.setdefault('URI', 'ldap://127.0.0.1')\n self.config.setdefault('OPTIONS', {})\n self.config['OPTIONS'].setdefault(ldap.OPT_REFERRALS, ldap.OPT_OFF)\n if self.config.get('USER_SEARCH') and not isinstance(self.config[\n 'USER_SEARCH'], list):\n self.config['USER_SEARCH'] = [self.config['USER_SEARCH']]\n", "role": "user" }, { "content": "init_app", "role": "assistant" } ]
def x(self, results): if not results: return None userdn = results[0][0] userobj = results[0][1] userobj['dn'] = userdn keymap = self.config.get('KEY_MAP') if keymap: return {key: scalar(userobj.get(value)) for key, value in keymap. items() if _is_utf8(scalar(userobj.get(value)))} else: return {key: scalar(value) for key, value in userobj.items() if _is_utf8(scalar(value))}
format_results
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, results):\n if not results:\n return None\n userdn = results[0][0]\n userobj = results[0][1]\n userobj['dn'] = userdn\n keymap = self.config.get('KEY_MAP')\n if keymap:\n return {key: scalar(userobj.get(value)) for key, value in keymap.\n items() if _is_utf8(scalar(userobj.get(value)))}\n else:\n return {key: scalar(value) for key, value in userobj.items() if\n _is_utf8(scalar(value))}\n", "role": "user" }, { "content": "format_results", "role": "assistant" } ]
def x(self): keymap = self.config.get('KEY_MAP') if keymap: return [s.encode('utf-8') for s in keymap.values()] else: return None
attrlist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n keymap = self.config.get('KEY_MAP')\n if keymap:\n return [s.encode('utf-8') for s in keymap.values()]\n else:\n return None\n", "role": "user" }, { "content": "attrlist", "role": "assistant" } ]
def x(self, username, password): log.debug('Performing bind/search') ctx = {'username': username, 'password': password} user = self.config['BIND_DN'] % ctx bind_auth = self.config['BIND_AUTH'] try: log.debug('Binding with the BIND_DN %s' % user) self.conn.simple_bind_s(user, bind_auth) except ldap.INVALID_CREDENTIALS: msg = 'Could not connect bind with the BIND_DN=%s' % user log.debug(msg) if self._raise_errors: raise ldap.INVALID_CREDENTIALS(msg) return None user_search = self.config.get('USER_SEARCH') results = None found_user = False for search in user_search: base = search['base'] filt = search['filter'] % ctx scope = search.get('scope', ldap.SCOPE_SUBTREE) log.debug('Search for base=%s filter=%s' % (base, filt)) results = self.conn.search_s(base, scope, filt, attrlist=self.attrlist) if results: found_user = True log.debug('User with DN=%s found' % results[0][0]) try: self.conn.simple_bind_s(results[0][0], password) except ldap.INVALID_CREDENTIALS: self.conn.simple_bind_s(user, bind_auth) log.debug('Username/password mismatch, continue search...') results = None continue else: log.debug('Username/password OK') break if not results and self._raise_errors: msg = 'No users found matching search criteria: {}'.format(user_search) if found_user: msg = 'Username/password mismatch' raise ldap.INVALID_CREDENTIALS(msg) log.debug('Unbind') self.conn.unbind_s() return self.format_results(results)
bind_search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, password):\n log.debug('Performing bind/search')\n ctx = {'username': username, 'password': password}\n user = self.config['BIND_DN'] % ctx\n bind_auth = self.config['BIND_AUTH']\n try:\n log.debug('Binding with the BIND_DN %s' % user)\n self.conn.simple_bind_s(user, bind_auth)\n except ldap.INVALID_CREDENTIALS:\n msg = 'Could not connect bind with the BIND_DN=%s' % user\n log.debug(msg)\n if self._raise_errors:\n raise ldap.INVALID_CREDENTIALS(msg)\n return None\n user_search = self.config.get('USER_SEARCH')\n results = None\n found_user = False\n for search in user_search:\n base = search['base']\n filt = search['filter'] % ctx\n scope = search.get('scope', ldap.SCOPE_SUBTREE)\n log.debug('Search for base=%s filter=%s' % (base, filt))\n results = self.conn.search_s(base, scope, filt, attrlist=self.attrlist)\n if results:\n found_user = True\n log.debug('User with DN=%s found' % results[0][0])\n try:\n self.conn.simple_bind_s(results[0][0], password)\n except ldap.INVALID_CREDENTIALS:\n self.conn.simple_bind_s(user, bind_auth)\n log.debug('Username/password mismatch, continue search...')\n results = None\n continue\n else:\n log.debug('Username/password OK')\n break\n if not results and self._raise_errors:\n msg = 'No users found matching search criteria: {}'.format(user_search)\n if found_user:\n msg = 'Username/password mismatch'\n raise ldap.INVALID_CREDENTIALS(msg)\n log.debug('Unbind')\n self.conn.unbind_s()\n return self.format_results(results)\n", "role": "user" }, { "content": "bind_search", "role": "assistant" } ]
def x(self, username, password): log.debug('Performing direct bind') ctx = {'username': username, 'password': password} scope = self.config.get('SCOPE', ldap.SCOPE_SUBTREE) user = self.config['BIND_DN'] % ctx try: log.debug('Binding with the BIND_DN %s' % user) self.conn.simple_bind_s(user, password) except ldap.INVALID_CREDENTIALS: if self._raise_errors: raise ldap.INVALID_CREDENTIALS( 'Unable to do a direct bind with BIND_DN %s' % user) return None results = self.conn.search_s(user, scope, attrlist=self.attrlist) self.conn.unbind_s() return self.format_results(results)
direct_bind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, password):\n log.debug('Performing direct bind')\n ctx = {'username': username, 'password': password}\n scope = self.config.get('SCOPE', ldap.SCOPE_SUBTREE)\n user = self.config['BIND_DN'] % ctx\n try:\n log.debug('Binding with the BIND_DN %s' % user)\n self.conn.simple_bind_s(user, password)\n except ldap.INVALID_CREDENTIALS:\n if self._raise_errors:\n raise ldap.INVALID_CREDENTIALS(\n 'Unable to do a direct bind with BIND_DN %s' % user)\n return None\n results = self.conn.search_s(user, scope, attrlist=self.attrlist)\n self.conn.unbind_s()\n return self.format_results(results)\n", "role": "user" }, { "content": "direct_bind", "role": "assistant" } ]
def x(self): log.debug('Connecting to ldap server %s' % self.config['URI']) self.conn = ldap.initialize(self.config['URI']) options = self.config.get('OPTIONS', {}).items() options.sort(key=lambda x: x[0] == 'OPT_X_TLS_NEWCTX') for opt, value in options: if isinstance(opt, str): opt = getattr(ldap, opt) try: if isinstance(value, str): value = getattr(ldap, value) except AttributeError: pass self.conn.set_option(opt, value) if self.config.get('START_TLS'): log.debug('Starting TLS') self.conn.start_tls_s()
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.debug('Connecting to ldap server %s' % self.config['URI'])\n self.conn = ldap.initialize(self.config['URI'])\n options = self.config.get('OPTIONS', {}).items()\n options.sort(key=lambda x: x[0] == 'OPT_X_TLS_NEWCTX')\n for opt, value in options:\n if isinstance(opt, str):\n opt = getattr(ldap, opt)\n try:\n if isinstance(value, str):\n value = getattr(ldap, value)\n except AttributeError:\n pass\n self.conn.set_option(opt, value)\n if self.config.get('START_TLS'):\n log.debug('Starting TLS')\n self.conn.start_tls_s()\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self, username, password): self.connect() if self.config.get('USER_SEARCH'): result = self.bind_search(username, password) else: result = self.direct_bind(username, password) return result
ldap_login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, password):\n self.connect()\n if self.config.get('USER_SEARCH'):\n result = self.bind_search(username, password)\n else:\n result = self.direct_bind(username, password)\n return result\n", "role": "user" }, { "content": "ldap_login", "role": "assistant" } ]
def x(self, args): if not self._started: raise ApplicationNotStarted('BACnet stack not running - use startApp()' ) args = args.split() addr, obj_type, obj_inst, prop_id, value = args[:5] if self.read('{} {} {} outOfService'.format(addr, obj_type, obj_inst)): self.write('{} {} {} {} {}'.format(addr, obj_type, obj_inst, prop_id, value)) else: try: self.write('{} {} {} outOfService True'.format(addr, obj_type, obj_inst)) except NoResponseFromController: pass try: if self.read('{} {} {} outOfService'.format(addr, obj_type, obj_inst)): self.write('{} {} {} {} {}'.format(addr, obj_type, obj_inst, prop_id, value)) else: raise OutOfServiceNotSet() except NoResponseFromController: pass
sim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args):\n if not self._started:\n raise ApplicationNotStarted('BACnet stack not running - use startApp()'\n )\n args = args.split()\n addr, obj_type, obj_inst, prop_id, value = args[:5]\n if self.read('{} {} {} outOfService'.format(addr, obj_type, obj_inst)):\n self.write('{} {} {} {} {}'.format(addr, obj_type, obj_inst,\n prop_id, value))\n else:\n try:\n self.write('{} {} {} outOfService True'.format(addr, obj_type,\n obj_inst))\n except NoResponseFromController:\n pass\n try:\n if self.read('{} {} {} outOfService'.format(addr, obj_type,\n obj_inst)):\n self.write('{} {} {} {} {}'.format(addr, obj_type, obj_inst,\n prop_id, value))\n else:\n raise OutOfServiceNotSet()\n except NoResponseFromController:\n pass\n", "role": "user" }, { "content": "sim", "role": "assistant" } ]
def x(self, args): if not self._started: raise ApplicationNotStarted('BACnet stack not running - use startApp()' ) args = args.split() addr, obj_type, obj_inst = args[:3] try: self.write('{} {} {} outOfService True'.format(addr, obj_type, obj_inst)) except NoResponseFromController: pass
out_of_service
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args):\n if not self._started:\n raise ApplicationNotStarted('BACnet stack not running - use startApp()'\n )\n args = args.split()\n addr, obj_type, obj_inst = args[:3]\n try:\n self.write('{} {} {} outOfService True'.format(addr, obj_type,\n obj_inst))\n except NoResponseFromController:\n pass\n", "role": "user" }, { "content": "out_of_service", "role": "assistant" } ]
def x(self, args): if not self._started: raise ApplicationNotStarted('BACnet stack not running - use startApp()' ) args = args.split() addr, obj_type, obj_inst = args[:3] try: self.write('{} {} {} outOfService False'.format(addr, obj_type, obj_inst)) except NoResponseFromController: pass try: if self.read('{} {} {} outOfService'.format(addr, obj_type, obj_inst)): raise OutOfServiceSet() else: pass except NoResponseFromController: pass
release
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args):\n if not self._started:\n raise ApplicationNotStarted('BACnet stack not running - use startApp()'\n )\n args = args.split()\n addr, obj_type, obj_inst = args[:3]\n try:\n self.write('{} {} {} outOfService False'.format(addr, obj_type,\n obj_inst))\n except NoResponseFromController:\n pass\n try:\n if self.read('{} {} {} outOfService'.format(addr, obj_type, obj_inst)):\n raise OutOfServiceSet()\n else:\n pass\n except NoResponseFromController:\n pass\n", "role": "user" }, { "content": "release", "role": "assistant" } ]
def x(self): return '{}/{}'.format(self.interface.ip.compressed, self.interface. exploded.split('/')[-1])
ip_address_subnet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return '{}/{}'.format(self.interface.ip.compressed, self.interface.\n exploded.split('/')[-1])\n", "role": "user" }, { "content": "ip_address_subnet", "role": "assistant" } ]
def x(self): port = '' if self._port: port = ':{}'.format(self._port) return Address('{}/{}{}'.format(self.interface.ip.compressed, self. interface.exploded.split('/')[-1], port))
address
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n port = ''\n if self._port:\n port = ':{}'.format(self._port)\n return Address('{}/{}{}'.format(self.interface.ip.compressed, self.\n interface.exploded.split('/')[-1], port))\n", "role": "user" }, { "content": "address", "role": "assistant" } ]
def x(self): s = socket.socket(socket.AF_INET, socket.SOCK_DGRAM) try: s.connect(('google.com', 0)) addr = s.getsockname()[0] s.close() except socket.error: raise NetworkInterfaceException( 'Impossible to retrieve IP, please provide one manually') return addr
findIPAddr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n s = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)\n try:\n s.connect(('google.com', 0))\n addr = s.getsockname()[0]\n s.close()\n except socket.error:\n raise NetworkInterfaceException(\n 'Impossible to retrieve IP, please provide one manually')\n return addr\n", "role": "user" }, { "content": "findIPAddr", "role": "assistant" } ]
def x(self, ip): ip = ip if 'win32' in sys.platform: try: proc = subprocess.Popen('ipconfig', stdout=subprocess.PIPE) while True: line = proc.stdout.readline() if ip.encode() in line: break mask = proc.stdout.readline().rstrip().split(b':')[-1].replace(b' ' , b'').decode() except: raise NetworkInterfaceException('Cannot read IP parameters from OS' ) else: """ This procedure could use more direct way of obtaining the broadcast IP as it is really simple in Unix ifconfig gives Bcast directly for example or use something like : iface = "eth0" socket.inet_ntoa(fcntl.ioctl(socket.socket(socket.AF_INET, socket.SOCK_DGRAM), 35099, struct.pack('256s', iface))[20:24]) """ pattern = re.compile('(255.\\d{1,3}.\\d{1,3}.\\d{1,3})') try: proc = subprocess.Popen('ifconfig', stdout=subprocess.PIPE) while True: line = proc.stdout.readline() if ip.encode() in line: break mask = re.findall(pattern, line.decode())[0] except: mask = '255.255.255.255' return mask
findSubnetMask
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ip):\n ip = ip\n if 'win32' in sys.platform:\n try:\n proc = subprocess.Popen('ipconfig', stdout=subprocess.PIPE)\n while True:\n line = proc.stdout.readline()\n if ip.encode() in line:\n break\n mask = proc.stdout.readline().rstrip().split(b':')[-1].replace(b' '\n , b'').decode()\n except:\n raise NetworkInterfaceException('Cannot read IP parameters from OS'\n )\n else:\n \"\"\"\n This procedure could use more direct way of obtaining the broadcast IP\n as it is really simple in Unix\n ifconfig gives Bcast directly for example\n or use something like :\n iface = \"eth0\"\n socket.inet_ntoa(fcntl.ioctl(socket.socket(socket.AF_INET, socket.SOCK_DGRAM), 35099, struct.pack('256s', iface))[20:24])\n \"\"\"\n pattern = re.compile('(255.\\\\d{1,3}.\\\\d{1,3}.\\\\d{1,3})')\n try:\n proc = subprocess.Popen('ifconfig', stdout=subprocess.PIPE)\n while True:\n line = proc.stdout.readline()\n if ip.encode() in line:\n break\n mask = re.findall(pattern, line.decode())[0]\n except:\n mask = '255.255.255.255'\n return mask\n", "role": "user" }, { "content": "findSubnetMask", "role": "assistant" } ]
def x(self, request, db_name): with contextlib.closing(sqlite3.connect('{}.db'.format(db_name))) as con: return sql.read_sql(sql=request, con=con)
read_from_sql
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, db_name):\n with contextlib.closing(sqlite3.connect('{}.db'.format(db_name))) as con:\n return sql.read_sql(sql=request, con=con)\n", "role": "user" }, { "content": "read_from_sql", "role": "assistant" } ]
def x(self): pprops = {} for each in self.points: p = each.properties.asdict.copy() p.pop('device', None) p.pop('network', None) p.pop('simulated', None) p.pop('overridden', None) pprops[each.properties.name] = p df = pd.DataFrame(pprops) return df
points_properties_df
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n pprops = {}\n for each in self.points:\n p = each.properties.asdict.copy()\n p.pop('device', None)\n p.pop('network', None)\n p.pop('simulated', None)\n p.pop('overridden', None)\n pprops[each.properties.name] = p\n df = pd.DataFrame(pprops)\n return df\n", "role": "user" }, { "content": "points_properties_df", "role": "assistant" } ]
def x(self): backup = {} for point in self.points: if point.history.dtypes == object: backup[point.properties.name] = point.history.replace([ 'inactive', 'active'], [0, 1]).resample('1s').mean() else: backup[point.properties.name] = point.history.resample('1s').mean() df = pd.DataFrame(dict([(k, pd.Series(v)) for k, v in backup.items()])) return df.fillna(method='ffill')
backup_histories_df
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n backup = {}\n for point in self.points:\n if point.history.dtypes == object:\n backup[point.properties.name] = point.history.replace([\n 'inactive', 'active'], [0, 1]).resample('1s').mean()\n else:\n backup[point.properties.name] = point.history.resample('1s').mean()\n df = pd.DataFrame(dict([(k, pd.Series(v)) for k, v in backup.items()]))\n return df.fillna(method='ffill')\n", "role": "user" }, { "content": "backup_histories_df", "role": "assistant" } ]
def x(self, filename=None): if filename: if '.db' in filename: filename = filename.split('.')[0] self.properties.db_name = filename else: self.properties.db_name = '{}'.format(self.properties.name) if os.path.isfile('{}.db'.format(self.properties.db_name)): his = self._read_from_sql('select * from "{}"'.format('history'), self.properties.db_name) his.index = his['index'].apply(Timestamp) try: last = his.index[-1] df_to_backup = self.backup_histories_df()[last:] except IndexError: df_to_backup = self.backup_histories_df() else: self._log.debug('Creating a new backup database') df_to_backup = self.backup_histories_df() with contextlib.closing(sqlite3.connect('{}.db'.format(self.properties. db_name))) as con: sql.to_sql(df_to_backup, name='history', con=con, index_label= 'index', index=True, if_exists='append') prop_backup = {} prop_backup['device'] = self.dev_properties_df() prop_backup['points'] = self.points_properties_df() with open('{}.bin'.format(self.properties.db_name), 'wb') as file: pickle.dump(prop_backup, file) self._log.info('Device saved to {}.db'.format(self.properties.db_name))
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename=None):\n if filename:\n if '.db' in filename:\n filename = filename.split('.')[0]\n self.properties.db_name = filename\n else:\n self.properties.db_name = '{}'.format(self.properties.name)\n if os.path.isfile('{}.db'.format(self.properties.db_name)):\n his = self._read_from_sql('select * from \"{}\"'.format('history'),\n self.properties.db_name)\n his.index = his['index'].apply(Timestamp)\n try:\n last = his.index[-1]\n df_to_backup = self.backup_histories_df()[last:]\n except IndexError:\n df_to_backup = self.backup_histories_df()\n else:\n self._log.debug('Creating a new backup database')\n df_to_backup = self.backup_histories_df()\n with contextlib.closing(sqlite3.connect('{}.db'.format(self.properties.\n db_name))) as con:\n sql.to_sql(df_to_backup, name='history', con=con, index_label=\n 'index', index=True, if_exists='append')\n prop_backup = {}\n prop_backup['device'] = self.dev_properties_df()\n prop_backup['points'] = self.points_properties_df()\n with open('{}.bin'.format(self.properties.db_name), 'wb') as file:\n pickle.dump(prop_backup, file)\n self._log.info('Device saved to {}.db'.format(self.properties.db_name))\n", "role": "user" }, { "content": "save", "role": "assistant" } ]
def x(self, db_name): points = self._read_from_sql('SELECT * FROM history;', db_name) return list(points.columns.values)[1:]
points_from_sql
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, db_name):\n points = self._read_from_sql('SELECT * FROM history;', db_name)\n return list(points.columns.values)[1:]\n", "role": "user" }, { "content": "points_from_sql", "role": "assistant" } ]
def x(self, db_name, point): his = self._read_from_sql('select * from "%s"' % 'history', db_name) his.index = his['index'].apply(Timestamp) return his.set_index('index')[point]
his_from_sql
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, db_name, point):\n his = self._read_from_sql('select * from \"%s\"' % 'history', db_name)\n his.index = his['index'].apply(Timestamp)\n return his.set_index('index')[point]\n", "role": "user" }, { "content": "his_from_sql", "role": "assistant" } ]
def x(self, device_name, point): with open('%s.bin' % device_name, 'rb') as file: return pickle.load(file)['points'][point]
read_point_prop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_name, point):\n with open('%s.bin' % device_name, 'rb') as file:\n return pickle.load(file)['points'][point]\n", "role": "user" }, { "content": "read_point_prop", "role": "assistant" } ]
def x(self, device_name): with open('{}.bin'.format(device_name), 'rb') as file: return pickle.load(file)['device']
read_dev_prop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_name):\n with open('{}.bin'.format(device_name), 'rb') as file:\n return pickle.load(file)['device']\n", "role": "user" }, { "content": "read_dev_prop", "role": "assistant" } ]
def x(self): try: res = self.properties.device.properties.network.read( '{} {} {} presentValue'.format(self.properties.device. properties.address, self.properties.type, str(self.properties. address))) self._trend(res) except Exception: raise Exception('Problem reading : {}'.format(self.properties.name)) if res == 'inactive': self._key = 0 self._boolKey = False else: self._key = 1 self._boolKey = True return res
value
[ { "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 res = self.properties.device.properties.network.read(\n '{} {} {} presentValue'.format(self.properties.device.\n properties.address, self.properties.type, str(self.properties.\n address)))\n self._trend(res)\n except Exception:\n raise Exception('Problem reading : {}'.format(self.properties.name))\n if res == 'inactive':\n self._key = 0\n self._boolKey = False\n else:\n self._key = 1\n self._boolKey = True\n return res\n", "role": "user" }, { "content": "value", "role": "assistant" } ]
def x(self): if self.lastValue == 1 or self.lastValue == 'active': self._key = 1 self._boolKey = True else: self._key = 0 self._boolKey = False return self._boolKey
boolValue
[ { "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.lastValue == 1 or self.lastValue == 'active':\n self._key = 1\n self._boolKey = True\n else:\n self._key = 0\n self._boolKey = False\n return self._boolKey\n", "role": "user" }, { "content": "boolValue", "role": "assistant" } ]
def x(self): try: return self.properties.units_state[int(self.lastValue) - 1] except IndexError: value = 'unknown' except ValueError: value = 'NaN' return value
enumValue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n return self.properties.units_state[int(self.lastValue) - 1]\n except IndexError:\n value = 'unknown'\n except ValueError:\n value = 'NaN'\n return value\n", "role": "user" }, { "content": "enumValue", "role": "assistant" } ]
def x(self): try: value = self.lastValue except IndexError: value = 'NaN' except ValueError: value = 'NaN' return value
value
[ { "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 value = self.lastValue\n except IndexError:\n value = 'NaN'\n except ValueError:\n value = 'NaN'\n return value\n", "role": "user" }, { "content": "value", "role": "assistant" } ]
def x(self, request, points_per_request): for i in range(0, len(request), points_per_request): yield request[i:i + points_per_request]
batches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, points_per_request):\n for i in range(0, len(request), points_per_request):\n yield request[i:i + points_per_request]\n", "role": "user" }, { "content": "batches", "role": "assistant" } ]
def x(self, point_list): points = [] requests = [] for each in point_list: str_list = [] point = self._findPoint(each, force_read=False) points.append(point) str_list.append(' ' + point.properties.type) str_list.append(' ' + str(point.properties.address)) str_list.append(' presentValue') rpm_param = ''.join(str_list) requests.append(rpm_param) return requests, points
rpm_request_by_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, point_list):\n points = []\n requests = []\n for each in point_list:\n str_list = []\n point = self._findPoint(each, force_read=False)\n points.append(point)\n str_list.append(' ' + point.properties.type)\n str_list.append(' ' + str(point.properties.address))\n str_list.append(' presentValue')\n rpm_param = ''.join(str_list)\n requests.append(rpm_param)\n return requests, points\n", "role": "user" }, { "content": "rpm_request_by_name", "role": "assistant" } ]
def x(self, points_list, *, points_per_request=25, discover_request=(None, 6), force_single=False): if not self.properties.pss['readPropertyMultiple'] or force_single: self._log.warning('Read property Multiple Not supported') self.read_single(points_list, points_per_request=1, discover_request=discover_request) else: if not self.properties.segmentation_supported: points_per_request = 1 if discover_request[0]: values = [] info_length = discover_request[1] big_request = discover_request[0] for request in self._batches(big_request, points_per_request): try: request = '{} {}'.format(self.properties.address, ''. join(request)) self._log.debug('RPM_Request: %s ' % request) val = self.properties.network.readMultiple(request) if val == None: self.properties.segmentation_supported = False raise SegmentationNotSupported except KeyError as error: raise Exception('Unknown point name : %s' % error) except SegmentationNotSupported as error: self.properties.segmentation_supported = False self._log.warning('Segmentation not supported') self._log.warning('Request too big...will reduce it') if points_per_request == 1: raise self.read_multiple(points_list, points_per_request=1, discover_request=discover_request) else: for points_info in self._batches(val, info_length): values.append(points_info) return values else: big_request = self._rpm_request_by_name(points_list) i = 0 for request in self._batches(big_request[0], points_per_request): try: request = '{} {}'.format(self.properties.address, ''. join(request)) val = self.properties.network.readMultiple(request) except SegmentationNotSupported as error: self.properties.segmentation_supported = False self.read_multiple(points_list, points_per_request=1, discover_request=discover_request) except KeyError as error: raise Exception('Unknown point name : %s' % error) else: points_values = zip(big_request[1][i:i + len(val)], val) i += len(val) for each in points_values: each[0]._trend(each[1])
read_multiple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, points_list, *, points_per_request=25, discover_request=(None, \n 6), force_single=False):\n if not self.properties.pss['readPropertyMultiple'] or force_single:\n self._log.warning('Read property Multiple Not supported')\n self.read_single(points_list, points_per_request=1,\n discover_request=discover_request)\n else:\n if not self.properties.segmentation_supported:\n points_per_request = 1\n if discover_request[0]:\n values = []\n info_length = discover_request[1]\n big_request = discover_request[0]\n for request in self._batches(big_request, points_per_request):\n try:\n request = '{} {}'.format(self.properties.address, ''.\n join(request))\n self._log.debug('RPM_Request: %s ' % request)\n val = self.properties.network.readMultiple(request)\n if val == None:\n self.properties.segmentation_supported = False\n raise SegmentationNotSupported\n except KeyError as error:\n raise Exception('Unknown point name : %s' % error)\n except SegmentationNotSupported as error:\n self.properties.segmentation_supported = False\n self._log.warning('Segmentation not supported')\n self._log.warning('Request too big...will reduce it')\n if points_per_request == 1:\n raise\n self.read_multiple(points_list, points_per_request=1,\n discover_request=discover_request)\n else:\n for points_info in self._batches(val, info_length):\n values.append(points_info)\n return values\n else:\n big_request = self._rpm_request_by_name(points_list)\n i = 0\n for request in self._batches(big_request[0], points_per_request):\n try:\n request = '{} {}'.format(self.properties.address, ''.\n join(request))\n val = self.properties.network.readMultiple(request)\n except SegmentationNotSupported as error:\n self.properties.segmentation_supported = False\n self.read_multiple(points_list, points_per_request=1,\n discover_request=discover_request)\n except KeyError as error:\n raise Exception('Unknown point name : %s' % error)\n else:\n points_values = zip(big_request[1][i:i + len(val)], val)\n i += len(val)\n for each in points_values:\n each[0]._trend(each[1])\n", "role": "user" }, { "content": "read_multiple", "role": "assistant" } ]
def x(self, points_list, *, points_per_request=1, discover_request=(None, 6)): if isinstance(points_list, list): for each in points_list: self.read_single(each, points_per_request=1, discover_request= discover_request) else: self.read_single(points_list, points_per_request=1, discover_request=discover_request)
read_multiple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, points_list, *, points_per_request=1, discover_request=(None, 6)):\n if isinstance(points_list, list):\n for each in points_list:\n self.read_single(each, points_per_request=1, discover_request=\n discover_request)\n else:\n self.read_single(points_list, points_per_request=1,\n discover_request=discover_request)\n", "role": "user" }, { "content": "read_multiple", "role": "assistant" } ]
def x(self, command='start', *, delay=120): if delay > 120: self._log.warning( 'Segmentation not supported, forcing delay to 120 seconds (or higher)' ) delay = 120 if str(command).lower( ) == 'stop' or command == False or command == 0 or delay == 0: if isinstance(self._polling_task.task, DevicePoll): self._polling_task.task.stop() while self._polling_task.task.is_alive(): pass self._polling_task.task = None self._polling_task.running = False self._log.info('Polling stopped') elif self._polling_task.task is None: self._polling_task.task = DevicePoll(self, delay=delay) self._polling_task.task.start() self._polling_task.running = True self._log.info('Polling started, values read every {} seconds'. format(delay)) elif self._polling_task.running: self._polling_task.task.stop() while self._polling_task.task.is_alive(): pass self._polling_task.running = False self._polling_task.task = DevicePoll(self, delay=delay) self._polling_task.task.start() self._polling_task.running = True self._log.info('Polling started, every values read each %s seconds' % delay) else: raise RuntimeError('Stop polling before redefining it')
poll
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command='start', *, delay=120):\n if delay > 120:\n self._log.warning(\n 'Segmentation not supported, forcing delay to 120 seconds (or higher)'\n )\n delay = 120\n if str(command).lower(\n ) == 'stop' or command == False or command == 0 or delay == 0:\n if isinstance(self._polling_task.task, DevicePoll):\n self._polling_task.task.stop()\n while self._polling_task.task.is_alive():\n pass\n self._polling_task.task = None\n self._polling_task.running = False\n self._log.info('Polling stopped')\n elif self._polling_task.task is None:\n self._polling_task.task = DevicePoll(self, delay=delay)\n self._polling_task.task.start()\n self._polling_task.running = True\n self._log.info('Polling started, values read every {} seconds'.\n format(delay))\n elif self._polling_task.running:\n self._polling_task.task.stop()\n while self._polling_task.task.is_alive():\n pass\n self._polling_task.running = False\n self._polling_task.task = DevicePoll(self, delay=delay)\n self._polling_task.task.start()\n self._polling_task.running = True\n self._log.info('Polling started, every values read each %s seconds' %\n delay)\n else:\n raise RuntimeError('Stop polling before redefining it')\n", "role": "user" }, { "content": "poll", "role": "assistant" } ]
def x(self): statistics = {} mstp_networks = [] mstp_map = {} ip_devices = [] bacoids = [] mstp_devices = [] for address, bacoid in self.whois_answer[0].keys(): if ':' in address: net, mac = address.split(':') mstp_networks.append(net) mstp_devices.append(mac) try: mstp_map[net].append(mac) except KeyError: mstp_map[net] = [] mstp_map[net].append(mac) else: net = 'ip' mac = address ip_devices.append(address) bacoids.append((bacoid, address)) mstpnetworks = sorted(set(mstp_networks)) statistics['mstp_networks'] = mstpnetworks statistics['ip_devices'] = sorted(ip_devices) statistics['bacoids'] = sorted(bacoids) statistics['mstp_map'] = mstp_map statistics['timestamp'] = str(datetime.now()) statistics['number_of_devices'] = self.number_of_devices statistics['number_of_registered_devices'] = len(self.registered_devices) statistics['print_mstpnetworks'] = self.print_list(mstpnetworks) return statistics
network_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n statistics = {}\n mstp_networks = []\n mstp_map = {}\n ip_devices = []\n bacoids = []\n mstp_devices = []\n for address, bacoid in self.whois_answer[0].keys():\n if ':' in address:\n net, mac = address.split(':')\n mstp_networks.append(net)\n mstp_devices.append(mac)\n try:\n mstp_map[net].append(mac)\n except KeyError:\n mstp_map[net] = []\n mstp_map[net].append(mac)\n else:\n net = 'ip'\n mac = address\n ip_devices.append(address)\n bacoids.append((bacoid, address))\n mstpnetworks = sorted(set(mstp_networks))\n statistics['mstp_networks'] = mstpnetworks\n statistics['ip_devices'] = sorted(ip_devices)\n statistics['bacoids'] = sorted(bacoids)\n statistics['mstp_map'] = mstp_map\n statistics['timestamp'] = str(datetime.now())\n statistics['number_of_devices'] = self.number_of_devices\n statistics['number_of_registered_devices'] = len(self.registered_devices)\n statistics['print_mstpnetworks'] = self.print_list(mstpnetworks)\n return statistics\n", "role": "user" }, { "content": "network_stats", "role": "assistant" } ]
def x(self, *, db=None): if db: self.poll(command='stop') self.properties.db_name = db.split('.')[0] self.new_state(DeviceFromDB) else: self._log.warning( 'Already connected, provide db arg if you want to connect to db')
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *, db=None):\n if db:\n self.poll(command='stop')\n self.properties.db_name = db.split('.')[0]\n self.new_state(DeviceFromDB)\n else:\n self._log.warning(\n 'Already connected, provide db arg if you want to connect to db')\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self, list_of_points, force_read=True): his = [] for point in list_of_points: try: his.append(self._findPoint(point, force_read=force_read).history) except ValueError as ve: self._log.error('{}'.format(ve)) continue if not _PANDAS: return dict(zip(list_of_points, his)) return pd.DataFrame(dict(zip(list_of_points, his)))
df
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, list_of_points, force_read=True):\n his = []\n for point in list_of_points:\n try:\n his.append(self._findPoint(point, force_read=force_read).history)\n except ValueError as ve:\n self._log.error('{}'.format(ve))\n continue\n if not _PANDAS:\n return dict(zip(list_of_points, his))\n return pd.DataFrame(dict(zip(list_of_points, his)))\n", "role": "user" }, { "content": "df", "role": "assistant" } ]
def x(self): try: self.properties.pss.value = self.properties.network.read( '{} device {} protocolServicesSupported'.format(self.properties .address, self.properties.device_id)) except NoResponseFromController as error: self._log.error('Controller not found, aborting. ({})'.format(error)) return 'Not Found', '', [], [] except SegmentationNotSupported as error: self._log.warning('Segmentation not supported') self.segmentation_supported = False self.new_state(DeviceDisconnected) self.properties.name = self.properties.network.read( '{} device {} objectName'.format(self.properties.address, self. properties.device_id)) self._log.info('Device {}:[{}] found... building points list'.format( self.properties.device_id, self.properties.name)) try: self.properties.objects_list, self.points, self.trendlogs = (self. _discoverPoints(self.custom_object_list)) if self.properties.pollDelay > 0: self.poll(delay=self.properties.pollDelay) except NoResponseFromController as error: self._log.error('Cannot retrieve object list, disconnecting...') self.segmentation_supported = False self.new_state(DeviceDisconnected) except IndexError as error: self._log.error('Device creation failed... disconnecting') self.new_state(DeviceDisconnected)
buildPointList
[ { "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.properties.pss.value = self.properties.network.read(\n '{} device {} protocolServicesSupported'.format(self.properties\n .address, self.properties.device_id))\n except NoResponseFromController as error:\n self._log.error('Controller not found, aborting. ({})'.format(error))\n return 'Not Found', '', [], []\n except SegmentationNotSupported as error:\n self._log.warning('Segmentation not supported')\n self.segmentation_supported = False\n self.new_state(DeviceDisconnected)\n self.properties.name = self.properties.network.read(\n '{} device {} objectName'.format(self.properties.address, self.\n properties.device_id))\n self._log.info('Device {}:[{}] found... building points list'.format(\n self.properties.device_id, self.properties.name))\n try:\n self.properties.objects_list, self.points, self.trendlogs = (self.\n _discoverPoints(self.custom_object_list))\n if self.properties.pollDelay > 0:\n self.poll(delay=self.properties.pollDelay)\n except NoResponseFromController as error:\n self._log.error('Cannot retrieve object list, disconnecting...')\n self.segmentation_supported = False\n self.new_state(DeviceDisconnected)\n except IndexError as error:\n self._log.error('Device creation failed... disconnecting')\n self.new_state(DeviceDisconnected)\n", "role": "user" }, { "content": "buildPointList", "role": "assistant" } ]
def x(self): au = [] us = [] for each in self.points: if isinstance(each, NumericPoint): au.append(each.properties.name) us.append(each.properties.units_state) return dict(zip(au, us))
analog_units
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n au = []\n us = []\n for each in self.points:\n if isinstance(each, NumericPoint):\n au.append(each.properties.name)\n us.append(each.properties.units_state)\n return dict(zip(au, us))\n", "role": "user" }, { "content": "analog_units", "role": "assistant" } ]
def x(self, name, force_read=True): for point in self.points: if point.properties.name == name: if force_read: point.value return point raise ValueError("{} doesn't exist in controller".format(name))
findPoint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, force_read=True):\n for point in self.points:\n if point.properties.name == name:\n if force_read:\n point.value\n return point\n raise ValueError(\"{} doesn't exist in controller\".format(name))\n", "role": "user" }, { "content": "findPoint", "role": "assistant" } ]
def x(self, *, db=None): if not self.properties.network: self.new_state(DeviceFromDB) else: try: name = self.properties.network.read('{} device {} objectName'. format(self.properties.address, self.properties.device_id)) segmentation = self.properties.network.read( '{} device {} segmentationSupported'.format(self.properties .address, self.properties.device_id)) if not self.segmentation_supported or segmentation not in ( 'segmentedTransmit', 'segmentedBoth'): segmentation_supported = False self._log.debug('Segmentation not supported') else: segmentation_supported = True if name: if segmentation_supported: self.new_state(RPMDeviceConnected) else: self.new_state(RPDeviceConnected) except SegmentationNotSupported: self.segmentation_supported = False self._log.warning( 'Segmentation not supported.... expect slow responses.') self.new_state(RPDeviceConnected) except (NoResponseFromController, AttributeError) as error: if self.properties.db_name: self.new_state(DeviceFromDB) else: self._log.warning( 'Offline: provide database name to load stored data.') self._log.warning("Ex. controller.connect(db = 'backup')")
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *, db=None):\n if not self.properties.network:\n self.new_state(DeviceFromDB)\n else:\n try:\n name = self.properties.network.read('{} device {} objectName'.\n format(self.properties.address, self.properties.device_id))\n segmentation = self.properties.network.read(\n '{} device {} segmentationSupported'.format(self.properties\n .address, self.properties.device_id))\n if not self.segmentation_supported or segmentation not in (\n 'segmentedTransmit', 'segmentedBoth'):\n segmentation_supported = False\n self._log.debug('Segmentation not supported')\n else:\n segmentation_supported = True\n if name:\n if segmentation_supported:\n self.new_state(RPMDeviceConnected)\n else:\n self.new_state(RPDeviceConnected)\n except SegmentationNotSupported:\n self.segmentation_supported = False\n self._log.warning(\n 'Segmentation not supported.... expect slow responses.')\n self.new_state(RPDeviceConnected)\n except (NoResponseFromController, AttributeError) as error:\n if self.properties.db_name:\n self.new_state(DeviceFromDB)\n else:\n self._log.warning(\n 'Offline: provide database name to load stored data.')\n self._log.warning(\"Ex. controller.connect(db = 'backup')\")\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self, *, network=None, from_backup=None): if network and from_backup: raise WrongParameter('Please provide network OR from_backup') elif network: self.properties.network = network try: name = self.properties.network.read('{} device {} objectName'. format(self.properties.address, self.properties.device_id)) segmentation = self.properties.network.read( '{} device {} segmentationSupported'.format(self.properties .address, self.properties.device_id)) if not self.segmentation_supported or segmentation not in ( 'segmentedTransmit', 'segmentedBoth'): segmentation_supported = False self._log.debug('Segmentation not supported') else: segmentation_supported = True if name: if segmentation_supported: self.new_state(RPMDeviceConnected) else: self.new_state(RPDeviceConnected) except NoResponseFromController: self._log.error('Unable to connect, keeping DB mode active') elif from_backup: self.properties.db_name = from_backup.split('.')[0] self._init_state()
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *, network=None, from_backup=None):\n if network and from_backup:\n raise WrongParameter('Please provide network OR from_backup')\n elif network:\n self.properties.network = network\n try:\n name = self.properties.network.read('{} device {} objectName'.\n format(self.properties.address, self.properties.device_id))\n segmentation = self.properties.network.read(\n '{} device {} segmentationSupported'.format(self.properties\n .address, self.properties.device_id))\n if not self.segmentation_supported or segmentation not in (\n 'segmentedTransmit', 'segmentedBoth'):\n segmentation_supported = False\n self._log.debug('Segmentation not supported')\n else:\n segmentation_supported = True\n if name:\n if segmentation_supported:\n self.new_state(RPMDeviceConnected)\n else:\n self.new_state(RPDeviceConnected)\n except NoResponseFromController:\n self._log.error('Unable to connect, keeping DB mode active')\n elif from_backup:\n self.properties.db_name = from_backup.split('.')[0]\n self._init_state()\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(level=None, *, file=None, stderr=None, stdout=None): if level: file = level stderr = level stdout = level file = convert_level(file) stderr = convert_level(stderr) stdout = convert_level(stdout) BAC0_logger = logging.getLogger('BAC0') for handler in BAC0_logger.handlers: if file and handler.get_name() == 'file_handler': handler.setLevel(file) BAC0_logger.info('Changed log level of file to {}'.format( logging.getLevelName(file))) elif stdout and handler.get_name() == 'stdout': handler.setLevel(stdout) BAC0_logger.info('Changed log level of console stdout to {}'. format(logging.getLevelName(stdout))) elif stderr and handler.get_name() == 'stderr': handler.setLevel(stderr) BAC0_logger.info('Changed log level of console stderr to {}'. format(logging.getLevelName(stderr)))
update_log_level
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(level=None, *, file=None, stderr=None, stdout=None):\n if level:\n file = level\n stderr = level\n stdout = level\n file = convert_level(file)\n stderr = convert_level(stderr)\n stdout = convert_level(stdout)\n BAC0_logger = logging.getLogger('BAC0')\n for handler in BAC0_logger.handlers:\n if file and handler.get_name() == 'file_handler':\n handler.setLevel(file)\n BAC0_logger.info('Changed log level of file to {}'.format(\n logging.getLevelName(file)))\n elif stdout and handler.get_name() == 'stdout':\n handler.setLevel(stdout)\n BAC0_logger.info('Changed log level of console stdout to {}'.\n format(logging.getLevelName(stdout)))\n elif stderr and handler.get_name() == 'stderr':\n handler.setLevel(stderr)\n BAC0_logger.info('Changed log level of console stderr to {}'.\n format(logging.getLevelName(stderr)))\n", "role": "user" }, { "content": "update_log_level", "role": "assistant" } ]
def x(cls): if hasattr(cls, 'DEBUG_LEVEL'): if cls.DEBUG_LEVEL == 'debug': file_level = logging.DEBUG console_level = logging.DEBUG elif cls.DEBUG_LEVEL == 'info': file_level = logging.INFO console_level = logging.INFO else: file_level = logging.WARNING console_level = logging.INFO cls._notes = namedtuple('_notes', ['timestamp', 'notes']) cls._notes.timestamp = [] cls._notes.notes = [] cls.logname = '{} | {}'.format(cls.__module__, cls.__name__) root_logger = logging.getLogger() cls._log = logging.getLogger('BAC0') if not len(root_logger.handlers): root_logger.addHandler(cls._log) ch = logging.StreamHandler() ch.set_name('stderr') ch2 = logging.StreamHandler(sys.stdout) ch2.set_name('stdout') ch.setLevel(console_level) ch2.setLevel(logging.CRITICAL) formatter = logging.Formatter('{asctime} - {levelname:<8}| {message}', style='{') _PERMISSION_TO_WRITE = True logUserPath = expanduser('~') logSaveFilePath = join(logUserPath, '.BAC0') logFile = join(logSaveFilePath, 'BAC0.log') if not os.path.exists(logSaveFilePath): try: os.makedirs(logSaveFilePath) except: _PERMISSION_TO_WRITE = False if _PERMISSION_TO_WRITE: fh = FileHandler(logFile) fh.set_name('file_handler') fh.setLevel(file_level) fh.setFormatter(formatter) ch.setFormatter(formatter) ch2.setFormatter(formatter) if not len(cls._log.handlers): if _PERMISSION_TO_WRITE: cls._log.addHandler(fh) cls._log.addHandler(ch) cls._log.addHandler(ch2) def x(self, title, args=None, width=35): cls._log.debug('') cls._log.debug('#' * width) cls._log.debug('# {}'.format(title)) cls._log.debug('#' * width) if args: cls._log.debug('{!r}'.format(args)) cls._log.debug('#' * 35) def x(self, subtitle, args=None, width=35): cls._log.debug('') cls._log.debug('=' * width) cls._log.debug('{}'.format(subtitle)) cls._log.debug('=' * width) if args: cls._log.debug('{!r}'.format(args)) cls._log.debug('=' * width) def x(self, note, *, level=logging.DEBUG): if not note: raise ValueError('Provide something to log') note = '{} | {}'.format(cls.logname, note) cls._log.log(level, note) def x(self, note, *, level=logging.INFO, log=True): if not note: raise ValueError('Provide something to log') note = '{} | {}'.format(cls.logname, note) cls._notes.timestamp.append(datetime.now()) cls._notes.notes.append(note) if log: cls.log(level, note) @property def x(self): if not _PANDAS: return dict(zip(self._notes.timestamp, self._notes.notes)) return pd.Series(self._notes.notes, index=self._notes.timestamp) def x(self): cls._notes.timestamp = [] cls._notes.notes = [] cls.clear_notes = clear_notes cls.note = note cls.notes = notes cls.log = log cls.log_title = log_title cls.log_subtitle = log_subtitle return cls
note_and_log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n if hasattr(cls, 'DEBUG_LEVEL'):\n if cls.DEBUG_LEVEL == 'debug':\n file_level = logging.DEBUG\n console_level = logging.DEBUG\n elif cls.DEBUG_LEVEL == 'info':\n file_level = logging.INFO\n console_level = logging.INFO\n else:\n file_level = logging.WARNING\n console_level = logging.INFO\n cls._notes = namedtuple('_notes', ['timestamp', 'notes'])\n cls._notes.timestamp = []\n cls._notes.notes = []\n cls.logname = '{} | {}'.format(cls.__module__, cls.__name__)\n root_logger = logging.getLogger()\n cls._log = logging.getLogger('BAC0')\n if not len(root_logger.handlers):\n root_logger.addHandler(cls._log)\n ch = logging.StreamHandler()\n ch.set_name('stderr')\n ch2 = logging.StreamHandler(sys.stdout)\n ch2.set_name('stdout')\n ch.setLevel(console_level)\n ch2.setLevel(logging.CRITICAL)\n formatter = logging.Formatter('{asctime} - {levelname:<8}| {message}',\n style='{')\n _PERMISSION_TO_WRITE = True\n logUserPath = expanduser('~')\n logSaveFilePath = join(logUserPath, '.BAC0')\n logFile = join(logSaveFilePath, 'BAC0.log')\n if not os.path.exists(logSaveFilePath):\n try:\n os.makedirs(logSaveFilePath)\n except:\n _PERMISSION_TO_WRITE = False\n if _PERMISSION_TO_WRITE:\n fh = FileHandler(logFile)\n fh.set_name('file_handler')\n fh.setLevel(file_level)\n fh.setFormatter(formatter)\n ch.setFormatter(formatter)\n ch2.setFormatter(formatter)\n if not len(cls._log.handlers):\n if _PERMISSION_TO_WRITE:\n cls._log.addHandler(fh)\n cls._log.addHandler(ch)\n cls._log.addHandler(ch2)\n\n def x(self, title, args=None, width=35):\n cls._log.debug('')\n cls._log.debug('#' * width)\n cls._log.debug('# {}'.format(title))\n cls._log.debug('#' * width)\n if args:\n cls._log.debug('{!r}'.format(args))\n cls._log.debug('#' * 35)\n\n def x(self, subtitle, args=None, width=35):\n cls._log.debug('')\n cls._log.debug('=' * width)\n cls._log.debug('{}'.format(subtitle))\n cls._log.debug('=' * width)\n if args:\n cls._log.debug('{!r}'.format(args))\n cls._log.debug('=' * width)\n\n def x(self, note, *, level=logging.DEBUG):\n if not note:\n raise ValueError('Provide something to log')\n note = '{} | {}'.format(cls.logname, note)\n cls._log.log(level, note)\n\n def x(self, note, *, level=logging.INFO, log=True):\n if not note:\n raise ValueError('Provide something to log')\n note = '{} | {}'.format(cls.logname, note)\n cls._notes.timestamp.append(datetime.now())\n cls._notes.notes.append(note)\n if log:\n cls.log(level, note)\n\n @property\n def x(self):\n if not _PANDAS:\n return dict(zip(self._notes.timestamp, self._notes.notes))\n return pd.Series(self._notes.notes, index=self._notes.timestamp)\n\n def x(self):\n cls._notes.timestamp = []\n cls._notes.notes = []\n cls.clear_notes = clear_notes\n cls.note = note\n cls.notes = notes\n cls.log = log\n cls.log_title = log_title\n cls.log_subtitle = log_subtitle\n return cls\n", "role": "user" }, { "content": "note_and_log", "role": "assistant" } ]
def x(bacnetapp, address, devID): pss = bacnetapp.read('{} device {} protocolServicesSupported'.format( address, devID)) deviceName = bacnetapp.read('{} device {} objectName'.format(address, devID)) objList = bacnetapp.read('{} device {] objectList'.format(address, devID)) newLine = [] result = [] points = [] for pointType, pointAddr in objList: if 'binary' in pointType: newLine = [pointType, pointAddr] infos = bacnetapp.readMultiple( '{} {} {} objectName description presentValue inactiveText activeText' .format(address, pointType, pointAddr)) newLine.extend(infos[:-2]) newLine.extend([infos[-2:]]) newPoint = BooleanPoint(pointType=newLine[0], pointAddress= newLine[1], pointName=newLine[2], description=newLine[3], presentValue=newLine[4], units_state=newLine[5]) elif 'multiState' in pointType: newLine = [pointType, pointAddr] newLine.extend(bacnetapp.readMultiple( '{} {} {} objectName description presentValue stateText'. format(address, pointType, pointAddr))) newPoint = EnumPoint(pointType=newLine[0], pointAddress=newLine [1], pointName=newLine[2], description=newLine[3], presentValue=newLine[4], units_state=newLine[5]) elif 'analog' in pointType: newLine = [pointType, pointAddr] newLine.extend(bacnetapp.readMultiple( '{} {} {} objectName description presentValue units'.format (address, pointType, pointAddr))) newPoint = NumericPoint(pointType=newLine[0], pointAddress= newLine[1], pointName=newLine[2], description=newLine[3], presentValue=newLine[4], units_state=newLine[5]) else: continue result.append(newLine) points.append(newPoint) if _PANDA: df = pd.DataFrame(result, columns=['pointType', 'pointAddress', 'pointName', 'description', 'presentValue', 'units_state'] ).set_index(['pointName']) else: df = result return deviceName, pss, objList, df, points
discoverPoints
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(bacnetapp, address, devID):\n pss = bacnetapp.read('{} device {} protocolServicesSupported'.format(\n address, devID))\n deviceName = bacnetapp.read('{} device {} objectName'.format(address,\n devID))\n objList = bacnetapp.read('{} device {] objectList'.format(address, devID))\n newLine = []\n result = []\n points = []\n for pointType, pointAddr in objList:\n if 'binary' in pointType:\n newLine = [pointType, pointAddr]\n infos = bacnetapp.readMultiple(\n '{} {} {} objectName description presentValue inactiveText activeText'\n .format(address, pointType, pointAddr))\n newLine.extend(infos[:-2])\n newLine.extend([infos[-2:]])\n newPoint = BooleanPoint(pointType=newLine[0], pointAddress=\n newLine[1], pointName=newLine[2], description=newLine[3],\n presentValue=newLine[4], units_state=newLine[5])\n elif 'multiState' in pointType:\n newLine = [pointType, pointAddr]\n newLine.extend(bacnetapp.readMultiple(\n '{} {} {} objectName description presentValue stateText'.\n format(address, pointType, pointAddr)))\n newPoint = EnumPoint(pointType=newLine[0], pointAddress=newLine\n [1], pointName=newLine[2], description=newLine[3],\n presentValue=newLine[4], units_state=newLine[5])\n elif 'analog' in pointType:\n newLine = [pointType, pointAddr]\n newLine.extend(bacnetapp.readMultiple(\n '{} {} {} objectName description presentValue units'.format\n (address, pointType, pointAddr)))\n newPoint = NumericPoint(pointType=newLine[0], pointAddress=\n newLine[1], pointName=newLine[2], description=newLine[3],\n presentValue=newLine[4], units_state=newLine[5])\n else:\n continue\n result.append(newLine)\n points.append(newPoint)\n if _PANDA:\n df = pd.DataFrame(result, columns=['pointType', 'pointAddress',\n 'pointName', 'description', 'presentValue', 'units_state']\n ).set_index(['pointName'])\n else:\n df = result\n return deviceName, pss, objList, df, points\n", "role": "user" }, { "content": "discoverPoints", "role": "assistant" } ]
def x(self, previous): if isinstance(previous, CubicBezier): return (self.start == previous.end and self.control1 - self.start == previous.end - previous.control2) else: return self.control1 == self.start
is_smooth_from
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, previous):\n if isinstance(previous, CubicBezier):\n return (self.start == previous.end and self.control1 - self.start ==\n previous.end - previous.control2)\n else:\n return self.control1 == self.start\n", "role": "user" }, { "content": "is_smooth_from", "role": "assistant" } ]
def x(self, pos): return (1 - pos) ** 3 * self.start + 3 * (1 - pos ) ** 2 * pos * self.control1 + 3 * (1 - pos ) * pos ** 2 * self.control2 + pos ** 3 * self.end
point
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pos):\n return (1 - pos) ** 3 * self.start + 3 * (1 - pos\n ) ** 2 * pos * self.control1 + 3 * (1 - pos\n ) * pos ** 2 * self.control2 + pos ** 3 * self.end\n", "role": "user" }, { "content": "point", "role": "assistant" } ]
def x(self, error=ERROR, min_depth=MIN_DEPTH): start_point = self.point(0) end_point = self.point(1) return segment_length(self, 0, 1, start_point, end_point, error, min_depth, 0)
length
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, error=ERROR, min_depth=MIN_DEPTH):\n start_point = self.point(0)\n end_point = self.point(1)\n return segment_length(self, 0, 1, start_point, end_point, error,\n min_depth, 0)\n", "role": "user" }, { "content": "length", "role": "assistant" } ]
def x(self, previous): if isinstance(previous, QuadraticBezier): return (self.start == previous.end and self.control - self.start == previous.end - previous.control) else: return self.control == self.start
is_smooth_from
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, previous):\n if isinstance(previous, QuadraticBezier):\n return (self.start == previous.end and self.control - self.start ==\n previous.end - previous.control)\n else:\n return self.control == self.start\n", "role": "user" }, { "content": "is_smooth_from", "role": "assistant" } ]
def x(self, blueprint, **options): first_registration = False if blueprint.name in self.blueprints: assert self.blueprints[blueprint.name ] is blueprint, 'A blueprint\'s name collision occurred between %r and %r. Both share the same name "%s". Blueprints that are created on the fly need unique names.' % ( blueprint, self.blueprints[blueprint.name], blueprint.name) else: self.blueprints[blueprint.name] = blueprint first_registration = True blueprint.register(self, options, first_registration)
register_blueprint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, blueprint, **options):\n first_registration = False\n if blueprint.name in self.blueprints:\n assert self.blueprints[blueprint.name\n ] is blueprint, 'A blueprint\\'s name collision occurred between %r and %r. Both share the same name \"%s\". Blueprints that are created on the fly need unique names.' % (\n blueprint, self.blueprints[blueprint.name], blueprint.name)\n else:\n self.blueprints[blueprint.name] = blueprint\n first_registration = True\n blueprint.register(self, options, first_registration)\n", "role": "user" }, { "content": "register_blueprint", "role": "assistant" } ]
def x(filename, lineno, name): line = linecache.getline(filename, lineno) rx = re.compile('\\b%s\\b' % re.escape(name) if name != '*' else '[*]') while line and not rx.search(line): lineno += 1 line = linecache.getline(filename, lineno) return lineno
adjust_lineno
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, lineno, name):\n line = linecache.getline(filename, lineno)\n rx = re.compile('\\\\b%s\\\\b' % re.escape(name) if name != '*' else '[*]')\n while line and not rx.search(line):\n lineno += 1\n line = linecache.getline(filename, lineno)\n return lineno\n", "role": "user" }, { "content": "adjust_lineno", "role": "assistant" } ]
def x(filename): with open(filename) as f: root = ast.parse(f.read(), filename) visitor = ImportFinder(filename) visitor.visit(root) return visitor.imports
find_imports
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n with open(filename) as f:\n root = ast.parse(f.read(), filename)\n visitor = ImportFinder(filename)\n visitor.visit(root)\n return visitor.imports\n", "role": "user" }, { "content": "find_imports", "role": "assistant" } ]
def x(filename, warn_about_duplicates=False, verbose=False): with open(filename) as f: root = ast.parse(f.read(), filename) visitor = ImportFinderAndNameTracker(filename) visitor.warn_about_duplicates = warn_about_duplicates visitor.verbose = verbose visitor.visit(root) visitor.leaveAllScopes() return visitor.imports, visitor.unused_names
find_imports_and_track_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, warn_about_duplicates=False, verbose=False):\n with open(filename) as f:\n root = ast.parse(f.read(), filename)\n visitor = ImportFinderAndNameTracker(filename)\n visitor.warn_about_duplicates = warn_about_duplicates\n visitor.verbose = verbose\n visitor.visit(root)\n visitor.leaveAllScopes()\n return visitor.imports, visitor.unused_names\n", "role": "user" }, { "content": "find_imports_and_track_names", "role": "assistant" } ]
def x(self, pathname): if os.path.isdir(pathname): for root, dirs, files in os.walk(pathname): dirs.sort() files.sort() for fn in files: if fn.endswith('.py') and not fn.startswith('.#'): self.parseFile(os.path.join(root, fn)) elif pathname.endswith('.importcache'): self.readCache(pathname) else: self.parseFile(pathname)
parsePathname
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pathname):\n if os.path.isdir(pathname):\n for root, dirs, files in os.walk(pathname):\n dirs.sort()\n files.sort()\n for fn in files:\n if fn.endswith('.py') and not fn.startswith('.#'):\n self.parseFile(os.path.join(root, fn))\n elif pathname.endswith('.importcache'):\n self.readCache(pathname)\n else:\n self.parseFile(pathname)\n", "role": "user" }, { "content": "parsePathname", "role": "assistant" } ]
def x(self, filename): with open(filename, 'wb') as f: pickle.dump(self.modules, f)
writeCache
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n with open(filename, 'wb') as f:\n pickle.dump(self.modules, f)\n", "role": "user" }, { "content": "writeCache", "role": "assistant" } ]
def x(self, filename): with open(filename, 'rb') as f: self.modules = pickle.load(f)
readCache
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n with open(filename, 'rb') as f:\n self.modules = pickle.load(f)\n", "role": "user" }, { "content": "readCache", "role": "assistant" } ]
def x(self, filename): modname = self.filenameToModname(filename) module = Module(modname, filename) self.modules[modname] = module if self.trackUnusedNames: module.imported_names, module.unused_names = ( find_imports_and_track_names(filename, self. warn_about_duplicates, self.verbose)) else: module.imported_names = find_imports(filename) module.unused_names = None dir = os.path.dirname(filename) module.imports = set([self.findModuleOfName(imp.name, imp.level, filename, dir) for imp in module.imported_names])
parseFile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n modname = self.filenameToModname(filename)\n module = Module(modname, filename)\n self.modules[modname] = module\n if self.trackUnusedNames:\n module.imported_names, module.unused_names = (\n find_imports_and_track_names(filename, self.\n warn_about_duplicates, self.verbose))\n else:\n module.imported_names = find_imports(filename)\n module.unused_names = None\n dir = os.path.dirname(filename)\n module.imports = set([self.findModuleOfName(imp.name, imp.level,\n filename, dir) for imp in module.imported_names])\n", "role": "user" }, { "content": "parseFile", "role": "assistant" } ]
def x(self, filename): for ext in reversed(self._exts): if filename.endswith(ext): filename = filename[:-len(ext)] break else: self.warn(filename, '%s: unknown file name extension', filename) filename = os.path.abspath(filename) elements = filename.split(os.path.sep) modname = [] while elements: modname.append(elements[-1]) del elements[-1] if not os.path.exists(os.path.sep.join(elements + ['__init__.py'])): break modname.reverse() modname = '.'.join(modname) return modname
filenameToModname
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n for ext in reversed(self._exts):\n if filename.endswith(ext):\n filename = filename[:-len(ext)]\n break\n else:\n self.warn(filename, '%s: unknown file name extension', filename)\n filename = os.path.abspath(filename)\n elements = filename.split(os.path.sep)\n modname = []\n while elements:\n modname.append(elements[-1])\n del elements[-1]\n if not os.path.exists(os.path.sep.join(elements + ['__init__.py'])):\n break\n modname.reverse()\n modname = '.'.join(modname)\n return modname\n", "role": "user" }, { "content": "filenameToModname", "role": "assistant" } ]
def x(self, dotted_name, level, filename, extrapath=None): if dotted_name.endswith('.*'): return dotted_name[:-2] name = dotted_name if level and level > 1 and extrapath: extrapath = extrapath.split(os.path.sep) level -= 1 extrapath = extrapath[0:-level] extrapath = os.path.sep.join(extrapath) while name: candidate = self.isModule(name, extrapath) if candidate: return candidate candidate = self.isPackage(name, extrapath) if candidate: return candidate name = name[:name.rfind('.')] self.warn(dotted_name, '%s: could not find %s', filename, dotted_name) return dotted_name
findModuleOfName
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dotted_name, level, filename, extrapath=None):\n if dotted_name.endswith('.*'):\n return dotted_name[:-2]\n name = dotted_name\n if level and level > 1 and extrapath:\n extrapath = extrapath.split(os.path.sep)\n level -= 1\n extrapath = extrapath[0:-level]\n extrapath = os.path.sep.join(extrapath)\n while name:\n candidate = self.isModule(name, extrapath)\n if candidate:\n return candidate\n candidate = self.isPackage(name, extrapath)\n if candidate:\n return candidate\n name = name[:name.rfind('.')]\n self.warn(dotted_name, '%s: could not find %s', filename, dotted_name)\n return dotted_name\n", "role": "user" }, { "content": "findModuleOfName", "role": "assistant" } ]
def x(self, dotted_name, extrapath=None): try: return self._module_cache[dotted_name, extrapath] except KeyError: pass if dotted_name in sys.modules or dotted_name in self.builtin_modules: return dotted_name filename = dotted_name.replace('.', os.path.sep) if extrapath: for ext in self._exts: candidate = os.path.join(extrapath, filename) + ext if os.path.exists(candidate): modname = self.filenameToModname(candidate) self._module_cache[dotted_name, extrapath] = modname return modname try: return self._module_cache[dotted_name, None] except KeyError: pass for dir in self.path: if os.path.isfile(dir): if dir.endswith('.egg-info'): continue try: zf = zipfile.ZipFile(dir) except zipfile.BadZipfile: self.warn(dir, '%s: not a directory or zip file', dir) continue names = zf.namelist() for ext in self._exts: candidate = filename + ext if candidate in names: modname = filename.replace(os.path.sep, '.') self._module_cache[dotted_name, extrapath] = modname self._module_cache[dotted_name, None] = modname return modname else: for ext in self._exts: candidate = os.path.join(dir, filename) + ext if os.path.exists(candidate): modname = self.filenameToModname(candidate) self._module_cache[dotted_name, extrapath] = modname self._module_cache[dotted_name, None] = modname return modname return None
isModule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dotted_name, extrapath=None):\n try:\n return self._module_cache[dotted_name, extrapath]\n except KeyError:\n pass\n if dotted_name in sys.modules or dotted_name in self.builtin_modules:\n return dotted_name\n filename = dotted_name.replace('.', os.path.sep)\n if extrapath:\n for ext in self._exts:\n candidate = os.path.join(extrapath, filename) + ext\n if os.path.exists(candidate):\n modname = self.filenameToModname(candidate)\n self._module_cache[dotted_name, extrapath] = modname\n return modname\n try:\n return self._module_cache[dotted_name, None]\n except KeyError:\n pass\n for dir in self.path:\n if os.path.isfile(dir):\n if dir.endswith('.egg-info'):\n continue\n try:\n zf = zipfile.ZipFile(dir)\n except zipfile.BadZipfile:\n self.warn(dir, '%s: not a directory or zip file', dir)\n continue\n names = zf.namelist()\n for ext in self._exts:\n candidate = filename + ext\n if candidate in names:\n modname = filename.replace(os.path.sep, '.')\n self._module_cache[dotted_name, extrapath] = modname\n self._module_cache[dotted_name, None] = modname\n return modname\n else:\n for ext in self._exts:\n candidate = os.path.join(dir, filename) + ext\n if os.path.exists(candidate):\n modname = self.filenameToModname(candidate)\n self._module_cache[dotted_name, extrapath] = modname\n self._module_cache[dotted_name, None] = modname\n return modname\n return None\n", "role": "user" }, { "content": "isModule", "role": "assistant" } ]
def x(self, dotted_name, extrapath=None): candidate = self.isModule(dotted_name + '.__init__', extrapath) if candidate: candidate = candidate[:-len('.__init__')] return candidate
isPackage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dotted_name, extrapath=None):\n candidate = self.isModule(dotted_name + '.__init__', extrapath)\n if candidate:\n candidate = candidate[:-len('.__init__')]\n return candidate\n", "role": "user" }, { "content": "isPackage", "role": "assistant" } ]
def x(self, dotted_name, packagelevel=None): if '.' not in dotted_name: return dotted_name if not self.isPackage(dotted_name): dotted_name = '.'.join(dotted_name.split('.')[:-1]) if packagelevel: dotted_name = '.'.join(dotted_name.split('.')[:packagelevel]) return dotted_name
packageOf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dotted_name, packagelevel=None):\n if '.' not in dotted_name:\n return dotted_name\n if not self.isPackage(dotted_name):\n dotted_name = '.'.join(dotted_name.split('.')[:-1])\n if packagelevel:\n dotted_name = '.'.join(dotted_name.split('.')[:packagelevel])\n return dotted_name\n", "role": "user" }, { "content": "packageOf", "role": "assistant" } ]
def x(self): modules = list(self.modules.items()) modules.sort() return [module for name, module in modules]
listModules
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n modules = list(self.modules.items())\n modules.sort()\n return [module for name, module in modules]\n", "role": "user" }, { "content": "listModules", "role": "assistant" } ]
def x(self, packagelevel=None): packages = {} for module in self.listModules(): package_name = self.packageOf(module.modname, packagelevel) if package_name not in packages: dirname = os.path.dirname(module.filename) packages[package_name] = Module(package_name, dirname) package = packages[package_name] for name in module.imports: package_name = self.packageOf(name, packagelevel) if package_name != package.modname: package.imports.add(package_name) graph = ModuleGraph() graph.modules = packages return graph
packageGraph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, packagelevel=None):\n packages = {}\n for module in self.listModules():\n package_name = self.packageOf(module.modname, packagelevel)\n if package_name not in packages:\n dirname = os.path.dirname(module.filename)\n packages[package_name] = Module(package_name, dirname)\n package = packages[package_name]\n for name in module.imports:\n package_name = self.packageOf(name, packagelevel)\n if package_name != package.modname:\n package.imports.add(package_name)\n graph = ModuleGraph()\n graph.modules = packages\n return graph\n", "role": "user" }, { "content": "packageGraph", "role": "assistant" } ]
def x(self): imports = {} for u in self.modules: imports[u] = set() for v in self.modules[u].imports: if v in self.modules: imports[u].add(v) visited = {} for u in self.modules: visited[u] = False order = [] def x(u): visited[u] = True for v in imports[u]: if not visited[v]: visit1(v) order.append(u) for u in self.modules: if not visited[u]: visit1(u) order.reverse() revimports = {} for u in self.modules: revimports[u] = set() for u in self.modules: for v in imports[u]: revimports[v].add(u) components = {} component_of = {} for u in self.modules: visited[u] = False def x(u): visited[u] = True component.append(u) for v in revimports[u]: if not visited[v]: visit2(v) for u in order: if not visited[u]: component = [] visit2(u) component.sort() node = ModuleCycle(component) components[node.modname] = node for modname in component: component_of[modname] = node for node in components.values(): for modname in node.modnames: for impname in imports[modname]: other = component_of[impname].modname if other != node.modname: node.imports.add(other) graph = ModuleGraph() graph.modules = components return graph
collapseCycles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n imports = {}\n for u in self.modules:\n imports[u] = set()\n for v in self.modules[u].imports:\n if v in self.modules:\n imports[u].add(v)\n visited = {}\n for u in self.modules:\n visited[u] = False\n order = []\n\n def x(u):\n visited[u] = True\n for v in imports[u]:\n if not visited[v]:\n visit1(v)\n order.append(u)\n for u in self.modules:\n if not visited[u]:\n visit1(u)\n order.reverse()\n revimports = {}\n for u in self.modules:\n revimports[u] = set()\n for u in self.modules:\n for v in imports[u]:\n revimports[v].add(u)\n components = {}\n component_of = {}\n for u in self.modules:\n visited[u] = False\n\n def x(u):\n visited[u] = True\n component.append(u)\n for v in revimports[u]:\n if not visited[v]:\n visit2(v)\n for u in order:\n if not visited[u]:\n component = []\n visit2(u)\n component.sort()\n node = ModuleCycle(component)\n components[node.modname] = node\n for modname in component:\n component_of[modname] = node\n for node in components.values():\n for modname in node.modnames:\n for impname in imports[modname]:\n other = component_of[impname].modname\n if other != node.modname:\n node.imports.add(other)\n graph = ModuleGraph()\n graph.modules = components\n return graph\n", "role": "user" }, { "content": "collapseCycles", "role": "assistant" } ]
def x(self): for module in self.listModules(): print('%s:' % module.modname) print(' %s' % '\n '.join(imp.name for imp in module.imported_names))
printImportedNames
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for module in self.listModules():\n print('%s:' % module.modname)\n print(' %s' % '\\n '.join(imp.name for imp in module.imported_names))\n", "role": "user" }, { "content": "printImportedNames", "role": "assistant" } ]
def x(self): for module in self.listModules(): print('%s:' % module.label) if self.external_dependencies: imports = list(module.imports) else: imports = [modname for modname in module.imports if modname in self.modules] imports.sort() print(' %s' % '\n '.join(imports))
printImports
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for module in self.listModules():\n print('%s:' % module.label)\n if self.external_dependencies:\n imports = list(module.imports)\n else:\n imports = [modname for modname in module.imports if modname in\n self.modules]\n imports.sort()\n print(' %s' % '\\n '.join(imports))\n", "role": "user" }, { "content": "printImports", "role": "assistant" } ]
def x(self): for module in self.listModules(): names = [(unused.lineno, unused.name) for unused in module.unused_names ] names.sort() for lineno, name in names: if not self.all_unused: line = linecache.getline(module.filename, lineno) if '#' in line: continue print('%s:%s: %s not used' % (module.filename, lineno, name))
printUnusedImports
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for module in self.listModules():\n names = [(unused.lineno, unused.name) for unused in module.unused_names\n ]\n names.sort()\n for lineno, name in names:\n if not self.all_unused:\n line = linecache.getline(module.filename, lineno)\n if '#' in line:\n continue\n print('%s:%s: %s not used' % (module.filename, lineno, name))\n", "role": "user" }, { "content": "printUnusedImports", "role": "assistant" } ]
def x(self): print('digraph ModuleDependencies {') print(' node[shape=box];') allNames = set() nameDict = {} for n, module in enumerate(self.listModules()): module._dot_name = 'mod%d' % n nameDict[module.modname] = module._dot_name print(' %s[label="%s"];' % (module._dot_name, quote(module.label))) allNames |= module.imports print(' node[style=dotted];') if self.external_dependencies: myNames = set(self.modules) extNames = list(allNames - myNames) extNames.sort() for n, name in enumerate(extNames): nameDict[name] = id = 'extmod%d' % n print(' %s[label="%s"];' % (id, name)) for modname, module in sorted(self.modules.items()): for other in sorted(module.imports): if other in nameDict: print(' %s -> %s;' % (nameDict[module.modname], nameDict[ other])) print('}')
printDot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n print('digraph ModuleDependencies {')\n print(' node[shape=box];')\n allNames = set()\n nameDict = {}\n for n, module in enumerate(self.listModules()):\n module._dot_name = 'mod%d' % n\n nameDict[module.modname] = module._dot_name\n print(' %s[label=\"%s\"];' % (module._dot_name, quote(module.label)))\n allNames |= module.imports\n print(' node[style=dotted];')\n if self.external_dependencies:\n myNames = set(self.modules)\n extNames = list(allNames - myNames)\n extNames.sort()\n for n, name in enumerate(extNames):\n nameDict[name] = id = 'extmod%d' % n\n print(' %s[label=\"%s\"];' % (id, name))\n for modname, module in sorted(self.modules.items()):\n for other in sorted(module.imports):\n if other in nameDict:\n print(' %s -> %s;' % (nameDict[module.modname], nameDict[\n other]))\n print('}')\n", "role": "user" }, { "content": "printDot", "role": "assistant" } ]
def x(text): text = unicode(text) return text.translate({ord('&'): u'&amp;', ord('<'): u'&lt;', ord('"'): u'&quot;', ord('>'): u'&gt;', ord('@'): u'&#64;', (160): u'&nbsp;'})
quote
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n text = unicode(text)\n return text.translate({ord('&'): u'&amp;', ord('<'): u'&lt;', ord('\"'):\n u'&quot;', ord('>'): u'&gt;', ord('@'): u'&#64;', (160): u'&nbsp;'})\n", "role": "user" }, { "content": "quote", "role": "assistant" } ]
def x(ctx): for tag, info in _TAGS.items(): class_name = tag.title() quote_, compact, self_closing, docs = info def x(self, *childs, **attrs): TagBase.__init__(self, childs, attrs) cls = type(class_name, (TagBase,), {'__doc__': docs, '__init__': __init__}) cls.QUOTE = quote_ cls.COMPACT = compact cls.SELF_CLOSING = self_closing ctx[class_name] = cls
create_tags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx):\n for tag, info in _TAGS.items():\n class_name = tag.title()\n quote_, compact, self_closing, docs = info\n\n def x(self, *childs, **attrs):\n TagBase.__init__(self, childs, attrs)\n cls = type(class_name, (TagBase,), {'__doc__': docs, '__init__':\n __init__})\n cls.QUOTE = quote_\n cls.COMPACT = compact\n cls.SELF_CLOSING = self_closing\n ctx[class_name] = cls\n", "role": "user" }, { "content": "create_tags", "role": "assistant" } ]
def x(el): tag = el.tag namespace = None if tag.startswith('{'): namespace, tag = tag[1:].split('}') try: cls = globals()[tag.title()] if not issubclass(cls, TagBase): raise KeyError() except KeyError: raise ValueError("TagBase doesn't have a subclass for '%s'." % tag) children = [tag_from_element(c) for c in el] tag = cls(*children, **el.attrib) tag.text = el.text tag.tail = el.tail if namespace: tag.attrib['xmlns'] = namespace return tag
tag_from_element
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(el):\n tag = el.tag\n namespace = None\n if tag.startswith('{'):\n namespace, tag = tag[1:].split('}')\n try:\n cls = globals()[tag.title()]\n if not issubclass(cls, TagBase):\n raise KeyError()\n except KeyError:\n raise ValueError(\"TagBase doesn't have a subclass for '%s'.\" % tag)\n children = [tag_from_element(c) for c in el]\n tag = cls(*children, **el.attrib)\n tag.text = el.text\n tag.tail = el.tail\n if namespace:\n tag.attrib['xmlns'] = namespace\n return tag\n", "role": "user" }, { "content": "tag_from_element", "role": "assistant" } ]
def x(code): code = ('<div>' + code + '</div>').encode('utf8') el = ET.fromstring(code) return [tag_from_element(c) for c in el]
html_to_tags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(code):\n code = ('<div>' + code + '</div>').encode('utf8')\n el = ET.fromstring(code)\n return [tag_from_element(c) for c in el]\n", "role": "user" }, { "content": "html_to_tags", "role": "assistant" } ]
def x(self): fields = self.settings.math_output.split(None, 1) name = fields[0].lower() option = fields[1] if len(fields) > 1 else None if name == 'html': option = self.settings.math_css or option self.math_handler = HTMLMathHandler(css_filename=option) elif name == 'mathml': if option: raise ValueError(('Math handler "%s" does not support ' + 'option "%s".') % (name, option)) self.math_handler = MathMLMathHandler() elif name == 'mathjax': js_url = option config = None if self.settings.mathjax_opts: parts = self.settings.mathjax_opts.split(',') options = dict(part.split('=', 1) for part in parts) js_url = options.get('url', js_url) config = options.get('config', config) js_url = self.settings.mathjax_url or js_url config = self.settings.mathjax_config or config self.math_handler = MathJaxMathHandler(js_url=js_url, config_filename=config) elif name == 'latex': if option: raise ValueError(('Math handler "%s" does not support ' + 'option "%s".') % (name, option)) self.math_handler = LaTeXMathHandler() else: raise ValueError('Unknown math handler "%s".' % name)
init_math_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n fields = self.settings.math_output.split(None, 1)\n name = fields[0].lower()\n option = fields[1] if len(fields) > 1 else None\n if name == 'html':\n option = self.settings.math_css or option\n self.math_handler = HTMLMathHandler(css_filename=option)\n elif name == 'mathml':\n if option:\n raise ValueError(('Math handler \"%s\" does not support ' +\n 'option \"%s\".') % (name, option))\n self.math_handler = MathMLMathHandler()\n elif name == 'mathjax':\n js_url = option\n config = None\n if self.settings.mathjax_opts:\n parts = self.settings.mathjax_opts.split(',')\n options = dict(part.split('=', 1) for part in parts)\n js_url = options.get('url', js_url)\n config = options.get('config', config)\n js_url = self.settings.mathjax_url or js_url\n config = self.settings.mathjax_config or config\n self.math_handler = MathJaxMathHandler(js_url=js_url,\n config_filename=config)\n elif name == 'latex':\n if option:\n raise ValueError(('Math handler \"%s\" does not support ' +\n 'option \"%s\".') % (name, option))\n self.math_handler = LaTeXMathHandler()\n else:\n raise ValueError('Unknown math handler \"%s\".' % name)\n", "role": "user" }, { "content": "init_math_handler", "role": "assistant" } ]
def x(self): for style in utils.get_stylesheet_list(self.settings): self.css(style)
append_default_stylesheets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for style in utils.get_stylesheet_list(self.settings):\n self.css(style)\n", "role": "user" }, { "content": "append_default_stylesheets", "role": "assistant" } ]
def x(self, path): if self.settings.embed_content: content = codecs.open(path, 'r', encoding='utf8').read() tag = Style(content, type='text/css') else: tag = Link(href=path, rel='stylesheet', type_='text/css') self.head.append(tag)
css
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n if self.settings.embed_content:\n content = codecs.open(path, 'r', encoding='utf8').read()\n tag = Style(content, type='text/css')\n else:\n tag = Link(href=path, rel='stylesheet', type_='text/css')\n self.head.append(tag)\n", "role": "user" }, { "content": "css", "role": "assistant" } ]
def x(args): res = [] for x in args: if isinstance(x, tuple) and len(x) == 2: key, value = x res += ['%s=%s' % (key, repr_arg(value))] else: res += [repr_arg(x)] return ', '.join(res)
repr_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n res = []\n for x in args:\n if isinstance(x, tuple) and len(x) == 2:\n key, value = x\n res += ['%s=%s' % (key, repr_arg(value))]\n else:\n res += [repr_arg(x)]\n return ', '.join(res)\n", "role": "user" }, { "content": "repr_args", "role": "assistant" } ]
def x(d): if isinstance(d, dict): return '{%s}' % ', '.join('%s: %s' % (repr_arg(k), repr_arg(v)) for k, v in d.items()) if isinstance(d, list): return '[%s]' % ', '.join(repr_arg(elem) for elem in d) if isinstance(d, unicode): try: return repr(d.encode('ascii')) except UnicodeEncodeError: return repr(d) return repr(d)
repr_arg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d):\n if isinstance(d, dict):\n return '{%s}' % ', '.join('%s: %s' % (repr_arg(k), repr_arg(v)) for\n k, v in d.items())\n if isinstance(d, list):\n return '[%s]' % ', '.join(repr_arg(elem) for elem in d)\n if isinstance(d, unicode):\n try:\n return repr(d.encode('ascii'))\n except UnicodeEncodeError:\n return repr(d)\n return repr(d)\n", "role": "user" }, { "content": "repr_arg", "role": "assistant" } ]
def x(args): res = [] for x in args: if isinstance(x, tuple) and len(x) == 2: key, value = x if value and str_arg(value): res += ['%s=%s' % (key, str_arg(value))] else: res += [str_arg(x)] return ', '.join(res)
str_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n res = []\n for x in args:\n if isinstance(x, tuple) and len(x) == 2:\n key, value = x\n if value and str_arg(value):\n res += ['%s=%s' % (key, str_arg(value))]\n else:\n res += [str_arg(x)]\n return ', '.join(res)\n", "role": "user" }, { "content": "str_args", "role": "assistant" } ]
def x(d): if not d: return None if isinstance(d, dict): if len(d) == 2 and d.get('type') == 'text' and 'value' in d: return str_arg(d['value']) if len(d) == 2 and d.get('type') == 'text' and 'subkey' in d: return '.%s' % d['subkey'] if d.get('type') == 'module': return None return '{%s}' % str_args(d.items()) if isinstance(d, list): if len(d) == 1: return str_arg(d[0]) return '[%s]' % ', '.join(str_arg(elem) for elem in d) if isinstance(d, unicode): return '"%s"' % d return repr(d)
str_arg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d):\n if not d:\n return None\n if isinstance(d, dict):\n if len(d) == 2 and d.get('type') == 'text' and 'value' in d:\n return str_arg(d['value'])\n if len(d) == 2 and d.get('type') == 'text' and 'subkey' in d:\n return '.%s' % d['subkey']\n if d.get('type') == 'module':\n return None\n return '{%s}' % str_args(d.items())\n if isinstance(d, list):\n if len(d) == 1:\n return str_arg(d[0])\n return '[%s]' % ', '.join(str_arg(elem) for elem in d)\n if isinstance(d, unicode):\n return '\"%s\"' % d\n return repr(d)\n", "role": "user" }, { "content": "str_arg", "role": "assistant" } ]
def x(context=None, _INPUT=None, conf=None, **kwargs): splits = yield asyncGetSplits(_INPUT, conf, **cdicts(opts, kwargs)) parsed = yield asyncDispatch(splits, *get_async_dispatch_funcs()) _OUTPUT = yield asyncStarMap(partial(maybeDeferred, parse_result), parsed) returnValue(iter(_OUTPUT))
asyncPipeHash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context=None, _INPUT=None, conf=None, **kwargs):\n splits = yield asyncGetSplits(_INPUT, conf, **cdicts(opts, kwargs))\n parsed = yield asyncDispatch(splits, *get_async_dispatch_funcs())\n _OUTPUT = yield asyncStarMap(partial(maybeDeferred, parse_result), parsed)\n returnValue(iter(_OUTPUT))\n", "role": "user" }, { "content": "asyncPipeHash", "role": "assistant" } ]
def x(context=None, _INPUT=None, conf=None, **kwargs): conf = DotDict(conf) limit = conf.get('count', func=int, **kwargs) for item in deque(_INPUT, limit): yield item
pipe_tail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context=None, _INPUT=None, conf=None, **kwargs):\n conf = DotDict(conf)\n limit = conf.get('count', func=int, **kwargs)\n for item in deque(_INPUT, limit):\n yield item\n", "role": "user" }, { "content": "pipe_tail", "role": "assistant" } ]
def x(graph): components = map(partial(_visit, graph=graph), graph) node_component = dict(_gen_node_component(components)) graph_component = {component: [] for component in components} graph_component.update(dict(_gen_graph_component(graph, node_component, _gen_graph_value))) return graph_component
get_graph_component
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph):\n components = map(partial(_visit, graph=graph), graph)\n node_component = dict(_gen_node_component(components))\n graph_component = {component: [] for component in components}\n graph_component.update(dict(_gen_graph_component(graph, node_component,\n _gen_graph_value)))\n return graph_component\n", "role": "user" }, { "content": "get_graph_component", "role": "assistant" } ]
def x(context=None, _INPUT=None, conf=None, **kwargs): splits = yield asyncGetSplits(_INPUT, conf['RULE'], **cdicts(opts, kwargs)) first = partial(maybeDeferred, convert_func) asyncFuncs = get_async_dispatch_funcs(first=first) parsed = yield asyncDispatch(splits, *asyncFuncs) _OUTPUT = yield asyncStarMap(asyncParseResult, parsed) returnValue(iter(_OUTPUT))
asyncPipeStrregex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context=None, _INPUT=None, conf=None, **kwargs):\n splits = yield asyncGetSplits(_INPUT, conf['RULE'], **cdicts(opts, kwargs))\n first = partial(maybeDeferred, convert_func)\n asyncFuncs = get_async_dispatch_funcs(first=first)\n parsed = yield asyncDispatch(splits, *asyncFuncs)\n _OUTPUT = yield asyncStarMap(asyncParseResult, parsed)\n returnValue(iter(_OUTPUT))\n", "role": "user" }, { "content": "asyncPipeStrregex", "role": "assistant" } ]
def x(context=None, _INPUT=None, conf=None, **kwargs): splits = get_splits(_INPUT, conf['RULE'], **cdicts(opts, kwargs)) parsed = utils.dispatch(splits, *get_dispatch_funcs(first=convert_func)) _OUTPUT = starmap(parse_result, parsed) return _OUTPUT
pipe_strregex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context=None, _INPUT=None, conf=None, **kwargs):\n splits = get_splits(_INPUT, conf['RULE'], **cdicts(opts, kwargs))\n parsed = utils.dispatch(splits, *get_dispatch_funcs(first=convert_func))\n _OUTPUT = starmap(parse_result, parsed)\n return _OUTPUT\n", "role": "user" }, { "content": "pipe_strregex", "role": "assistant" } ]
def x(pipe_def=None, pipe_generator=None): if pipe_def: pydeps = gen_dependencies(pipe_def) elif pipe_generator: pydeps = pipe_generator(Context(describe_dependencies=True)) else: raise Exception('Must supply at least one kwarg!') return sorted(set(pydeps))
extract_dependencies
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pipe_def=None, pipe_generator=None):\n if pipe_def:\n pydeps = gen_dependencies(pipe_def)\n elif pipe_generator:\n pydeps = pipe_generator(Context(describe_dependencies=True))\n else:\n raise Exception('Must supply at least one kwarg!')\n return sorted(set(pydeps))\n", "role": "user" }, { "content": "extract_dependencies", "role": "assistant" } ]
def x(pipe_def=None, pipe_generator=None): if pipe_def: pyinput = gen_input(pipe_def) elif pipe_generator: pyinput = pipe_generator(Context(describe_input=True)) else: raise Exception('Must supply at least one kwarg!') return sorted(list(pyinput))
extract_input
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pipe_def=None, pipe_generator=None):\n if pipe_def:\n pyinput = gen_input(pipe_def)\n elif pipe_generator:\n pyinput = pipe_generator(Context(describe_input=True))\n else:\n raise Exception('Must supply at least one kwarg!')\n return sorted(list(pyinput))\n", "role": "user" }, { "content": "extract_input", "role": "assistant" } ]
def x(id, encoding='ascii'): replace = {'-': '_', ':': '_', '/': '_'} func = lambda id, pair: id.replace(pair[0], pair[1]) id = reduce(func, replace.iteritems(), id) id = '_%s' % id if id[0] in string.digits else id return id.encode(encoding)
pythonise
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(id, encoding='ascii'):\n replace = {'-': '_', ':': '_', '/': '_'}\n func = lambda id, pair: id.replace(pair[0], pair[1])\n id = reduce(func, replace.iteritems(), id)\n id = '_%s' % id if id[0] in string.digits else id\n return id.encode(encoding)\n", "role": "user" }, { "content": "pythonise", "role": "assistant" } ]
def x(element): i = dict(element.items()) content = element.text.strip() if element.text else None i.update({'content': content}) if content else None if len(element.getchildren()): for child in element.iterchildren(): tag = child.tag.split('}', 1)[-1] new = etree_to_dict(child) content = _make_content(i, tag, new) i.update({tag: content}) if content else None tag = 'content' new = child.tail.strip() if child.tail else None content = _make_content(i, tag, new) i.update({tag: content}) if content else None elif content and not set(i).difference(['content']): i = content return i
etree_to_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(element):\n i = dict(element.items())\n content = element.text.strip() if element.text else None\n i.update({'content': content}) if content else None\n if len(element.getchildren()):\n for child in element.iterchildren():\n tag = child.tag.split('}', 1)[-1]\n new = etree_to_dict(child)\n content = _make_content(i, tag, new)\n i.update({tag: content}) if content else None\n tag = 'content'\n new = child.tail.strip() if child.tail else None\n content = _make_content(i, tag, new)\n i.update({tag: content}) if content else None\n elif content and not set(i).difference(['content']):\n i = content\n return i\n", "role": "user" }, { "content": "etree_to_dict", "role": "assistant" } ]
def x(_INPUT, *funcs, **kwargs): map_func = kwargs.get('map_func', _map_func) apply_func = kwargs.get('apply_func', _apply_func) splits = izip(*tee(_INPUT, len(funcs))) return map_func(partial(apply_func, funcs), splits)
broadcast
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(_INPUT, *funcs, **kwargs):\n map_func = kwargs.get('map_func', _map_func)\n apply_func = kwargs.get('apply_func', _apply_func)\n splits = izip(*tee(_INPUT, len(funcs)))\n return map_func(partial(apply_func, funcs), splits)\n", "role": "user" }, { "content": "broadcast", "role": "assistant" } ]
def x(splits, *funcs, **kwargs): map_func = kwargs.get('map_func', _map_func) apply_func = kwargs.get('apply_func', _apply_func) return map_func(partial(apply_func, funcs), splits)
dispatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(splits, *funcs, **kwargs):\n map_func = kwargs.get('map_func', _map_func)\n apply_func = kwargs.get('apply_func', _apply_func)\n return map_func(partial(apply_func, funcs), splits)\n", "role": "user" }, { "content": "dispatch", "role": "assistant" } ]
def x(context, conf): name = conf['name']['value'] prompt = conf['prompt']['value'] default = conf['default']['value'] or conf['debug']['value'] if context.submodule or context.inputs: value = context.inputs.get(name, default) elif not context.test: raw = raw_input('%s (default=%s) ' % (encode(prompt), encode(default))) value = raw or default else: value = default return value
get_input
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context, conf):\n name = conf['name']['value']\n prompt = conf['prompt']['value']\n default = conf['default']['value'] or conf['debug']['value']\n if context.submodule or context.inputs:\n value = context.inputs.get(name, default)\n elif not context.test:\n raw = raw_input('%s (default=%s) ' % (encode(prompt), encode(default)))\n value = raw or default\n else:\n value = default\n return value\n", "role": "user" }, { "content": "get_input", "role": "assistant" } ]
def x(url): try: return quote(url, safe=URL_SAFE) except KeyError: return quote(encode(url), safe=URL_SAFE)
url_quote
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url):\n try:\n return quote(url, safe=URL_SAFE)\n except KeyError:\n return quote(encode(url), safe=URL_SAFE)\n", "role": "user" }, { "content": "url_quote", "role": "assistant" } ]