source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(): shell = CommandShell('http://192.168.137.238:5985/wsman', 'Administrator', 'Pa55w0rd') shell.open() command_id = shell.run('ipconfig', ['/all']) stdout, stderr, exit_code = shell.receive(command_id) sys.stdout.write(stdout.strip() + '\r\n') shell.close() return None
create_session
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n shell = CommandShell('http://192.168.137.238:5985/wsman',\n 'Administrator', 'Pa55w0rd')\n shell.open()\n command_id = shell.run('ipconfig', ['/all'])\n stdout, stderr, exit_code = shell.receive(command_id)\n sys.stdout.write(stdout.strip() + '\\r\\n')\n shell.close()\n return None\n", "role": "user" }, { "content": "create_session", "role": "assistant" } ]
def x(self, field_name): return self.djipsum_fields().randomCharField(self.model_class(), field_name=field_name)
fake_chars_or_choice
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, field_name):\n return self.djipsum_fields().randomCharField(self.model_class(),\n field_name=field_name)\n", "role": "user" }, { "content": "fake_chars_or_choice", "role": "assistant" } ]
def x(self, field_name): return self.djipsum_fields().randomDecimalField(self.model_class(), field_name=field_name)
fake_decimal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, field_name):\n return self.djipsum_fields().randomDecimalField(self.model_class(),\n field_name=field_name)\n", "role": "user" }, { "content": "fake_decimal", "role": "assistant" } ]
def x(self, field_name): return self.djipsum_fields().getOrCreateForeignKey(model_class=self. model_class(), field_name=field_name)
fake_fk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, field_name):\n return self.djipsum_fields().getOrCreateForeignKey(model_class=self.\n model_class(), field_name=field_name)\n", "role": "user" }, { "content": "fake_fk", "role": "assistant" } ]
def x(self, obj, field_name): instance_m2m = getattr(obj, field_name) objects_m2m = instance_m2m.model.objects.all() if objects_m2m.exists(): ids_m2m = [i.pk for i in objects_m2m] random_decission = random.sample(range(min(ids_m2m), max(ids_m2m)), max(ids_m2m) - 1) if len(random_decission) <= 2: random_decission = [self.djipsum_fields().randomize(ids_m2m)] related_objects = [rel_obj for rel_obj in objects_m2m if rel_obj.pk in random_decission] instance_m2m.add(*related_objects)
fake_m2m
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, field_name):\n instance_m2m = getattr(obj, field_name)\n objects_m2m = instance_m2m.model.objects.all()\n if objects_m2m.exists():\n ids_m2m = [i.pk for i in objects_m2m]\n random_decission = random.sample(range(min(ids_m2m), max(ids_m2m)),\n max(ids_m2m) - 1)\n if len(random_decission) <= 2:\n random_decission = [self.djipsum_fields().randomize(ids_m2m)]\n related_objects = [rel_obj for rel_obj in objects_m2m if rel_obj.pk in\n random_decission]\n instance_m2m.add(*related_objects)\n", "role": "user" }, { "content": "fake_m2m", "role": "assistant" } ]
def x(self, fields): try: cleaned_fields = {} for key, value in fields.items(): if type(value) is dict: try: if value['type'] == 'fk': fake_fk = self.fake_fk(value['field_name']) cleaned_fields.update({key: fake_fk}) except: pass else: cleaned_fields.update({key: value}) model_class = self.model_class() obj = model_class.objects.create(**cleaned_fields) for key, value in fields.items(): if type(value) is dict: try: if value['type'] == 'm2m': self.fake_m2m(obj, value['field_name']) except: pass try: obj.save_m2m() except: obj.save() return obj except Exception as e: raise e
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fields):\n try:\n cleaned_fields = {}\n for key, value in fields.items():\n if type(value) is dict:\n try:\n if value['type'] == 'fk':\n fake_fk = self.fake_fk(value['field_name'])\n cleaned_fields.update({key: fake_fk})\n except:\n pass\n else:\n cleaned_fields.update({key: value})\n model_class = self.model_class()\n obj = model_class.objects.create(**cleaned_fields)\n for key, value in fields.items():\n if type(value) is dict:\n try:\n if value['type'] == 'm2m':\n self.fake_m2m(obj, value['field_name'])\n except:\n pass\n try:\n obj.save_m2m()\n except:\n obj.save()\n return obj\n except Exception as e:\n raise e\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(start, end, calendar='US'): kw = dict(start=pd.Timestamp(start, tz='UTC').date(), end=pd.Timestamp( end, tz='UTC').date()) us_cal = getattr(sys.modules[__name__], f'{calendar}TradingCalendar')() return pd.bdate_range(**kw).drop(us_cal.holidays(**kw))
trading_dates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start, end, calendar='US'):\n kw = dict(start=pd.Timestamp(start, tz='UTC').date(), end=pd.Timestamp(\n end, tz='UTC').date())\n us_cal = getattr(sys.modules[__name__], f'{calendar}TradingCalendar')()\n return pd.bdate_range(**kw).drop(us_cal.holidays(**kw))\n", "role": "user" }, { "content": "trading_dates", "role": "assistant" } ]
def x(name_or_func, log_file='', level=logging.INFO, types='stream', **kwargs): if isinstance(level, str): level = getattr(logging, level.upper()) log_name = name_or_func if isinstance(name_or_func, str ) else utils.func_scope(name_or_func) logger = logging.getLogger(name=log_name) logger.setLevel(level=level) if not len(logger.handlers): formatter = logging.Formatter(fmt=kwargs.get('fmt', LOG_FMT)) if 'file' in types: file_handler = logging.FileHandler(log_file) file_handler.setFormatter(fmt=formatter) logger.addHandler(file_handler) if 'stream' in types: stream_handler = logging.StreamHandler() stream_handler.setFormatter(fmt=formatter) logger.addHandler(stream_handler) return logger
get_logger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name_or_func, log_file='', level=logging.INFO, types='stream', **kwargs):\n if isinstance(level, str):\n level = getattr(logging, level.upper())\n log_name = name_or_func if isinstance(name_or_func, str\n ) else utils.func_scope(name_or_func)\n logger = logging.getLogger(name=log_name)\n logger.setLevel(level=level)\n if not len(logger.handlers):\n formatter = logging.Formatter(fmt=kwargs.get('fmt', LOG_FMT))\n if 'file' in types:\n file_handler = logging.FileHandler(log_file)\n file_handler.setFormatter(fmt=formatter)\n logger.addHandler(file_handler)\n if 'stream' in types:\n stream_handler = logging.StreamHandler()\n stream_handler.setFormatter(fmt=formatter)\n logger.addHandler(stream_handler)\n return logger\n", "role": "user" }, { "content": "get_logger", "role": "assistant" } ]
def x(self, raw_password): if raw_password is None: self.set_unusable_password() else: xmpp_backend.set_password(self.node, self.domain, raw_password)
set_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, raw_password):\n if raw_password is None:\n self.set_unusable_password()\n else:\n xmpp_backend.set_password(self.node, self.domain, raw_password)\n", "role": "user" }, { "content": "set_password", "role": "assistant" } ]
def x(self, raw_password): return xmpp_backend.check_password(self.node, self.domain, raw_password)
check_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, raw_password):\n return xmpp_backend.check_password(self.node, self.domain, raw_password)\n", "role": "user" }, { "content": "check_password", "role": "assistant" } ]
def x(self, limit=None, offset=None): data = {} if limit: data['limit'] = limit if offset: data['offset'] = offset result = self._request('GET', '/clients', data=json.dumps(data)) return result.json()
get_clients
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=None, offset=None):\n data = {}\n if limit:\n data['limit'] = limit\n if offset:\n data['offset'] = offset\n result = self._request('GET', '/clients', data=json.dumps(data))\n return result.json()\n", "role": "user" }, { "content": "get_clients", "role": "assistant" } ]
def x(self, client): data = self._request('GET', '/clients/{}'.format(client)) return data.json()
get_client_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client):\n data = self._request('GET', '/clients/{}'.format(client))\n return data.json()\n", "role": "user" }, { "content": "get_client_data", "role": "assistant" } ]
def x(self, client): data = self._request('GET', '/clients/{}/history'.format(client)) return data.json()
get_client_history
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client):\n data = self._request('GET', '/clients/{}/history'.format(client))\n return data.json()\n", "role": "user" }, { "content": "get_client_history", "role": "assistant" } ]
def x(self, client): data = self._request('GET', '/events/{}'.format(client)) return data.json()
get_all_client_events
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client):\n data = self._request('GET', '/events/{}'.format(client))\n return data.json()\n", "role": "user" }, { "content": "get_all_client_events", "role": "assistant" } ]
def x(self, client, check): data = self._request('GET', '/events/{}/{}'.format(client, check)) return data.json()
get_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client, check):\n data = self._request('GET', '/events/{}/{}'.format(client, check))\n return data.json()\n", "role": "user" }, { "content": "get_event", "role": "assistant" } ]
def x(self, client, check): self._request('DELETE', '/events/{}/{}'.format(client, check)) return True
delete_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client, check):\n self._request('DELETE', '/events/{}/{}'.format(client, check))\n return True\n", "role": "user" }, { "content": "delete_event", "role": "assistant" } ]
def x(self, client, check): self._request('POST', '/resolve', data=json.dumps({'client': client, 'check': check})) return True
post_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client, check):\n self._request('POST', '/resolve', data=json.dumps({'client': client,\n 'check': check}))\n return True\n", "role": "user" }, { "content": "post_event", "role": "assistant" } ]
def x(self, check): data = self._request('GET', '/checks/{}'.format(check)) return data.json()
get_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, check):\n data = self._request('GET', '/checks/{}'.format(check))\n return data.json()\n", "role": "user" }, { "content": "get_check", "role": "assistant" } ]
def x(self, check, subscribers): data = {'check': check, 'subscribers': [subscribers]} self._request('POST', '/request', data=json.dumps(data)) return True
post_check_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, check, subscribers):\n data = {'check': check, 'subscribers': [subscribers]}\n self._request('POST', '/request', data=json.dumps(data))\n return True\n", "role": "user" }, { "content": "post_check_request", "role": "assistant" } ]
def x(self, kwargs): self._request('POST', '/silenced', data=json.dumps(kwargs)) return True
post_silence_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, kwargs):\n self._request('POST', '/silenced', data=json.dumps(kwargs))\n return True\n", "role": "user" }, { "content": "post_silence_request", "role": "assistant" } ]
def x(self, kwargs): self._request('POST', '/silenced/clear', data=json.dumps(kwargs)) return True
clear_silence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, kwargs):\n self._request('POST', '/silenced/clear', data=json.dumps(kwargs))\n return True\n", "role": "user" }, { "content": "clear_silence", "role": "assistant" } ]
def x(self, check, age=None): data = {} if age: data['max_age'] = age result = self._request('GET', '/aggregates/{}'.format(check), data=json .dumps(data)) return result.json()
get_aggregate_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, check, age=None):\n data = {}\n if age:\n data['max_age'] = age\n result = self._request('GET', '/aggregates/{}'.format(check), data=json\n .dumps(data))\n return result.json()\n", "role": "user" }, { "content": "get_aggregate_check", "role": "assistant" } ]
def x(self, consumers=2, messages=100): data = {'consumers': consumers, 'messages': messages} try: self._request('GET', '/health', data=json.dumps(data)) return True except SensuAPIException: return False
get_health
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, consumers=2, messages=100):\n data = {'consumers': consumers, 'messages': messages}\n try:\n self._request('GET', '/health', data=json.dumps(data))\n return True\n except SensuAPIException:\n return False\n", "role": "user" }, { "content": "get_health", "role": "assistant" } ]
def x(self, client): data = self._request('GET', '/results/{}'.format(client)) return data.json()
get_results
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client):\n data = self._request('GET', '/results/{}'.format(client))\n return data.json()\n", "role": "user" }, { "content": "get_results", "role": "assistant" } ]
def x(self, client, check): data = self._request('GET', '/results/{}/{}'.format(client, check)) return data.json()
get_result
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client, check):\n data = self._request('GET', '/results/{}/{}'.format(client, check))\n return data.json()\n", "role": "user" }, { "content": "get_result", "role": "assistant" } ]
def x(self, client, check): self._request('DELETE', '/results/{}/{}'.format(client, check)) return True
delete_result
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client, check):\n self._request('DELETE', '/results/{}/{}'.format(client, check))\n return True\n", "role": "user" }, { "content": "delete_result", "role": "assistant" } ]
def x(self, client, check, output, status): data = {'source': client, 'name': check, 'output': output, 'status': status } self._request('POST', '/results', data=json.dumps(data)) return True
post_result_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client, check, output, status):\n data = {'source': client, 'name': check, 'output': output, 'status': status\n }\n self._request('POST', '/results', data=json.dumps(data))\n return True\n", "role": "user" }, { "content": "post_result_data", "role": "assistant" } ]
def x(self, payload, path=None): if path: self._request('POST', '/stashes/{}'.format(path), json=payload) else: self._request('POST', '/stashes', json=payload) return True
create_stash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, payload, path=None):\n if path:\n self._request('POST', '/stashes/{}'.format(path), json=payload)\n else:\n self._request('POST', '/stashes', json=payload)\n return True\n", "role": "user" }, { "content": "create_stash", "role": "assistant" } ]
def x(self, nodes=[]): if len(nodes) > 0: data = [node for node in self.get_clients() if node['name'] in nodes] else: data = self.get_clients() channels = [] for client in data: if 'subscriptions' in client: if isinstance(client['subscriptions'], list): for channel in client['subscriptions']: if channel not in channels: channels.append(channel) elif client['subscriptions'] not in channels: channels.append(client['subscriptions']) return channels
get_subscriptions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, nodes=[]):\n if len(nodes) > 0:\n data = [node for node in self.get_clients() if node['name'] in nodes]\n else:\n data = self.get_clients()\n channels = []\n for client in data:\n if 'subscriptions' in client:\n if isinstance(client['subscriptions'], list):\n for channel in client['subscriptions']:\n if channel not in channels:\n channels.append(channel)\n elif client['subscriptions'] not in channels:\n channels.append(client['subscriptions'])\n return channels\n", "role": "user" }, { "content": "get_subscriptions", "role": "assistant" } ]
def x(self, search_channel): data = self.get_clients() clients = [] for client in data: if 'subscriptions' in client: if isinstance(client['subscriptions'], list): if search_channel in client['subscriptions']: clients.append(client['name']) elif search_channel == client['subscriptions']: clients.append(client['name']) return clients
get_subscriptions_channel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, search_channel):\n data = self.get_clients()\n clients = []\n for client in data:\n if 'subscriptions' in client:\n if isinstance(client['subscriptions'], list):\n if search_channel in client['subscriptions']:\n clients.append(client['name'])\n elif search_channel == client['subscriptions']:\n clients.append(client['name'])\n return clients\n", "role": "user" }, { "content": "get_subscriptions_channel", "role": "assistant" } ]
def x(self, ext): if sys.platform == 'win32': _clr_compiler = ( 'C:\\Windows\\Microsoft.NET\\Framework\\v4.0.30319\\csc.exe') else: _clr_compiler = 'mcs' cmd = [_clr_compiler, '/target:library', 'clrmagic.cs'] check_call(' '.join(cmd), shell=True)
build_extension
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ext):\n if sys.platform == 'win32':\n _clr_compiler = (\n 'C:\\\\Windows\\\\Microsoft.NET\\\\Framework\\\\v4.0.30319\\\\csc.exe')\n else:\n _clr_compiler = 'mcs'\n cmd = [_clr_compiler, '/target:library', 'clrmagic.cs']\n check_call(' '.join(cmd), shell=True)\n", "role": "user" }, { "content": "build_extension", "role": "assistant" } ]
def x(self, event, timeout=10): return self.__handler.wait_for_event(event, timeout=timeout)
wait_for_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event, timeout=10):\n return self.__handler.wait_for_event(event, timeout=timeout)\n", "role": "user" }, { "content": "wait_for_event", "role": "assistant" } ]
def x(values, target): first = 0 last = len(values) while first < last: middle = (first + last) // 2 if values[middle][0] < target: first = middle + 1 else: last = middle return first
search_greater
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, target):\n first = 0\n last = len(values)\n while first < last:\n middle = (first + last) // 2\n if values[middle][0] < target:\n first = middle + 1\n else:\n last = middle\n return first\n", "role": "user" }, { "content": "search_greater", "role": "assistant" } ]
def x(self, value): if not isinstance(value, float): value = float(value) return self._do_add(value)
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if not isinstance(value, float):\n value = float(value)\n return self._do_add(value)\n", "role": "user" }, { "content": "add", "role": "assistant" } ]
def x(self, other): return type(self) is type(other) and self._same_parameters(other)
same_kind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n return type(self) is type(other) and self._same_parameters(other)\n", "role": "user" }, { "content": "same_kind", "role": "assistant" } ]
def x(self, timestamp): idx = search_greater(self._values, timestamp) if idx < len(self._values) and math.fabs(self._values[idx][0] - timestamp ) < self.EPSILON: return idx return None
lookup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timestamp):\n idx = search_greater(self._values, timestamp)\n if idx < len(self._values) and math.fabs(self._values[idx][0] - timestamp\n ) < self.EPSILON:\n return idx\n return None\n", "role": "user" }, { "content": "lookup", "role": "assistant" } ]
def x(self, timestamp, value): idx = self._lookup(timestamp) if idx is not None: self._values[idx] = timestamp, value else: self._values.append((timestamp, value))
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timestamp, value):\n idx = self._lookup(timestamp)\n if idx is not None:\n self._values[idx] = timestamp, value\n else:\n self._values.append((timestamp, value))\n", "role": "user" }, { "content": "put", "role": "assistant" } ]
def x(self): values = self.reservoir.sorted_values def x(f, *args): try: return f(values, *args) except exceptions.StatisticsError: return 0.0 plevels = [50, 75, 90, 95, 99, 99.9] percentiles = [safe(statistics.percentile, p) for p in plevels] try: histogram = statistics.get_histogram(values) except exceptions.StatisticsError: histogram = [(0, 0)] res = dict(kind='histogram', min=values[0] if values else 0, max=values [-1] if values else 0, arithmetic_mean=safe(statistics.mean), geometric_mean=safe(statistics.geometric_mean), harmonic_mean=safe( statistics.harmonic_mean), median=safe(statistics.median), variance =safe(statistics.variance), standard_deviation=safe(statistics. stdev), skewness=safe(statistics.skewness), kurtosis=safe( statistics.kurtosis), percentile=py3comp.zip(plevels, percentiles), histogram=histogram, n=len(values)) return res
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n values = self.reservoir.sorted_values\n\n def x(f, *args):\n try:\n return f(values, *args)\n except exceptions.StatisticsError:\n return 0.0\n plevels = [50, 75, 90, 95, 99, 99.9]\n percentiles = [safe(statistics.percentile, p) for p in plevels]\n try:\n histogram = statistics.get_histogram(values)\n except exceptions.StatisticsError:\n histogram = [(0, 0)]\n res = dict(kind='histogram', min=values[0] if values else 0, max=values\n [-1] if values else 0, arithmetic_mean=safe(statistics.mean),\n geometric_mean=safe(statistics.geometric_mean), harmonic_mean=safe(\n statistics.harmonic_mean), median=safe(statistics.median), variance\n =safe(statistics.variance), standard_deviation=safe(statistics.\n stdev), skewness=safe(statistics.skewness), kurtosis=safe(\n statistics.kurtosis), percentile=py3comp.zip(plevels, percentiles),\n histogram=histogram, n=len(values))\n return res\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, target_app, slices=None): glance = AppGlance(version=1, creation_time=time.time(), slices=slices or []) SyncWrapper(self._blobdb.insert, BlobDatabaseID.AppGlance, target_app, glance.serialise()).wait()
reload_glance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target_app, slices=None):\n glance = AppGlance(version=1, creation_time=time.time(), slices=slices or\n [])\n SyncWrapper(self._blobdb.insert, BlobDatabaseID.AppGlance, target_app,\n glance.serialise()).wait()\n", "role": "user" }, { "content": "reload_glance", "role": "assistant" } ]
def x(ax): im = ax.pcolor(params.C_YX, cmap='hot') ax.axis(ax.axis('tight')) ax.invert_yaxis() ax.xaxis.set_ticks_position('top') ax.set_xticks(np.arange(9) + 0.5) ax.set_yticks(np.arange(8) + 0.5) ax.set_xticklabels(params.X, rotation=270) ax.set_yticklabels(params.Y) ax.xaxis.set_label_position('top') rect = np.array(ax.get_position().bounds) rect[0] += rect[2] + 0.01 rect[2] = 0.01 fig = plt.gcf() cax = fig.add_axes(rect) cbar = plt.colorbar(im, cax=cax) cbar.set_label('connectivity', ha='center')
plotConnectivity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ax):\n im = ax.pcolor(params.C_YX, cmap='hot')\n ax.axis(ax.axis('tight'))\n ax.invert_yaxis()\n ax.xaxis.set_ticks_position('top')\n ax.set_xticks(np.arange(9) + 0.5)\n ax.set_yticks(np.arange(8) + 0.5)\n ax.set_xticklabels(params.X, rotation=270)\n ax.set_yticklabels(params.Y)\n ax.xaxis.set_label_position('top')\n rect = np.array(ax.get_position().bounds)\n rect[0] += rect[2] + 0.01\n rect[2] = 0.01\n fig = plt.gcf()\n cax = fig.add_axes(rect)\n cbar = plt.colorbar(im, cax=cax)\n cbar.set_label('connectivity', ha='center')\n", "role": "user" }, { "content": "plotConnectivity", "role": "assistant" } ]
def x(ax, params, fname='LFPsum.h5', unit='mV', N=1, ylabels=True, T=[800, 1000], ylim=[-1500, 0], fancy=False, colorbar=True, cmap='spectral_r', absmax=None, transient=200, rasterized=True): f = h5py.File(fname) data = f['data'].value tvec = np.arange(data.shape[1]) * 1000.0 / f['srate'].value datameanaxis1 = f['data'].value[:, tvec >= transient].mean(axis=1) slica = (tvec <= T[1]) & (tvec >= T[0]) data = data[:, slica] dataT = data.T - datameanaxis1 data = dataT.T data = data / N zvec = params.electrodeParams['z'] if fancy: colors = phlp.get_colors(data.shape[0]) else: colors = ['k'] * data.shape[0] if absmax == None: absmax = abs(np.array([data.max(), data.min()])).max() im = ax.pcolormesh(tvec[slica], np.r_[zvec, zvec[-1] + np.diff(zvec)[-1 ]] + 50, data, rasterized=rasterized, vmax=absmax, vmin=-absmax, cmap=cmap) ax.set_yticks(params.electrodeParams['z']) if ylabels: yticklabels = [('ch. %i' % (i + 1)) for i in np.arange(len(params. electrodeParams['z']))] ax.set_yticklabels(yticklabels) else: ax.set_yticklabels([]) if colorbar: divider = make_axes_locatable(ax) cax = divider.append_axes('right', size='5%', pad=0.1) cbar = plt.colorbar(im, cax=cax) cbar.set_label(unit, labelpad=0.1) plt.axis('tight') ax.set_ylim(ylim) f.close() return im
plot_signal_sum_colorplot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ax, params, fname='LFPsum.h5', unit='mV', N=1, ylabels=True, T=[800, \n 1000], ylim=[-1500, 0], fancy=False, colorbar=True, cmap='spectral_r',\n absmax=None, transient=200, rasterized=True):\n f = h5py.File(fname)\n data = f['data'].value\n tvec = np.arange(data.shape[1]) * 1000.0 / f['srate'].value\n datameanaxis1 = f['data'].value[:, tvec >= transient].mean(axis=1)\n slica = (tvec <= T[1]) & (tvec >= T[0])\n data = data[:, slica]\n dataT = data.T - datameanaxis1\n data = dataT.T\n data = data / N\n zvec = params.electrodeParams['z']\n if fancy:\n colors = phlp.get_colors(data.shape[0])\n else:\n colors = ['k'] * data.shape[0]\n if absmax == None:\n absmax = abs(np.array([data.max(), data.min()])).max()\n im = ax.pcolormesh(tvec[slica], np.r_[zvec, zvec[-1] + np.diff(zvec)[-1\n ]] + 50, data, rasterized=rasterized, vmax=absmax, vmin=-absmax,\n cmap=cmap)\n ax.set_yticks(params.electrodeParams['z'])\n if ylabels:\n yticklabels = [('ch. %i' % (i + 1)) for i in np.arange(len(params.\n electrodeParams['z']))]\n ax.set_yticklabels(yticklabels)\n else:\n ax.set_yticklabels([])\n if colorbar:\n divider = make_axes_locatable(ax)\n cax = divider.append_axes('right', size='5%', pad=0.1)\n cbar = plt.colorbar(im, cax=cax)\n cbar.set_label(unit, labelpad=0.1)\n plt.axis('tight')\n ax.set_ylim(ylim)\n f.close()\n return im\n", "role": "user" }, { "content": "plot_signal_sum_colorplot", "role": "assistant" } ]
def x(ax, params, fname, transient=200, Df=None, mlab=True, NFFT=1000, window=plt.mlab.window_hanning, noverlap=0, cmap=plt.cm.get_cmap('jet', 21), vmin=None, vmax=None): zvec = np.r_[params.electrodeParams['z']] zvec = np.r_[zvec, zvec[-1] + np.diff(zvec)[-1]] yticklabels = [] yticks = [] for i, kk in enumerate(params.electrodeParams['z']): yticklabels.append('ch. %i' % (i + 1)) yticks.append(kk) freqs, PSD = calc_signal_power(params, fname=fname, transient=transient, Df=Df, mlab=mlab, NFFT=NFFT, window=window, noverlap=noverlap) inds = freqs >= 1 im = ax.pcolormesh(freqs[inds], zvec + 50, PSD[:, inds], rasterized= True, norm=LogNorm(), vmin=vmin, vmax=vmax, cmap=cmap) ax.yaxis.set_ticks(yticks) ax.yaxis.set_ticklabels(yticklabels) ax.semilogx() ax.xaxis.set_ticks_position('bottom') ax.yaxis.set_ticks_position('left') ax.set_xlabel('$f$ (Hz)', labelpad=0.1) ax.axis(ax.axis('tight')) return im
plot_signal_power_colorplot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ax, params, fname, transient=200, Df=None, mlab=True, NFFT=1000,\n window=plt.mlab.window_hanning, noverlap=0, cmap=plt.cm.get_cmap('jet',\n 21), vmin=None, vmax=None):\n zvec = np.r_[params.electrodeParams['z']]\n zvec = np.r_[zvec, zvec[-1] + np.diff(zvec)[-1]]\n yticklabels = []\n yticks = []\n for i, kk in enumerate(params.electrodeParams['z']):\n yticklabels.append('ch. %i' % (i + 1))\n yticks.append(kk)\n freqs, PSD = calc_signal_power(params, fname=fname, transient=transient,\n Df=Df, mlab=mlab, NFFT=NFFT, window=window, noverlap=noverlap)\n inds = freqs >= 1\n im = ax.pcolormesh(freqs[inds], zvec + 50, PSD[:, inds], rasterized=\n True, norm=LogNorm(), vmin=vmin, vmax=vmax, cmap=cmap)\n ax.yaxis.set_ticks(yticks)\n ax.yaxis.set_ticklabels(yticklabels)\n ax.semilogx()\n ax.xaxis.set_ticks_position('bottom')\n ax.yaxis.set_ticks_position('left')\n ax.set_xlabel('$f$ (Hz)', labelpad=0.1)\n ax.axis(ax.axis('tight'))\n return im\n", "role": "user" }, { "content": "plot_signal_power_colorplot", "role": "assistant" } ]
def x(ax, params, popkeys, dataset, linestyles, linewidths, transient=200, SCALING_POSTFIX='', markerstyles=None): colors = phlp.get_colors(len(popkeys)) depth = params.electrodeParams['z'] zpos = np.r_[params.layerBoundaries[:, 0], params.layerBoundaries[-1, 1]] for i, layer in enumerate(popkeys): f = h5py.File(os.path.join(params.populations_path, '%s_population_%s' % (layer, dataset) + SCALING_POSTFIX + '.h5')) ax.semilogx(f['data'].value[:, transient:].var(axis=1), depth, color=colors[i], ls=linestyles[i], lw=linewidths[i], marker= None if markerstyles is None else markerstyles[i], markersize= 2.5, markerfacecolor=colors[i], markeredgecolor=colors[i], label=layer, clip_on=True) f.close() f = h5py.File(os.path.join(params.savefolder, '%ssum' % dataset + SCALING_POSTFIX + '.h5')) ax.plot(f['data'].value[:, transient:].var(axis=1), depth, 'k', label= 'SUM', lw=1.25, clip_on=False) f.close() ax.set_yticks(zpos) ax.set_yticklabels([]) try: ax.xaxis.set_major_locator(plt.LogLocator(base=10, subs=np.linspace (-10, 10, 2), numticks=6)) except: ax.xaxis.set_major_locator(plt.LogLocator(base=10, subs=np.linspace (-10, 10, 2))) ax.xaxis.set_minor_locator(plt.LogLocator(base=10, subs=[1.0])) ax.axis('tight')
plotPowers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ax, params, popkeys, dataset, linestyles, linewidths, transient=200,\n SCALING_POSTFIX='', markerstyles=None):\n colors = phlp.get_colors(len(popkeys))\n depth = params.electrodeParams['z']\n zpos = np.r_[params.layerBoundaries[:, 0], params.layerBoundaries[-1, 1]]\n for i, layer in enumerate(popkeys):\n f = h5py.File(os.path.join(params.populations_path, \n '%s_population_%s' % (layer, dataset) + SCALING_POSTFIX + '.h5'))\n ax.semilogx(f['data'].value[:, transient:].var(axis=1), depth,\n color=colors[i], ls=linestyles[i], lw=linewidths[i], marker=\n None if markerstyles is None else markerstyles[i], markersize=\n 2.5, markerfacecolor=colors[i], markeredgecolor=colors[i],\n label=layer, clip_on=True)\n f.close()\n f = h5py.File(os.path.join(params.savefolder, '%ssum' % dataset +\n SCALING_POSTFIX + '.h5'))\n ax.plot(f['data'].value[:, transient:].var(axis=1), depth, 'k', label=\n 'SUM', lw=1.25, clip_on=False)\n f.close()\n ax.set_yticks(zpos)\n ax.set_yticklabels([])\n try:\n ax.xaxis.set_major_locator(plt.LogLocator(base=10, subs=np.linspace\n (-10, 10, 2), numticks=6))\n except:\n ax.xaxis.set_major_locator(plt.LogLocator(base=10, subs=np.linspace\n (-10, 10, 2)))\n ax.xaxis.set_minor_locator(plt.LogLocator(base=10, subs=[1.0]))\n ax.axis('tight')\n", "role": "user" }, { "content": "plotPowers", "role": "assistant" } ]
def x(params, x0, x1, ax, lag=20.0, scaling=None, normalize=True, color='k', unit='$cc=%.3f$', title='firing_rate vs LFP', scalebar=True, **kwargs): zvec = np.r_[params.electrodeParams['z']] zvec = np.r_[zvec, zvec[-1] + np.diff(zvec)[-1]] xcorr_all = np.zeros((params.electrodeParams['z'].size, x0.shape[-1])) if normalize: for i, z in enumerate(params.electrodeParams['z']): if x0.ndim == 1: x2 = x1[i,] xcorr1 = np.correlate(helpers.normalize(x0), helpers. normalize(x2), 'same') / x0.size elif x0.ndim == 2: xcorr1 = np.correlate(helpers.normalize(x0[i,]), helpers. normalize(x1[i,]), 'same') / x0.shape[-1] xcorr_all[i, :] = xcorr1 else: for i, z in enumerate(params.electrodeParams['z']): if x0.ndim == 1: x2 = x1[i,] xcorr1 = np.correlate(x0, x2, 'same') elif x0.ndim == 2: xcorr1 = np.correlate(x0[i,], x1[i,], 'same') xcorr_all[i, :] = xcorr1 if scaling is None: vlim = abs(xcorr_all).max() vlimround = 2.0 ** np.round(np.log2(vlim)) else: vlimround = scaling yticklabels = [] yticks = [] lagvector = np.arange(-lag, lag + 1).astype(int) inds = lagvector + x0.shape[-1] / 2 for i, z in enumerate(params.electrodeParams['z']): ax.plot(lagvector, xcorr_all[i, inds[::-1]] * 100.0 / vlimround + z, 'k', clip_on=True, rasterized=False, color=color, **kwargs) yticklabels.append('ch. %i' % (i + 1)) yticks.append(z) phlp.remove_axis_junk(ax) ax.set_title(title, va='center') ax.set_xlabel('$\\tau$ (ms)', labelpad=0.1) ax.set_xlim(-lag, lag) ax.set_ylim(z - 100, 100) axis = ax.axis() ax.vlines(0, axis[2], axis[3], 'k' if analysis_params.bw else 'k', 'dotted', lw=0.25) ax.yaxis.set_ticks(yticks) ax.yaxis.set_ticklabels(yticklabels) ax.xaxis.set_ticks_position('bottom') ax.yaxis.set_ticks_position('left') if scalebar: ax.plot([lag, lag], [-1500, -1400], lw=2, color='k', clip_on=False) ax.text(lag * 1.04, -1450, unit % vlimround, rotation='vertical', va='center') return xcorr_all[:, inds[::-1]], vlimround
plotting_correlation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(params, x0, x1, ax, lag=20.0, scaling=None, normalize=True, color='k',\n unit='$cc=%.3f$', title='firing_rate vs LFP', scalebar=True, **kwargs):\n zvec = np.r_[params.electrodeParams['z']]\n zvec = np.r_[zvec, zvec[-1] + np.diff(zvec)[-1]]\n xcorr_all = np.zeros((params.electrodeParams['z'].size, x0.shape[-1]))\n if normalize:\n for i, z in enumerate(params.electrodeParams['z']):\n if x0.ndim == 1:\n x2 = x1[i,]\n xcorr1 = np.correlate(helpers.normalize(x0), helpers.\n normalize(x2), 'same') / x0.size\n elif x0.ndim == 2:\n xcorr1 = np.correlate(helpers.normalize(x0[i,]), helpers.\n normalize(x1[i,]), 'same') / x0.shape[-1]\n xcorr_all[i, :] = xcorr1\n else:\n for i, z in enumerate(params.electrodeParams['z']):\n if x0.ndim == 1:\n x2 = x1[i,]\n xcorr1 = np.correlate(x0, x2, 'same')\n elif x0.ndim == 2:\n xcorr1 = np.correlate(x0[i,], x1[i,], 'same')\n xcorr_all[i, :] = xcorr1\n if scaling is None:\n vlim = abs(xcorr_all).max()\n vlimround = 2.0 ** np.round(np.log2(vlim))\n else:\n vlimround = scaling\n yticklabels = []\n yticks = []\n lagvector = np.arange(-lag, lag + 1).astype(int)\n inds = lagvector + x0.shape[-1] / 2\n for i, z in enumerate(params.electrodeParams['z']):\n ax.plot(lagvector, xcorr_all[i, inds[::-1]] * 100.0 / vlimround + z,\n 'k', clip_on=True, rasterized=False, color=color, **kwargs)\n yticklabels.append('ch. %i' % (i + 1))\n yticks.append(z)\n phlp.remove_axis_junk(ax)\n ax.set_title(title, va='center')\n ax.set_xlabel('$\\\\tau$ (ms)', labelpad=0.1)\n ax.set_xlim(-lag, lag)\n ax.set_ylim(z - 100, 100)\n axis = ax.axis()\n ax.vlines(0, axis[2], axis[3], 'k' if analysis_params.bw else 'k',\n 'dotted', lw=0.25)\n ax.yaxis.set_ticks(yticks)\n ax.yaxis.set_ticklabels(yticklabels)\n ax.xaxis.set_ticks_position('bottom')\n ax.yaxis.set_ticks_position('left')\n if scalebar:\n ax.plot([lag, lag], [-1500, -1400], lw=2, color='k', clip_on=False)\n ax.text(lag * 1.04, -1450, unit % vlimround, rotation='vertical',\n va='center')\n return xcorr_all[:, inds[::-1]], vlimround\n", "role": "user" }, { "content": "plotting_correlation", "role": "assistant" } ]
def x(self): urld = {self.extract_site_url: 'extract_token_site.html', self. success_site_url: 'success_site.html'} site = urld.get(self.path) if not site: log.debug('Requesting false url on login server.') self.send_error(404) return log.debug('Requesting the login server. Responding with %s.', urld) self._set_headers() self._write_html(site)
do_GET
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n urld = {self.extract_site_url: 'extract_token_site.html', self.\n success_site_url: 'success_site.html'}\n site = urld.get(self.path)\n if not site:\n log.debug('Requesting false url on login server.')\n self.send_error(404)\n return\n log.debug('Requesting the login server. Responding with %s.', urld)\n self._set_headers()\n self._write_html(site)\n", "role": "user" }, { "content": "do_GET", "role": "assistant" } ]
def x(self, filename): datapath = os.path.join('html', filename) sitepath = pkg_resources.resource_filename('pytwitcherapi', datapath) with open(sitepath, 'r') as f: html = f.read() self.wfile.write(html.encode('utf-8'))
write_html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n datapath = os.path.join('html', filename)\n sitepath = pkg_resources.resource_filename('pytwitcherapi', datapath)\n with open(sitepath, 'r') as f:\n html = f.read()\n self.wfile.write(html.encode('utf-8'))\n", "role": "user" }, { "content": "write_html", "role": "assistant" } ]
def x(self): log.debug('POST') self._set_headers() ruri = constants.REDIRECT_URI.replace('http://', 'https://') self.server.set_token(ruri + self.path.replace('?', '#'))
do_POST
[ { "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('POST')\n self._set_headers()\n ruri = constants.REDIRECT_URI.replace('http://', 'https://')\n self.server.set_token(ruri + self.path.replace('?', '#'))\n", "role": "user" }, { "content": "do_POST", "role": "assistant" } ]
def x(self, redirecturl): log.debug('Setting the token on %s.' % self.session) self.session.token_from_fragment(redirecturl)
set_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, redirecturl):\n log.debug('Setting the token on %s.' % self.session)\n self.session.token_from_fragment(redirecturl)\n", "role": "user" }, { "content": "set_token", "role": "assistant" } ]
def x(self, *args, **kwargs): s = super(TwitchOAuthClient, self) uri, headers, body = s._add_bearer_token(*args, **kwargs) authheader = headers.get('Authorization') if authheader: headers['Authorization'] = authheader.replace('Bearer', 'OAuth') return uri, headers, body
add_bearer_token
[ { "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 s = super(TwitchOAuthClient, self)\n uri, headers, body = s._add_bearer_token(*args, **kwargs)\n authheader = headers.get('Authorization')\n if authheader:\n headers['Authorization'] = authheader.replace('Bearer', 'OAuth')\n return uri, headers, body\n", "role": "user" }, { "content": "add_bearer_token", "role": "assistant" } ]
def x(username, repo): print('Installing template from ' + username + '/' + repo) dpath = os.path.join(cwd, 'templates') getunzipped(username, repo, dpath)
install_template
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(username, repo):\n print('Installing template from ' + username + '/' + repo)\n dpath = os.path.join(cwd, 'templates')\n getunzipped(username, repo, dpath)\n", "role": "user" }, { "content": "install_template", "role": "assistant" } ]
def x(filepath): print('\nBlended: Static Website Generator -\n') checkConfig() print('Importing from WordPress...') wp = parseXML(filepath) wname = wp.rss.channel.title.cdata wdesc = wp.rss.channel.description.cdata wlan = wp.rss.channel.language.cdata wurl = wp.rss.channel.link.cdata aname = wp.rss.channel.wp_author.wp_author_display_name.cdata.strip() createBlendedFolders() createConfig(app_version=app_version, wname=wname, wdesc=wdesc, wlan= wlan, wurl=wurl, aname=aname) for item in wp.rss.channel.item: with open(os.path.join(cwd, 'content', item.title.cdata.replace(' ', '_') + '.html'), 'w') as wfile: wfile.write(item.content_encoded.cdata.strip()) print('\nYour website has been imported from WordPress.')
import_wp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filepath):\n print('\\nBlended: Static Website Generator -\\n')\n checkConfig()\n print('Importing from WordPress...')\n wp = parseXML(filepath)\n wname = wp.rss.channel.title.cdata\n wdesc = wp.rss.channel.description.cdata\n wlan = wp.rss.channel.language.cdata\n wurl = wp.rss.channel.link.cdata\n aname = wp.rss.channel.wp_author.wp_author_display_name.cdata.strip()\n createBlendedFolders()\n createConfig(app_version=app_version, wname=wname, wdesc=wdesc, wlan=\n wlan, wurl=wurl, aname=aname)\n for item in wp.rss.channel.item:\n with open(os.path.join(cwd, 'content', item.title.cdata.replace(' ',\n '_') + '.html'), 'w') as wfile:\n wfile.write(item.content_encoded.cdata.strip())\n print('\\nYour website has been imported from WordPress.')\n", "role": "user" }, { "content": "import_wp", "role": "assistant" } ]
def x(filepath): print('\nBlended: Static Website Generator -\n') checkConfig() print('Importing from Blogger...') blogger = parseXML(filepath) wname = blogger.feed.title.cdata aname = blogger.feed.author.name.cdata.strip() createBlendedFolders() createConfig(app_version=app_version, wname=wname, aname=aname) for entry in blogger.feed.entry: if 'post' in entry.id.cdata: with open(os.path.join(cwd, 'content', entry.title.cdata. replace(' ', '_') + '.html'), 'w') as wfile: wfile.write(entry.content.cdata.strip()) print('\nYour website has been imported from Blogger.')
import_blogger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filepath):\n print('\\nBlended: Static Website Generator -\\n')\n checkConfig()\n print('Importing from Blogger...')\n blogger = parseXML(filepath)\n wname = blogger.feed.title.cdata\n aname = blogger.feed.author.name.cdata.strip()\n createBlendedFolders()\n createConfig(app_version=app_version, wname=wname, aname=aname)\n for entry in blogger.feed.entry:\n if 'post' in entry.id.cdata:\n with open(os.path.join(cwd, 'content', entry.title.cdata.\n replace(' ', '_') + '.html'), 'w') as wfile:\n wfile.write(entry.content.cdata.strip())\n print('\\nYour website has been imported from Blogger.')\n", "role": "user" }, { "content": "import_blogger", "role": "assistant" } ]
def x(username, repo): print('Installing plugin from ' + username + '/' + repo) pip.main(['install', '-U', 'git+git://github.com/' + username + '/' + repo + '.git'])
install_plugin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(username, repo):\n print('Installing plugin from ' + username + '/' + repo)\n pip.main(['install', '-U', 'git+git://github.com/' + username + '/' +\n repo + '.git'])\n", "role": "user" }, { "content": "install_plugin", "role": "assistant" } ]
def x(): print('Blended: Static Website Generator -\n') checkConfig() if sys.version_info > (3, 0): wname = input('Website Name: ') wdesc = input('Website Description: ') wlan = input('Website Language: ') wlic = input('Website License: ') aname = input('Author(s) Name(s): ') else: wname = raw_input('Website Name: ') wdesc = raw_input('Website Description: ') wlan = raw_input('Website Language: ') wlic = raw_input('Website License: ') aname = raw_input('Author(s) Name(s): ') createBlendedFolders() createConfig(app_version=app_version, wname=wname, wdesc=wdesc, wlic= wlic, wlan=wlan, aname=aname) print('\nThe required files for your website have been generated.')
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n print('Blended: Static Website Generator -\\n')\n checkConfig()\n if sys.version_info > (3, 0):\n wname = input('Website Name: ')\n wdesc = input('Website Description: ')\n wlan = input('Website Language: ')\n wlic = input('Website License: ')\n aname = input('Author(s) Name(s): ')\n else:\n wname = raw_input('Website Name: ')\n wdesc = raw_input('Website Description: ')\n wlan = raw_input('Website Language: ')\n wlic = raw_input('Website License: ')\n aname = raw_input('Author(s) Name(s): ')\n createBlendedFolders()\n createConfig(app_version=app_version, wname=wname, wdesc=wdesc, wlic=\n wlic, wlan=wlan, aname=aname)\n print('\\nThe required files for your website have been generated.')\n", "role": "user" }, { "content": "init", "role": "assistant" } ]
def x(ftp, path): for name in os.listdir(path): if (name != 'config.py' and name != 'config.pyc' and name != 'templates' and name != 'content'): localpath = os.path.join(path, name) if os.path.isfile(localpath): print('STOR', name, localpath) ftp.storbinary('STOR ' + name, open(localpath, 'rb')) elif os.path.isdir(localpath): print('MKD', name) try: ftp.mkd(name) except error_perm as e: if not e.args[0].startswith('550'): raise print('CWD', name) ftp.cwd(name) placeFiles(ftp, localpath) print('CWD', '..') ftp.cwd('..')
placeFiles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ftp, path):\n for name in os.listdir(path):\n if (name != 'config.py' and name != 'config.pyc' and name !=\n 'templates' and name != 'content'):\n localpath = os.path.join(path, name)\n if os.path.isfile(localpath):\n print('STOR', name, localpath)\n ftp.storbinary('STOR ' + name, open(localpath, 'rb'))\n elif os.path.isdir(localpath):\n print('MKD', name)\n try:\n ftp.mkd(name)\n except error_perm as e:\n if not e.args[0].startswith('550'):\n raise\n print('CWD', name)\n ftp.cwd(name)\n placeFiles(ftp, localpath)\n print('CWD', '..')\n ftp.cwd('..')\n", "role": "user" }, { "content": "placeFiles", "role": "assistant" } ]
def x(outdir): print('Uploading the files in the ' + outdir + '/ directory!\n') config_file_dir = os.path.join(cwd, 'config.py') if not os.path.exists(config_file_dir): sys.exit( "There dosen't seem to be a configuration file. Have you run the init command?" ) else: sys.path.insert(0, cwd) try: from config import ftp_server, ftp_username, ftp_password, ftp_port, ftp_upload_path except: sys.exit( "The FTP settings could not be found. Maybe your config file is too old. Re-run 'blended init' to fix it." ) server = ftp_server username = ftp_username password = ftp_password port = ftp_port ftp = FTP() ftp.connect(server, port) ftp.login(username, password) filenameCV = os.path.join(cwd, outdir) try: ftp.cwd(ftp_upload_path) placeFiles(ftp, filenameCV) except: ftp.quit() sys.exit( 'Files not able to be uploaded! Are you sure the directory exists?' ) ftp.quit() print('\nFTP Done!')
send_ftp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(outdir):\n print('Uploading the files in the ' + outdir + '/ directory!\\n')\n config_file_dir = os.path.join(cwd, 'config.py')\n if not os.path.exists(config_file_dir):\n sys.exit(\n \"There dosen't seem to be a configuration file. Have you run the init command?\"\n )\n else:\n sys.path.insert(0, cwd)\n try:\n from config import ftp_server, ftp_username, ftp_password, ftp_port, ftp_upload_path\n except:\n sys.exit(\n \"The FTP settings could not be found. Maybe your config file is too old. Re-run 'blended init' to fix it.\"\n )\n server = ftp_server\n username = ftp_username\n password = ftp_password\n port = ftp_port\n ftp = FTP()\n ftp.connect(server, port)\n ftp.login(username, password)\n filenameCV = os.path.join(cwd, outdir)\n try:\n ftp.cwd(ftp_upload_path)\n placeFiles(ftp, filenameCV)\n except:\n ftp.quit()\n sys.exit(\n 'Files not able to be uploaded! Are you sure the directory exists?'\n )\n ftp.quit()\n print('\\nFTP Done!')\n", "role": "user" }, { "content": "send_ftp", "role": "assistant" } ]
def x(outdir): print('Removing the built files!') build_dir = os.path.join(cwd, outdir) if os.path.exists(build_dir): shutil.rmtree(build_dir)
clean_built
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(outdir):\n print('Removing the built files!')\n build_dir = os.path.join(cwd, outdir)\n if os.path.exists(build_dir):\n shutil.rmtree(build_dir)\n", "role": "user" }, { "content": "clean_built", "role": "assistant" } ]
def x(outdir): print('Zipping the built files!') config_file_dir = os.path.join(cwd, 'config.py') if not os.path.exists(config_file_dir): sys.exit( "There dosen't seem to be a configuration file. Have you run the init command?" ) else: sys.path.insert(0, cwd) try: from config import website_name except: sys.exit( "Some of the configuration values could not be found! Maybe your config.py is too old. Run 'blended init' to fix." ) build_dir = os.path.join(cwd, outdir) zip_dir = os.path.join(cwd, website_name.replace(' ', '_') + '-build-' + str(datetime.now().date())) if os.path.exists(build_dir): shutil.make_archive(zip_dir, 'zip', build_dir) else: print('The ' + outdir + "/ folder could not be found! Have you run 'blended build' yet?")
zip_built
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(outdir):\n print('Zipping the built files!')\n config_file_dir = os.path.join(cwd, 'config.py')\n if not os.path.exists(config_file_dir):\n sys.exit(\n \"There dosen't seem to be a configuration file. Have you run the init command?\"\n )\n else:\n sys.path.insert(0, cwd)\n try:\n from config import website_name\n except:\n sys.exit(\n \"Some of the configuration values could not be found! Maybe your config.py is too old. Run 'blended init' to fix.\"\n )\n build_dir = os.path.join(cwd, outdir)\n zip_dir = os.path.join(cwd, website_name.replace(' ', '_') + '-build-' +\n str(datetime.now().date()))\n if os.path.exists(build_dir):\n shutil.make_archive(zip_dir, 'zip', build_dir)\n else:\n print('The ' + outdir +\n \"/ folder could not be found! Have you run 'blended build' yet?\")\n", "role": "user" }, { "content": "zip_built", "role": "assistant" } ]
def x(): print('Purging the Blended files!') templ_dir = os.path.join(cwd, 'templates') if os.path.exists(templ_dir): shutil.rmtree(templ_dir) cont_dir = os.path.join(cwd, 'content') if os.path.exists(cont_dir): shutil.rmtree(cont_dir) build_dir = os.path.join(cwd, 'build') if os.path.exists(build_dir): shutil.rmtree(build_dir) config_file_dir = os.path.join(cwd, 'config.py') if os.path.exists(config_file_dir): os.remove(config_file_dir) config2_file_dir = os.path.join(cwd, 'config.pyc') if os.path.exists(config2_file_dir): os.remove(config2_file_dir) config3_file_dir = os.path.join(cwd, 'config.py.oldbak') if os.path.exists(config3_file_dir): os.remove(config3_file_dir)
purge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n print('Purging the Blended files!')\n templ_dir = os.path.join(cwd, 'templates')\n if os.path.exists(templ_dir):\n shutil.rmtree(templ_dir)\n cont_dir = os.path.join(cwd, 'content')\n if os.path.exists(cont_dir):\n shutil.rmtree(cont_dir)\n build_dir = os.path.join(cwd, 'build')\n if os.path.exists(build_dir):\n shutil.rmtree(build_dir)\n config_file_dir = os.path.join(cwd, 'config.py')\n if os.path.exists(config_file_dir):\n os.remove(config_file_dir)\n config2_file_dir = os.path.join(cwd, 'config.pyc')\n if os.path.exists(config2_file_dir):\n os.remove(config2_file_dir)\n config3_file_dir = os.path.join(cwd, 'config.py.oldbak')\n if os.path.exists(config3_file_dir):\n os.remove(config3_file_dir)\n", "role": "user" }, { "content": "purge", "role": "assistant" } ]
def x(filename): text_content = open(filename, 'r') if '.md' in filename: text_cont1 = '\n' + markdown.markdown(text_content.read()) + '\n' elif '.docx' in filename: with open(os.path.join(cwd, 'content', filename), 'rb') as docx_file: result = mammoth.convert_to_html(docx_file) final_docx_html = result.value text_cont1 = '\n' + final_docx_html + '\n' elif '.tile' in filename: text_cont1 = '\n' + textile.textile(text_content.read()) + '\n' elif '.jade' in filename: text_cont1 = '\n' + pyjade.simple_convert(text_content.read()) + '\n' elif '.rst' in filename: text_cont1 = '\n' + publish_parts(text_content.read(), writer_name= 'html')['html_body'] + '\n' elif '.html' in filename: text_cont1 = text_content.read() elif '.txt' in filename: text_cont1 = text_content.read() else: print(filename + ' is not a valid file type!') text_cont1 = 'NULL' return text_cont1 + '\n\n'
convert_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n text_content = open(filename, 'r')\n if '.md' in filename:\n text_cont1 = '\\n' + markdown.markdown(text_content.read()) + '\\n'\n elif '.docx' in filename:\n with open(os.path.join(cwd, 'content', filename), 'rb') as docx_file:\n result = mammoth.convert_to_html(docx_file)\n final_docx_html = result.value\n text_cont1 = '\\n' + final_docx_html + '\\n'\n elif '.tile' in filename:\n text_cont1 = '\\n' + textile.textile(text_content.read()) + '\\n'\n elif '.jade' in filename:\n text_cont1 = '\\n' + pyjade.simple_convert(text_content.read()) + '\\n'\n elif '.rst' in filename:\n text_cont1 = '\\n' + publish_parts(text_content.read(), writer_name=\n 'html')['html_body'] + '\\n'\n elif '.html' in filename:\n text_cont1 = text_content.read()\n elif '.txt' in filename:\n text_cont1 = text_content.read()\n else:\n print(filename + ' is not a valid file type!')\n text_cont1 = 'NULL'\n return text_cont1 + '\\n\\n'\n", "role": "user" }, { "content": "convert_text", "role": "assistant" } ]
def x(outdir): print('Building your Blended files into a website!') reload(sys) sys.setdefaultencoding('utf8') build_files(outdir) print('The files are built! You can find them in the ' + outdir + '/ directory. Run the view command to see what you have created in a web browser.' )
build
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(outdir):\n print('Building your Blended files into a website!')\n reload(sys)\n sys.setdefaultencoding('utf8')\n build_files(outdir)\n print('The files are built! You can find them in the ' + outdir +\n '/ directory. Run the view command to see what you have created in a web browser.'\n )\n", "role": "user" }, { "content": "build", "role": "assistant" } ]
def x(outdir): print('Building your Blended files into a website!') global outdir_type outdir_type = outdir reload(sys) sys.setdefaultencoding('utf8') build_files(outdir) print( 'Watching the content and templates directories for changes, press CTRL+C to stop...\n' ) w = Watcher() w.run()
interactive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(outdir):\n print('Building your Blended files into a website!')\n global outdir_type\n outdir_type = outdir\n reload(sys)\n sys.setdefaultencoding('utf8')\n build_files(outdir)\n print(\n 'Watching the content and templates directories for changes, press CTRL+C to stop...\\n'\n )\n w = Watcher()\n w.run()\n", "role": "user" }, { "content": "interactive", "role": "assistant" } ]
def x(outdir): index_path = os.path.realpath(os.path.join(cwd, outdir, 'index.html')) if os.path.exists(index_path): webbrowser.open('file://' + index_path) else: print('The index.html file could not be found in the ' + outdir + "/ folder! Have you deleted it or have you built with home_page_list set to 'no' in config.py?" )
view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(outdir):\n index_path = os.path.realpath(os.path.join(cwd, outdir, 'index.html'))\n if os.path.exists(index_path):\n webbrowser.open('file://' + index_path)\n else:\n print('The index.html file could not be found in the ' + outdir +\n \"/ folder! Have you deleted it or have you built with home_page_list set to 'no' in config.py?\"\n )\n", "role": "user" }, { "content": "view", "role": "assistant" } ]
def x(self): event_handler = Handler() threads = [] paths = [os.path.join(cwd, 'content'), os.path.join(cwd, 'templates')] for i in paths: targetPath = str(i) self.observer.schedule(event_handler, targetPath, recursive=True) threads.append(self.observer) self.observer.start() try: while True: time.sleep(5) except: self.observer.stop() print('\nObserver stopped.') self.observer.join()
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n event_handler = Handler()\n threads = []\n paths = [os.path.join(cwd, 'content'), os.path.join(cwd, 'templates')]\n for i in paths:\n targetPath = str(i)\n self.observer.schedule(event_handler, targetPath, recursive=True)\n threads.append(self.observer)\n self.observer.start()\n try:\n while True:\n time.sleep(5)\n except:\n self.observer.stop()\n print('\\nObserver stopped.')\n self.observer.join()\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(uncleaned_numbers): cleaned_numbers = [] for x in uncleaned_numbers: try: cleaned_numbers.append(int(x)) except ValueError: cleaned_numbers.append(x) return cleaned_numbers
sanitize_numbers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(uncleaned_numbers):\n cleaned_numbers = []\n for x in uncleaned_numbers:\n try:\n cleaned_numbers.append(int(x))\n except ValueError:\n cleaned_numbers.append(x)\n return cleaned_numbers\n", "role": "user" }, { "content": "sanitize_numbers", "role": "assistant" } ]
def x(numbers): min_number = min(filter(lambda x: type(x) == int, numbers)) if min_number < 0: return [(x + abs(min_number) if type(x) == int else x) for x in numbers ] else: return numbers
handle_negatives
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(numbers):\n min_number = min(filter(lambda x: type(x) == int, numbers))\n if min_number < 0:\n return [(x + abs(min_number) if type(x) == int else x) for x in numbers\n ]\n else:\n return numbers\n", "role": "user" }, { "content": "handle_negatives", "role": "assistant" } ]
def x(numbers): max_number = max(filter(lambda x: type(x) == int, numbers)) if max_number == 0: return upticks[0] * len(numbers) else: normalized_numbers = [(float(x) / max_number if type(x) == int else x) for x in numbers] upticks_indexes = [(int(math.ceil(x * len(upticks))) if type(x) == float else x) for x in normalized_numbers] return ''.join([(' ' if type(x) == str else upticks[x - 1] if x != 0 else upticks[0]) for x in upticks_indexes])
draw_tickgram
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(numbers):\n max_number = max(filter(lambda x: type(x) == int, numbers))\n if max_number == 0:\n return upticks[0] * len(numbers)\n else:\n normalized_numbers = [(float(x) / max_number if type(x) == int else\n x) for x in numbers]\n upticks_indexes = [(int(math.ceil(x * len(upticks))) if type(x) ==\n float else x) for x in normalized_numbers]\n return ''.join([(' ' if type(x) == str else upticks[x - 1] if x != \n 0 else upticks[0]) for x in upticks_indexes])\n", "role": "user" }, { "content": "draw_tickgram", "role": "assistant" } ]
def x(fig, X='L5E'): show_ax_labels = True show_insets = False show_images = False T = [800, 1000] T_inset = [900, 920] left = 0.075 bottom = 0.05 top = 0.475 right = 0.95 axwidth = 0.16 numcols = 4 insetwidth = axwidth / 2 insetheight = 0.5 lefts = np.linspace(left, right - axwidth, numcols) lefts += axwidth / 2 ax4 = fig.add_axes([lefts[0], bottom, axwidth, top - bottom], frameon=False ) plt.locator_params(nbins=4) ax4.xaxis.set_ticks([]) ax4.yaxis.set_ticks([]) if show_ax_labels: phlp.annotate_subplot(ax4, ncols=4, nrows=1, letter='E') plot_population(ax4, params, isometricangle=np.pi / 24, rasterized=False) ax5 = fig.add_axes([lefts[1], bottom, axwidth, top - bottom]) plt.locator_params(nbins=4) phlp.remove_axis_junk(ax5) if show_ax_labels: phlp.annotate_subplot(ax5, ncols=4, nrows=1, letter='F') plot_signal_sum(ax5, params, fname=os.path.join(params.savefolder, 'CSDsum.h5'), unit='$\\mu$A mm$^{-3}$', T=T, ylim=[ax4.axis()[2], ax4.axis()[3]], rasterized=False) ax5.set_title('CSD', va='center') if show_insets: ax6 = fig.add_axes([lefts[1] + axwidth - insetwidth, top - insetheight, insetwidth, insetheight]) plt.locator_params(nbins=4) phlp.remove_axis_junk(ax6) plot_signal_sum_colorplot(ax6, params, os.path.join(params. savefolder, 'CSDsum.h5'), unit='$\\mu$Amm$^{-3}$', T=T_inset, ylim=[ax4.axis()[2], ax4.axis()[3]], fancy=False, colorbar= False, cmap='bwr_r') ax6.set_xticks(T_inset) ax6.set_yticklabels([]) if show_images: plot_signal_sum_colorplot(ax5, params, os.path.join(params. savefolder, 'CSDsum.h5'), unit='$\\mu$Amm$^{-3}$', T=T, ylim=[ ax4.axis()[2], ax4.axis()[3]], fancy=False, colorbar=False, cmap='jet_r') ax7 = fig.add_axes([lefts[2], bottom, axwidth, top - bottom]) plt.locator_params(nbins=4) if show_ax_labels: phlp.annotate_subplot(ax7, ncols=4, nrows=1, letter='G') phlp.remove_axis_junk(ax7) plot_signal_sum(ax7, params, fname=os.path.join(params.savefolder, 'LFPsum.h5'), unit='mV', T=T, ylim=[ax4.axis()[2], ax4.axis()[3]], rasterized=False) ax7.set_title('LFP', va='center') if show_insets: ax8 = fig.add_axes([lefts[2] + axwidth - insetwidth, top - insetheight, insetwidth, insetheight]) plt.locator_params(nbins=4) phlp.remove_axis_junk(ax8) plot_signal_sum_colorplot(ax8, params, os.path.join(params. savefolder, 'LFPsum.h5'), unit='mV', T=T_inset, ylim=[ax4.axis( )[2], ax4.axis()[3]], fancy=False, colorbar=False, cmap='bwr_r') ax8.set_xticks(T_inset) ax8.set_yticklabels([]) if show_images: plot_signal_sum_colorplot(ax7, params, os.path.join(params. savefolder, 'LFPsum.h5'), unit='mV', T=T, ylim=[ax4.axis()[2], ax4.axis()[3]], fancy=False, colorbar=False, cmap='bwr_r')
plot_multi_scale_output_b
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fig, X='L5E'):\n show_ax_labels = True\n show_insets = False\n show_images = False\n T = [800, 1000]\n T_inset = [900, 920]\n left = 0.075\n bottom = 0.05\n top = 0.475\n right = 0.95\n axwidth = 0.16\n numcols = 4\n insetwidth = axwidth / 2\n insetheight = 0.5\n lefts = np.linspace(left, right - axwidth, numcols)\n lefts += axwidth / 2\n ax4 = fig.add_axes([lefts[0], bottom, axwidth, top - bottom], frameon=False\n )\n plt.locator_params(nbins=4)\n ax4.xaxis.set_ticks([])\n ax4.yaxis.set_ticks([])\n if show_ax_labels:\n phlp.annotate_subplot(ax4, ncols=4, nrows=1, letter='E')\n plot_population(ax4, params, isometricangle=np.pi / 24, rasterized=False)\n ax5 = fig.add_axes([lefts[1], bottom, axwidth, top - bottom])\n plt.locator_params(nbins=4)\n phlp.remove_axis_junk(ax5)\n if show_ax_labels:\n phlp.annotate_subplot(ax5, ncols=4, nrows=1, letter='F')\n plot_signal_sum(ax5, params, fname=os.path.join(params.savefolder,\n 'CSDsum.h5'), unit='$\\\\mu$A mm$^{-3}$', T=T, ylim=[ax4.axis()[2],\n ax4.axis()[3]], rasterized=False)\n ax5.set_title('CSD', va='center')\n if show_insets:\n ax6 = fig.add_axes([lefts[1] + axwidth - insetwidth, top -\n insetheight, insetwidth, insetheight])\n plt.locator_params(nbins=4)\n phlp.remove_axis_junk(ax6)\n plot_signal_sum_colorplot(ax6, params, os.path.join(params.\n savefolder, 'CSDsum.h5'), unit='$\\\\mu$Amm$^{-3}$', T=T_inset,\n ylim=[ax4.axis()[2], ax4.axis()[3]], fancy=False, colorbar=\n False, cmap='bwr_r')\n ax6.set_xticks(T_inset)\n ax6.set_yticklabels([])\n if show_images:\n plot_signal_sum_colorplot(ax5, params, os.path.join(params.\n savefolder, 'CSDsum.h5'), unit='$\\\\mu$Amm$^{-3}$', T=T, ylim=[\n ax4.axis()[2], ax4.axis()[3]], fancy=False, colorbar=False,\n cmap='jet_r')\n ax7 = fig.add_axes([lefts[2], bottom, axwidth, top - bottom])\n plt.locator_params(nbins=4)\n if show_ax_labels:\n phlp.annotate_subplot(ax7, ncols=4, nrows=1, letter='G')\n phlp.remove_axis_junk(ax7)\n plot_signal_sum(ax7, params, fname=os.path.join(params.savefolder,\n 'LFPsum.h5'), unit='mV', T=T, ylim=[ax4.axis()[2], ax4.axis()[3]],\n rasterized=False)\n ax7.set_title('LFP', va='center')\n if show_insets:\n ax8 = fig.add_axes([lefts[2] + axwidth - insetwidth, top -\n insetheight, insetwidth, insetheight])\n plt.locator_params(nbins=4)\n phlp.remove_axis_junk(ax8)\n plot_signal_sum_colorplot(ax8, params, os.path.join(params.\n savefolder, 'LFPsum.h5'), unit='mV', T=T_inset, ylim=[ax4.axis(\n )[2], ax4.axis()[3]], fancy=False, colorbar=False, cmap='bwr_r')\n ax8.set_xticks(T_inset)\n ax8.set_yticklabels([])\n if show_images:\n plot_signal_sum_colorplot(ax7, params, os.path.join(params.\n savefolder, 'LFPsum.h5'), unit='mV', T=T, ylim=[ax4.axis()[2],\n ax4.axis()[3]], fancy=False, colorbar=False, cmap='bwr_r')\n", "role": "user" }, { "content": "plot_multi_scale_output_b", "role": "assistant" } ]
def x(model_params): gidfile = open(os.path.join(model_params.raw_nest_output_path, model_params.GID_filename), 'r') gids = [] for l in gidfile: a = l.split() gids.append([int(a[0]), int(a[1])]) return gids
get_raw_gids
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(model_params):\n gidfile = open(os.path.join(model_params.raw_nest_output_path,\n model_params.GID_filename), 'r')\n gids = []\n for l in gidfile:\n a = l.split()\n gids.append([int(a[0]), int(a[1])])\n return gids\n", "role": "user" }, { "content": "get_raw_gids", "role": "assistant" } ]
def x(path): if os.path.exists(path): shutil.rmtree(path) os.makedirs(path) else: os.makedirs(path)
replace_folder
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n if os.path.exists(path):\n shutil.rmtree(path)\n os.makedirs(path)\n else:\n os.makedirs(path)\n", "role": "user" }, { "content": "replace_folder", "role": "assistant" } ]
def x(filename): if '.html' in filename: newFilename = filename elif '.md' in filename: newFilename = filename.replace('.md', '.html') elif '.tile' in filename: newFilename = filename.replace('.tile', '.html') elif '.jade' in filename: newFilename = filename.replace('.jade', '.html') elif '.txt' in filename: newFilename = filename.replace('.txt', '.html') elif '.rst' in filename: newFilename = filename.replace('.rst', '.html') elif '.docx' in filename: newFilename = filename.replace('.docx', '.html') else: print(filename + ' is not a valid file type!') return newFilename
get_html_filename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n if '.html' in filename:\n newFilename = filename\n elif '.md' in filename:\n newFilename = filename.replace('.md', '.html')\n elif '.tile' in filename:\n newFilename = filename.replace('.tile', '.html')\n elif '.jade' in filename:\n newFilename = filename.replace('.jade', '.html')\n elif '.txt' in filename:\n newFilename = filename.replace('.txt', '.html')\n elif '.rst' in filename:\n newFilename = filename.replace('.rst', '.html')\n elif '.docx' in filename:\n newFilename = filename.replace('.docx', '.html')\n else:\n print(filename + ' is not a valid file type!')\n return newFilename\n", "role": "user" }, { "content": "get_html_filename", "role": "assistant" } ]
def x(filename): newFilename = filename.replace('.html', '') newFilename = newFilename.replace('.md', '') newFilename = newFilename.replace('.txt', '') newFilename = newFilename.replace('.tile', '') newFilename = newFilename.replace('.jade', '') newFilename = newFilename.replace('.rst', '') newFilename = newFilename.replace('.docx', '') newFilename = newFilename.replace('index', 'home') newFilename = newFilename.replace('-', ' ') newFilename = newFilename.replace('_', ' ') newFilename = newFilename.title() return newFilename
get_html_clear_filename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n newFilename = filename.replace('.html', '')\n newFilename = newFilename.replace('.md', '')\n newFilename = newFilename.replace('.txt', '')\n newFilename = newFilename.replace('.tile', '')\n newFilename = newFilename.replace('.jade', '')\n newFilename = newFilename.replace('.rst', '')\n newFilename = newFilename.replace('.docx', '')\n newFilename = newFilename.replace('index', 'home')\n newFilename = newFilename.replace('-', ' ')\n newFilename = newFilename.replace('_', ' ')\n newFilename = newFilename.title()\n return newFilename\n", "role": "user" }, { "content": "get_html_clear_filename", "role": "assistant" } ]
def x(username, repo, thedir): theurl = ('https://github.com/' + username + '/' + repo + '/archive/master.zip') name = os.path.join(thedir, 'temp.zip') try: name = urllib.urlretrieve(theurl, name) name = os.path.join(thedir, 'temp.zip') except IOError as e: print("Can't retrieve %r to %r: %s" % (theurl, thedir, e)) return try: z = zipfile.ZipFile(name) except zipfile.error as e: print('Bad zipfile (from %r): %s' % (theurl, e)) return z.extractall(thedir) z.close() os.remove(name) copy_tree(os.path.join(thedir, repo + '-master'), thedir) shutil.rmtree(os.path.join(thedir, repo + '-master'))
getunzipped
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(username, repo, thedir):\n theurl = ('https://github.com/' + username + '/' + repo +\n '/archive/master.zip')\n name = os.path.join(thedir, 'temp.zip')\n try:\n name = urllib.urlretrieve(theurl, name)\n name = os.path.join(thedir, 'temp.zip')\n except IOError as e:\n print(\"Can't retrieve %r to %r: %s\" % (theurl, thedir, e))\n return\n try:\n z = zipfile.ZipFile(name)\n except zipfile.error as e:\n print('Bad zipfile (from %r): %s' % (theurl, e))\n return\n z.extractall(thedir)\n z.close()\n os.remove(name)\n copy_tree(os.path.join(thedir, repo + '-master'), thedir)\n shutil.rmtree(os.path.join(thedir, repo + '-master'))\n", "role": "user" }, { "content": "getunzipped", "role": "assistant" } ]
def x(): config_file_dir = os.path.join(cwd, 'config.py') if os.path.exists(config_file_dir): print('Making a backup of your config file!') config_file_dir2 = os.path.join(cwd, 'config.py.oldbak') copyfile(config_file_dir, config_file_dir2)
checkConfig
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n config_file_dir = os.path.join(cwd, 'config.py')\n if os.path.exists(config_file_dir):\n print('Making a backup of your config file!')\n config_file_dir2 = os.path.join(cwd, 'config.py.oldbak')\n copyfile(config_file_dir, config_file_dir2)\n", "role": "user" }, { "content": "checkConfig", "role": "assistant" } ]
def x(app_version=5.0, wname='', wdesc='', wdescl='', wlic='', wlan='', wurl='', aname='', abio=''): config_file_dir = os.path.join(cwd, 'config.py') config_file = open(config_file_dir, 'w') config_file.write('blended_version = ' + app_version + '\n') config_file.write('\n') config_file.write( '# Configuration is automatically generated by Blended (http://jmroper.com/blended), feel free to edit any values below' ) config_file.write('\n') config_file.write('website_name = "' + wname + '"\n') config_file.write('website_description = "' + wdesc + '"\n') config_file.write('website_description_long = "' + wdescl + '"\n') config_file.write('website_license = "' + wlic + '"\n') config_file.write('website_language = "' + wlan + '"\n') config_file.write('website_url = "' + wurl + '"\n') config_file.write('\n') config_file.write('author_name = "' + aname + '"\n') config_file.write('author_bio = "' + abio + '"\n') config_file.write('\n') config_file.write('home_page_list = True\n') config_file.write('\n') config_file.write('plugins = [] # Place all needed plugins in here\n') config_file.write( 'custom_variables = {} # Place all custom variables in here\n') config_file.write('\n') config_file.write('minify_css = False\n') config_file.write('minify_js = False\n') config_file.write('\n') config_file.write('# The following values are used for FTP uploads') config_file.write('\n') config_file.write('ftp_server = "localhost"\n') config_file.write('ftp_username = "user"\n') config_file.write('ftp_password = "pass"\n') config_file.write('ftp_port = 21\n') config_file.write('ftp_upload_path = "public_html/myWebsite"\n') config_file.close()
createConfig
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app_version=5.0, wname='', wdesc='', wdescl='', wlic='', wlan='',\n wurl='', aname='', abio=''):\n config_file_dir = os.path.join(cwd, 'config.py')\n config_file = open(config_file_dir, 'w')\n config_file.write('blended_version = ' + app_version + '\\n')\n config_file.write('\\n')\n config_file.write(\n '# Configuration is automatically generated by Blended (http://jmroper.com/blended), feel free to edit any values below'\n )\n config_file.write('\\n')\n config_file.write('website_name = \"' + wname + '\"\\n')\n config_file.write('website_description = \"' + wdesc + '\"\\n')\n config_file.write('website_description_long = \"' + wdescl + '\"\\n')\n config_file.write('website_license = \"' + wlic + '\"\\n')\n config_file.write('website_language = \"' + wlan + '\"\\n')\n config_file.write('website_url = \"' + wurl + '\"\\n')\n config_file.write('\\n')\n config_file.write('author_name = \"' + aname + '\"\\n')\n config_file.write('author_bio = \"' + abio + '\"\\n')\n config_file.write('\\n')\n config_file.write('home_page_list = True\\n')\n config_file.write('\\n')\n config_file.write('plugins = [] # Place all needed plugins in here\\n')\n config_file.write(\n 'custom_variables = {} # Place all custom variables in here\\n')\n config_file.write('\\n')\n config_file.write('minify_css = False\\n')\n config_file.write('minify_js = False\\n')\n config_file.write('\\n')\n config_file.write('# The following values are used for FTP uploads')\n config_file.write('\\n')\n config_file.write('ftp_server = \"localhost\"\\n')\n config_file.write('ftp_username = \"user\"\\n')\n config_file.write('ftp_password = \"pass\"\\n')\n config_file.write('ftp_port = 21\\n')\n config_file.write('ftp_upload_path = \"public_html/myWebsite\"\\n')\n config_file.close()\n", "role": "user" }, { "content": "createConfig", "role": "assistant" } ]
def x(): create_folder(os.path.join(cwd, 'templates')) create_folder(os.path.join(cwd, 'templates', 'assets')) create_folder(os.path.join(cwd, 'templates', 'assets', 'css')) create_folder(os.path.join(cwd, 'templates', 'assets', 'js')) create_folder(os.path.join(cwd, 'templates', 'assets', 'img')) create_folder(os.path.join(cwd, 'content'))
createBlendedFolders
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n create_folder(os.path.join(cwd, 'templates'))\n create_folder(os.path.join(cwd, 'templates', 'assets'))\n create_folder(os.path.join(cwd, 'templates', 'assets', 'css'))\n create_folder(os.path.join(cwd, 'templates', 'assets', 'js'))\n create_folder(os.path.join(cwd, 'templates', 'assets', 'img'))\n create_folder(os.path.join(cwd, 'content'))\n", "role": "user" }, { "content": "createBlendedFolders", "role": "assistant" } ]
def x(keys): items = ((k, os.environ.get(k)) for k in keys) subenv = dict((k, v) for k, v in items if v is not None) needset = lambda k: k in keys and not subenv.get(k) def x(key, value): if value: subenv[key] = value if needset('HOST'): import platform subenv['HOST'] = platform.node() if needset('TTY'): setifnonempty('TTY', get_tty()) if needset('RASH_SPENV_TERMINAL'): from .utils.termdetection import detect_terminal setifnonempty('RASH_SPENV_TERMINAL', detect_terminal()) return subenv
get_environ
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(keys):\n items = ((k, os.environ.get(k)) for k in keys)\n subenv = dict((k, v) for k, v in items if v is not None)\n needset = lambda k: k in keys and not subenv.get(k)\n\n def x(key, value):\n if value:\n subenv[key] = value\n if needset('HOST'):\n import platform\n subenv['HOST'] = platform.node()\n if needset('TTY'):\n setifnonempty('TTY', get_tty())\n if needset('RASH_SPENV_TERMINAL'):\n from .utils.termdetection import detect_terminal\n setifnonempty('RASH_SPENV_TERMINAL', detect_terminal())\n return subenv\n", "role": "user" }, { "content": "get_environ", "role": "assistant" } ]
def x(data): host = data['environ']['HOST'] tty = data['environ'].get('TTY') or 'NO_TTY' return ':'.join(map(str, [host, tty, os.getppid(), data['start']]))
generate_session_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n host = data['environ']['HOST']\n tty = data['environ'].get('TTY') or 'NO_TTY'\n return ':'.join(map(str, [host, tty, os.getppid(), data['start']]))\n", "role": "user" }, { "content": "generate_session_id", "role": "assistant" } ]
def x(record_type, print_session_id, **kwds): if print_session_id and record_type != 'init': raise RuntimeError( '--print-session-id should be used with --record-type=init') cfstore = ConfigStore() config = cfstore.get_config() envkeys = config.record.environ[record_type] json_path = os.path.join(cfstore.record_path, record_type, time. strftime('%Y-%m-%d-%H%M%S.json')) mkdirp(os.path.dirname(json_path)) data = dict((k, v) for k, v in kwds.items() if v is not None) data.update(environ=get_environ(envkeys)) data.setdefault('cwd', getcwd()) if record_type in ['command', 'exit']: data.setdefault('stop', int(time.time())) elif record_type in ['init']: data.setdefault('start', int(time.time())) if print_session_id: data['session_id'] = generate_session_id(data) print(data['session_id']) with open(json_path, 'w') as fp: json.dump(data, fp)
record_run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(record_type, print_session_id, **kwds):\n if print_session_id and record_type != 'init':\n raise RuntimeError(\n '--print-session-id should be used with --record-type=init')\n cfstore = ConfigStore()\n config = cfstore.get_config()\n envkeys = config.record.environ[record_type]\n json_path = os.path.join(cfstore.record_path, record_type, time.\n strftime('%Y-%m-%d-%H%M%S.json'))\n mkdirp(os.path.dirname(json_path))\n data = dict((k, v) for k, v in kwds.items() if v is not None)\n data.update(environ=get_environ(envkeys))\n data.setdefault('cwd', getcwd())\n if record_type in ['command', 'exit']:\n data.setdefault('stop', int(time.time()))\n elif record_type in ['init']:\n data.setdefault('start', int(time.time()))\n if print_session_id:\n data['session_id'] = generate_session_id(data)\n print(data['session_id'])\n with open(json_path, 'w') as fp:\n json.dump(data, fp)\n", "role": "user" }, { "content": "record_run", "role": "assistant" } ]
def x(format_string, *args, **kwargs): args_safe = map(conditional_escape, args) kwargs_safe = dict([(k, conditional_escape(v)) for k, v in six. iteritems(kwargs)]) return mark_safe(format_string.format(*args_safe, **kwargs_safe))
format_html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(format_string, *args, **kwargs):\n args_safe = map(conditional_escape, args)\n kwargs_safe = dict([(k, conditional_escape(v)) for k, v in six.\n iteritems(kwargs)])\n return mark_safe(format_string.format(*args_safe, **kwargs_safe))\n", "role": "user" }, { "content": "format_html", "role": "assistant" } ]
def x(path): if path is None: return None if path.endswith(os.path.sep): return path else: return path + os.path.sep
normalize_directory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n if path is None:\n return None\n if path.endswith(os.path.sep):\n return path\n else:\n return path + os.path.sep\n", "role": "user" }, { "content": "normalize_directory", "role": "assistant" } ]
def x(command): args = command.split(' ') for prog in args: if '=' not in prog: return prog return args[0]
sql_program_name_func
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(command):\n args = command.split(' ')\n for prog in args:\n if '=' not in prog:\n return prog\n return args[0]\n", "role": "user" }, { "content": "sql_program_name_func", "role": "assistant" } ]
def x(path1, path2, sep=os.path.sep): seq1 = path1.rstrip(sep).split(sep) seq2 = path2.rstrip(sep).split(sep) return sum(1 for p1, p2 in zip_longest(seq1, seq2) if p1 != p2)
sql_pathdist_func
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path1, path2, sep=os.path.sep):\n seq1 = path1.rstrip(sep).split(sep)\n seq2 = path2.rstrip(sep).split(sep)\n return sum(1 for p1, p2 in zip_longest(seq1, seq2) if p1 != p2)\n", "role": "user" }, { "content": "sql_pathdist_func", "role": "assistant" } ]
def x(self): with self._get_db() as db: with open(self.schemapath) as f: db.cursor().executescript(f.read()) db.commit()
init_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._get_db() as db:\n with open(self.schemapath) as f:\n db.cursor().executescript(f.read())\n db.commit()\n", "role": "user" }, { "content": "init_db", "role": "assistant" } ]
def x(self, commit=False): if commit: self._need_commit = True if self._db: yield self._db else: try: with self._get_db() as db: self._db = db db.create_function('REGEXP', 2, sql_regexp_func) db.create_function('PROGRAM_NAME', 1, sql_program_name_func) db.create_function('PATHDIST', 2, sql_pathdist_func) yield self._db if self._need_commit: db.commit() finally: self._db = None self._need_commit = False
connection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, commit=False):\n if commit:\n self._need_commit = True\n if self._db:\n yield self._db\n else:\n try:\n with self._get_db() as db:\n self._db = db\n db.create_function('REGEXP', 2, sql_regexp_func)\n db.create_function('PROGRAM_NAME', 1, sql_program_name_func)\n db.create_function('PATHDIST', 2, sql_pathdist_func)\n yield self._db\n if self._need_commit:\n db.commit()\n finally:\n self._db = None\n self._need_commit = False\n", "role": "user" }, { "content": "connection", "role": "assistant" } ]
def x(self): if self._db: db = self._db try: if self._need_commit: db.commit() finally: db.interrupt() self._db = None self._need_commit = False
close_connection
[ { "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._db:\n db = self._db\n try:\n if self._need_commit:\n db.commit()\n finally:\n db.interrupt()\n self._db = None\n self._need_commit = False\n", "role": "user" }, { "content": "close_connection", "role": "assistant" } ]
def x(self, sql, params=[]): with self.connection() as connection: for row in connection.execute(sql, params): yield row if not self._db: return
executing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sql, params=[]):\n with self.connection() as connection:\n for row in connection.execute(sql, params):\n yield row\n if not self._db:\n return\n", "role": "user" }, { "content": "executing", "role": "assistant" } ]
def x(self): keys = ['id', 'rash_version', 'schema_version', 'updated'] sql = """ SELECT id, rash_version, schema_version, updated FROM rash_info ORDER BY id DESC """ with self.connection() as connection: for row in connection.execute(sql): yield VersionRecord(**dict(zip(keys, row)))
get_version_records
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n keys = ['id', 'rash_version', 'schema_version', 'updated']\n sql = \"\"\"\n SELECT id, rash_version, schema_version, updated\n FROM rash_info\n ORDER BY id DESC\n \"\"\"\n with self.connection() as connection:\n for row in connection.execute(sql):\n yield VersionRecord(**dict(zip(keys, row)))\n", "role": "user" }, { "content": "get_version_records", "role": "assistant" } ]
def x(self): from .__init__ import __version__ as version with self.connection(commit=True) as connection: for vrec in self.get_version_records(): if (vrec.rash_version == version and vrec.schema_version == schema_version): return connection.execute( 'INSERT INTO rash_info (rash_version, schema_version) VALUES (?, ?)' , [version, schema_version])
update_version_records
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n from .__init__ import __version__ as version\n with self.connection(commit=True) as connection:\n for vrec in self.get_version_records():\n if (vrec.rash_version == version and vrec.schema_version ==\n schema_version):\n return\n connection.execute(\n 'INSERT INTO rash_info (rash_version, schema_version) VALUES (?, ?)'\n , [version, schema_version])\n", "role": "user" }, { "content": "update_version_records", "role": "assistant" } ]
def x(self, crec): keys = ['command_history_id', 'command', 'session_history_id', 'cwd', 'terminal', 'start', 'stop', 'exit_code'] sql = """ SELECT command_history.id, CL.command, session_id, DL.directory, TL.terminal, start_time, stop_time, exit_code FROM command_history LEFT JOIN command_list AS CL ON command_id = CL.id LEFT JOIN directory_list AS DL ON directory_id = DL.id LEFT JOIN terminal_list AS TL ON terminal_id = TL.id WHERE (CL.command = ? OR (CL.command IS NULL AND ? IS NULL)) AND (DL.directory = ? OR (DL.directory IS NULL AND ? IS NULL)) AND (TL.terminal = ? OR (TL.terminal IS NULL AND ? IS NULL)) AND (start_time = ? OR (start_time IS NULL AND ? IS NULL)) AND (stop_time = ? OR (stop_time IS NULL AND ? IS NULL)) AND (exit_code = ? OR (exit_code IS NULL AND ? IS NULL)) """ desired_row = [crec.command, normalize_directory(crec.cwd), crec. terminal, convert_ts(crec.start), convert_ts(crec.stop), crec.exit_code ] params = list(itertools.chain(*zip(desired_row, desired_row))) return self._select_rows(CommandRecord, keys, sql, params)
select_by_command_record
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, crec):\n keys = ['command_history_id', 'command', 'session_history_id', 'cwd',\n 'terminal', 'start', 'stop', 'exit_code']\n sql = \"\"\"\n SELECT\n command_history.id, CL.command, session_id,\n DL.directory, TL.terminal,\n start_time, stop_time, exit_code\n FROM command_history\n LEFT JOIN command_list AS CL ON command_id = CL.id\n LEFT JOIN directory_list AS DL ON directory_id = DL.id\n LEFT JOIN terminal_list AS TL ON terminal_id = TL.id\n WHERE\n (CL.command = ? OR (CL.command IS NULL AND ? IS NULL)) AND\n (DL.directory = ? OR (DL.directory IS NULL AND ? IS NULL)) AND\n (TL.terminal = ? OR (TL.terminal IS NULL AND ? IS NULL)) AND\n (start_time = ? OR (start_time IS NULL AND ? IS NULL)) AND\n (stop_time = ? OR (stop_time IS NULL AND ? IS NULL)) AND\n (exit_code = ? OR (exit_code IS NULL AND ? IS NULL))\n \"\"\"\n desired_row = [crec.command, normalize_directory(crec.cwd), crec.\n terminal, convert_ts(crec.start), convert_ts(crec.stop), crec.exit_code\n ]\n params = list(itertools.chain(*zip(desired_row, desired_row)))\n return self._select_rows(CommandRecord, keys, sql, params)\n", "role": "user" }, { "content": "select_by_command_record", "role": "assistant" } ]
def x(self, after_context, before_context, context, context_type, **kwds): if after_context or before_context or context: kwds['condition_as_column'] = True limit = kwds['limit'] kwds['limit'] = -1 kwds['unique'] = False kwds['sort_by'] = {'session': ['session_start_time', 'start_time'], 'time': ['start_time']}[context_type] if not kwds['reverse']: after_context, before_context = before_context, after_context sql, params, keys = self._compile_sql_search_command_record(**kwds) records = self._select_rows(CommandRecord, keys, sql, params) predicate = lambda r: r.condition if context: records = include_context(predicate, context, records) elif before_context: records = include_before(predicate, before_context, records) elif after_context: records = include_after(predicate, after_context, records) if after_context or before_context or context and limit >= 0: records = itertools.islice(records, limit) return records
search_command_record
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, after_context, before_context, context, context_type, **kwds):\n if after_context or before_context or context:\n kwds['condition_as_column'] = True\n limit = kwds['limit']\n kwds['limit'] = -1\n kwds['unique'] = False\n kwds['sort_by'] = {'session': ['session_start_time', 'start_time'],\n 'time': ['start_time']}[context_type]\n if not kwds['reverse']:\n after_context, before_context = before_context, after_context\n sql, params, keys = self._compile_sql_search_command_record(**kwds)\n records = self._select_rows(CommandRecord, keys, sql, params)\n predicate = lambda r: r.condition\n if context:\n records = include_context(predicate, context, records)\n elif before_context:\n records = include_before(predicate, before_context, records)\n elif after_context:\n records = include_after(predicate, after_context, records)\n if after_context or before_context or context and limit >= 0:\n records = itertools.islice(records, limit)\n return records\n", "role": "user" }, { "content": "search_command_record", "role": "assistant" } ]
def x(self, command_history_id, merge_session_environ=True): with self.connection() as db: crec = self._select_command_record(db, command_history_id) crec.pipestatus = self._get_pipestatus(db, command_history_id) cenv = self._select_environ(db, 'command', command_history_id) crec.environ.update(cenv) if merge_session_environ: senv = self._select_environ(db, 'session', crec.session_history_id) crec.environ.update(senv) return crec
get_full_command_record
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command_history_id, merge_session_environ=True):\n with self.connection() as db:\n crec = self._select_command_record(db, command_history_id)\n crec.pipestatus = self._get_pipestatus(db, command_history_id)\n cenv = self._select_environ(db, 'command', command_history_id)\n crec.environ.update(cenv)\n if merge_session_environ:\n senv = self._select_environ(db, 'session', crec.session_history_id)\n crec.environ.update(senv)\n return crec\n", "role": "user" }, { "content": "get_full_command_record", "role": "assistant" } ]
def x(self, username, domain, resource, **kwargs): kwargs.setdefault('uptime', pytz.utc.localize(datetime.utcnow())) kwargs.setdefault('priority', 0) kwargs.setdefault('status', 'online') kwargs.setdefault('status_text', '') kwargs.setdefault('connection_type', CONNECTION_XMPP) kwargs.setdefault('encrypted', True) kwargs.setdefault('compressed', False) kwargs.setdefault('ip_address', '127.0.0.1') if six.PY2 and isinstance(kwargs['ip_address'], str): kwargs['ip_address'] = kwargs['ip_address'].decode('utf-8') if isinstance(kwargs['ip_address'], six.string_types): kwargs['ip_address'] = ipaddress.ip_address(kwargs['ip_address']) user = '%s@%s' % (username, domain) session = UserSession(self, username, domain, resource, **kwargs) data = self.module.get(user) if data is None: raise UserNotFound(username, domain, resource) data.setdefault('sessions', set()) if isinstance(data['sessions'], list): data['sessions'] = set(data['sessions']) data['sessions'].add(session) self.module.set(user, data) all_sessions = self.module.get('all_sessions', set()) all_sessions.add(session) self.module.set('all_sessions', all_sessions)
start_user_session
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, domain, resource, **kwargs):\n kwargs.setdefault('uptime', pytz.utc.localize(datetime.utcnow()))\n kwargs.setdefault('priority', 0)\n kwargs.setdefault('status', 'online')\n kwargs.setdefault('status_text', '')\n kwargs.setdefault('connection_type', CONNECTION_XMPP)\n kwargs.setdefault('encrypted', True)\n kwargs.setdefault('compressed', False)\n kwargs.setdefault('ip_address', '127.0.0.1')\n if six.PY2 and isinstance(kwargs['ip_address'], str):\n kwargs['ip_address'] = kwargs['ip_address'].decode('utf-8')\n if isinstance(kwargs['ip_address'], six.string_types):\n kwargs['ip_address'] = ipaddress.ip_address(kwargs['ip_address'])\n user = '%s@%s' % (username, domain)\n session = UserSession(self, username, domain, resource, **kwargs)\n data = self.module.get(user)\n if data is None:\n raise UserNotFound(username, domain, resource)\n data.setdefault('sessions', set())\n if isinstance(data['sessions'], list):\n data['sessions'] = set(data['sessions'])\n data['sessions'].add(session)\n self.module.set(user, data)\n all_sessions = self.module.get('all_sessions', set())\n all_sessions.add(session)\n self.module.set('all_sessions', all_sessions)\n", "role": "user" }, { "content": "start_user_session", "role": "assistant" } ]
def x(d): for key, value in d.iteritems(): if isinstance(value, dict): d[key] = dict_of_numpyarray_to_dict_of_list(value) elif isinstance(value, np.ndarray): d[key] = value.tolist() return d
dict_of_numpyarray_to_dict_of_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d):\n for key, value in d.iteritems():\n if isinstance(value, dict):\n d[key] = dict_of_numpyarray_to_dict_of_list(value)\n elif isinstance(value, np.ndarray):\n d[key] = value.tolist()\n return d\n", "role": "user" }, { "content": "dict_of_numpyarray_to_dict_of_list", "role": "assistant" } ]
def x(name, model, return_attr=False): attr = None try: field = model._meta.get_field_by_name(name)[0] if isinstance(field, RelatedObject): label = field.opts.verbose_name else: label = field.verbose_name except models.FieldDoesNotExist: if name == '__unicode__': label = force_text(model._meta.verbose_name) attr = six.text_type elif name == '__str__': label = force_str(model._meta.verbose_name) attr = bytes else: if callable(name): attr = name elif hasattr(model, name): attr = getattr(model, name) else: message = "Unable to lookup '%s' on %s" % (name, model. _meta.object_name) raise AttributeError(message) if hasattr(attr, 'short_description'): label = attr.short_description elif isinstance(attr, property) and hasattr(attr, 'fget' ) and hasattr(attr.fget, 'short_description'): label = attr.fget.short_description elif callable(attr): if attr.__name__ == '<lambda>': label = '--' else: label = pretty_name(attr.__name__) else: label = pretty_name(name) if return_attr: return label, attr else: return label
label_for_field
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, model, return_attr=False):\n attr = None\n try:\n field = model._meta.get_field_by_name(name)[0]\n if isinstance(field, RelatedObject):\n label = field.opts.verbose_name\n else:\n label = field.verbose_name\n except models.FieldDoesNotExist:\n if name == '__unicode__':\n label = force_text(model._meta.verbose_name)\n attr = six.text_type\n elif name == '__str__':\n label = force_str(model._meta.verbose_name)\n attr = bytes\n else:\n if callable(name):\n attr = name\n elif hasattr(model, name):\n attr = getattr(model, name)\n else:\n message = \"Unable to lookup '%s' on %s\" % (name, model.\n _meta.object_name)\n raise AttributeError(message)\n if hasattr(attr, 'short_description'):\n label = attr.short_description\n elif isinstance(attr, property) and hasattr(attr, 'fget'\n ) and hasattr(attr.fget, 'short_description'):\n label = attr.fget.short_description\n elif callable(attr):\n if attr.__name__ == '<lambda>':\n label = '--'\n else:\n label = pretty_name(attr.__name__)\n else:\n label = pretty_name(name)\n if return_attr:\n return label, attr\n else:\n return label\n", "role": "user" }, { "content": "label_for_field", "role": "assistant" } ]
def x(self, value): value = int(value) with self.lock: self.value += value
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n value = int(value)\n with self.lock:\n self.value += value\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self): instant_rate = float(self.value) / float(self.tick_interval) with self.lock: if self.initialized: self.rate += self.alpha * (instant_rate - self.rate) else: self.initialized = True self.rate = instant_rate self.value = 0
tick
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n instant_rate = float(self.value) / float(self.tick_interval)\n with self.lock:\n if self.initialized:\n self.rate += self.alpha * (instant_rate - self.rate)\n else:\n self.initialized = True\n self.rate = instant_rate\n self.value = 0\n", "role": "user" }, { "content": "tick", "role": "assistant" } ]
def x(self, value): with self.lock: self.tick() for avg in (self.m1, self.m5, self.m15, self.day): avg.update(value) self.count += value
notify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n with self.lock:\n self.tick()\n for avg in (self.m1, self.m5, self.m15, self.day):\n avg.update(value)\n self.count += value\n", "role": "user" }, { "content": "notify", "role": "assistant" } ]
def x(self, times): for i in range(times): for avg in (self.m1, self.m5, self.m15, self.day): avg.tick()
tick_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, times):\n for i in range(times):\n for avg in (self.m1, self.m5, self.m15, self.day):\n avg.tick()\n", "role": "user" }, { "content": "tick_all", "role": "assistant" } ]
def x(self): now = time.time() elapsed = now - self.latest_tick if elapsed > self.tick_interval: ticks = int(elapsed / self.tick_interval) self.tick_all(ticks) self.latest_tick = now
tick
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n now = time.time()\n elapsed = now - self.latest_tick\n if elapsed > self.tick_interval:\n ticks = int(elapsed / self.tick_interval)\n self.tick_all(ticks)\n self.latest_tick = now\n", "role": "user" }, { "content": "tick", "role": "assistant" } ]