source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, query):
cur = self._conn.cursor()
cur.execute(query)
row = cur.fetchone()
return util.parse_value(row[0])
|
simpleQuery
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query):\n cur = self._conn.cursor()\n cur.execute(query)\n row = cur.fetchone()\n return util.parse_value(row[0])\n",
"role": "user"
},
{
"content": "simpleQuery",
"role": "assistant"
}
] |
def x(self, key):
cur = self._conn.cursor()
cur.execute('SHOW %s' % key)
row = cur.fetchone()
return util.parse_value(row[0])
|
getParam
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n cur = self._conn.cursor()\n cur.execute('SHOW %s' % key)\n row = cur.fetchone()\n return util.parse_value(row[0])\n",
"role": "user"
},
{
"content": "getParam",
"role": "assistant"
}
] |
def x(self):
cur = self._conn.cursor()
cur.execute('SELECT datname,numbackends FROM pg_stat_database;')
rows = cur.fetchall()
if rows:
return dict(rows)
else:
return {}
|
getConnectionStats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cur = self._conn.cursor()\n cur.execute('SELECT datname,numbackends FROM pg_stat_database;')\n rows = cur.fetchall()\n if rows:\n return dict(rows)\n else:\n return {}\n",
"role": "user"
},
{
"content": "getConnectionStats",
"role": "assistant"
}
] |
def x(self):
headers = ('datname', 'numbackends', 'xact_commit', 'xact_rollback',
'blks_read', 'blks_hit', 'tup_returned', 'tup_fetched',
'tup_inserted', 'tup_updated', 'tup_deleted', 'disk_size')
cur = self._conn.cursor()
cur.execute(
'SELECT %s, pg_database_size(datname) FROM pg_stat_database;' % ','
.join(headers[:-1]))
rows = cur.fetchall()
dbstats = self._createStatsDict(headers, rows)
totals = self._createTotalsDict(headers, rows)
return {'databases': dbstats, 'totals': totals}
|
getDatabaseStats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n headers = ('datname', 'numbackends', 'xact_commit', 'xact_rollback',\n 'blks_read', 'blks_hit', 'tup_returned', 'tup_fetched',\n 'tup_inserted', 'tup_updated', 'tup_deleted', 'disk_size')\n cur = self._conn.cursor()\n cur.execute(\n 'SELECT %s, pg_database_size(datname) FROM pg_stat_database;' % ','\n .join(headers[:-1]))\n rows = cur.fetchall()\n dbstats = self._createStatsDict(headers, rows)\n totals = self._createTotalsDict(headers, rows)\n return {'databases': dbstats, 'totals': totals}\n",
"role": "user"
},
{
"content": "getDatabaseStats",
"role": "assistant"
}
] |
def x(self):
info_dict = {'all': dict(zip(self.lockModes, (0,) * len(self.lockModes)
)), 'wait': dict(zip(self.lockModes, (0,) * len(self.lockModes)))}
cur = self._conn.cursor()
cur.execute(
"SELECT TRIM(mode, 'Lock'), granted, COUNT(*) FROM pg_locks GROUP BY TRIM(mode, 'Lock'), granted;"
)
rows = cur.fetchall()
for mode, granted, cnt in rows:
info_dict['all'][mode] += cnt
if not granted:
info_dict['wait'][mode] += cnt
return info_dict
|
getLockStatsMode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n info_dict = {'all': dict(zip(self.lockModes, (0,) * len(self.lockModes)\n )), 'wait': dict(zip(self.lockModes, (0,) * len(self.lockModes)))}\n cur = self._conn.cursor()\n cur.execute(\n \"SELECT TRIM(mode, 'Lock'), granted, COUNT(*) FROM pg_locks GROUP BY TRIM(mode, 'Lock'), granted;\"\n )\n rows = cur.fetchall()\n for mode, granted, cnt in rows:\n info_dict['all'][mode] += cnt\n if not granted:\n info_dict['wait'][mode] += cnt\n return info_dict\n",
"role": "user"
},
{
"content": "getLockStatsMode",
"role": "assistant"
}
] |
def x(self):
info_dict = {'all': {}, 'wait': {}}
cur = self._conn.cursor()
cur.execute(
'SELECT d.datname, l.granted, COUNT(*) FROM pg_database d JOIN pg_locks l ON d.oid=l.database GROUP BY d.datname, l.granted;'
)
rows = cur.fetchall()
for db, granted, cnt in rows:
info_dict['all'][db] = info_dict['all'].get(db, 0) + cnt
if not granted:
info_dict['wait'][db] = info_dict['wait'].get(db, 0) + cnt
return info_dict
|
getLockStatsDB
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n info_dict = {'all': {}, 'wait': {}}\n cur = self._conn.cursor()\n cur.execute(\n 'SELECT d.datname, l.granted, COUNT(*) FROM pg_database d JOIN pg_locks l ON d.oid=l.database GROUP BY d.datname, l.granted;'\n )\n rows = cur.fetchall()\n for db, granted, cnt in rows:\n info_dict['all'][db] = info_dict['all'].get(db, 0) + cnt\n if not granted:\n info_dict['wait'][db] = info_dict['wait'].get(db, 0) + cnt\n return info_dict\n",
"role": "user"
},
{
"content": "getLockStatsDB",
"role": "assistant"
}
] |
def x(self):
info_dict = {}
if self.checkVersion('8.3'):
cur = self._conn.cursor(cursor_factory=psycopg2.extras.RealDictCursor)
cur.execute('SELECT * FROM pg_stat_bgwriter')
info_dict = cur.fetchone()
return info_dict
|
getBgWriterStats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n info_dict = {}\n if self.checkVersion('8.3'):\n cur = self._conn.cursor(cursor_factory=psycopg2.extras.RealDictCursor)\n cur.execute('SELECT * FROM pg_stat_bgwriter')\n info_dict = cur.fetchone()\n return info_dict\n",
"role": "user"
},
{
"content": "getBgWriterStats",
"role": "assistant"
}
] |
def x(self):
inRecovery = None
if self.checkVersion('9.0'):
inRecovery = self._simpleQuery('SELECT pg_is_in_recovery();')
cur = self._conn.cursor()
if inRecovery:
cols = ['pg_last_xlog_receive_location()',
'pg_last_xlog_replay_location()']
headers = ['xlog_receive_location', 'xlog_replay_location']
if self.checkVersion('9.1'):
cols.extend(['pg_last_xact_replay_timestamp()',
'pg_is_xlog_replay_paused()'])
headers.extend(['xact_replay_timestamp', 'xlog_replay_paused'])
cur.execute('SELECT %s;' % ','.join(cols))
headers = 'xlog_receive_location', 'xlog_replay_location'
else:
cur.execute(
"""SELECT
pg_current_xlog_location(),
pg_xlogfile_name(pg_current_xlog_location());"""
)
headers = 'xlog_location', 'xlog_filename'
row = cur.fetchone()
info_dict = dict(zip(headers, row))
if inRecovery is not None:
info_dict['in_recovery'] = inRecovery
return info_dict
|
getXlogStatus
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n inRecovery = None\n if self.checkVersion('9.0'):\n inRecovery = self._simpleQuery('SELECT pg_is_in_recovery();')\n cur = self._conn.cursor()\n if inRecovery:\n cols = ['pg_last_xlog_receive_location()',\n 'pg_last_xlog_replay_location()']\n headers = ['xlog_receive_location', 'xlog_replay_location']\n if self.checkVersion('9.1'):\n cols.extend(['pg_last_xact_replay_timestamp()',\n 'pg_is_xlog_replay_paused()'])\n headers.extend(['xact_replay_timestamp', 'xlog_replay_paused'])\n cur.execute('SELECT %s;' % ','.join(cols))\n headers = 'xlog_receive_location', 'xlog_replay_location'\n else:\n cur.execute(\n \"\"\"SELECT\n pg_current_xlog_location(), \n pg_xlogfile_name(pg_current_xlog_location());\"\"\"\n )\n headers = 'xlog_location', 'xlog_filename'\n row = cur.fetchone()\n info_dict = dict(zip(headers, row))\n if inRecovery is not None:\n info_dict['in_recovery'] = inRecovery\n return info_dict\n",
"role": "user"
},
{
"content": "getXlogStatus",
"role": "assistant"
}
] |
def x(self):
info_dict = {}
if self.checkVersion('9.1'):
cols = ['procpid', 'usename', 'application_name', 'client_addr',
'client_port', 'backend_start', 'state', 'sent_location',
'write_location', 'flush_location', 'replay_location',
'sync_priority', 'sync_state']
cur = self._conn.cursor()
cur.execute('SELECT %s FROM pg_stat_replication;' % ','.join(cols))
rows = cur.fetchall()
for row in rows:
info_dict[row[0]] = dict(zip(cols[1:], row[1:]))
else:
return None
return info_dict
|
getSlaveStatus
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n info_dict = {}\n if self.checkVersion('9.1'):\n cols = ['procpid', 'usename', 'application_name', 'client_addr',\n 'client_port', 'backend_start', 'state', 'sent_location',\n 'write_location', 'flush_location', 'replay_location',\n 'sync_priority', 'sync_state']\n cur = self._conn.cursor()\n cur.execute('SELECT %s FROM pg_stat_replication;' % ','.join(cols))\n rows = cur.fetchall()\n for row in rows:\n info_dict[row[0]] = dict(zip(cols[1:], row[1:]))\n else:\n return None\n return info_dict\n",
"role": "user"
},
{
"content": "getSlaveStatus",
"role": "assistant"
}
] |
def x(self):
if self._connParams:
self._conn = MySQLdb.connect(**self._connParams)
else:
self._conn = MySQLdb.connect('')
|
connect
|
[
{
"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._connParams:\n self._conn = MySQLdb.connect(**self._connParams)\n else:\n self._conn = MySQLdb.connect('')\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self):
cur = self._conn.cursor()
cur.execute('SHOW STORAGE ENGINES;')
rows = cur.fetchall()
if rows:
return [row[0].lower() for row in rows if row[1] in ['YES', 'DEFAULT']]
else:
return []
|
getStorageEngines
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cur = self._conn.cursor()\n cur.execute('SHOW STORAGE ENGINES;')\n rows = cur.fetchall()\n if rows:\n return [row[0].lower() for row in rows if row[1] in ['YES', 'DEFAULT']]\n else:\n return []\n",
"role": "user"
},
{
"content": "getStorageEngines",
"role": "assistant"
}
] |
def x(self, key):
cur = self._conn.cursor()
cur.execute('SHOW GLOBAL VARIABLES LIKE %s', key)
row = cur.fetchone()
return int(row[1])
|
getParam
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n cur = self._conn.cursor()\n cur.execute('SHOW GLOBAL VARIABLES LIKE %s', key)\n row = cur.fetchone()\n return int(row[1])\n",
"role": "user"
},
{
"content": "getParam",
"role": "assistant"
}
] |
def x(self):
cur = self._conn.cursor()
cur.execute('SHOW GLOBAL VARIABLES')
rows = cur.fetchall()
info_dict = {}
for row in rows:
key = row[0]
val = util.parse_value(row[1])
info_dict[key] = val
return info_dict
|
getParams
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cur = self._conn.cursor()\n cur.execute('SHOW GLOBAL VARIABLES')\n rows = cur.fetchall()\n info_dict = {}\n for row in rows:\n key = row[0]\n val = util.parse_value(row[1])\n info_dict[key] = val\n return info_dict\n",
"role": "user"
},
{
"content": "getParams",
"role": "assistant"
}
] |
def x(self):
info_dict = {}
cur = self._conn.cursor()
cur.execute('SHOW FULL PROCESSLIST;')
rows = cur.fetchall()
if rows:
for row in rows:
if row[6] == '':
state = 'idle'
elif row[6] is None:
state = 'other'
else:
state = str(row[6]).replace(' ', '_').lower()
info_dict[state] = info_dict.get(state, 0) + 1
return info_dict
|
getProcessStatus
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n info_dict = {}\n cur = self._conn.cursor()\n cur.execute('SHOW FULL PROCESSLIST;')\n rows = cur.fetchall()\n if rows:\n for row in rows:\n if row[6] == '':\n state = 'idle'\n elif row[6] is None:\n state = 'other'\n else:\n state = str(row[6]).replace(' ', '_').lower()\n info_dict[state] = info_dict.get(state, 0) + 1\n return info_dict\n",
"role": "user"
},
{
"content": "getProcessStatus",
"role": "assistant"
}
] |
def x(self):
info_dict = {}
cur = self._conn.cursor()
cur.execute('SHOW FULL PROCESSLIST;')
rows = cur.fetchall()
if rows:
for row in rows:
db = row[3]
info_dict[db] = info_dict.get(db, 0) + 1
return info_dict
|
getProcessDatabase
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n info_dict = {}\n cur = self._conn.cursor()\n cur.execute('SHOW FULL PROCESSLIST;')\n rows = cur.fetchall()\n if rows:\n for row in rows:\n db = row[3]\n info_dict[db] = info_dict.get(db, 0) + 1\n return info_dict\n",
"role": "user"
},
{
"content": "getProcessDatabase",
"role": "assistant"
}
] |
def x(self):
cur = self._conn.cursor()
cur.execute('SHOW DATABASES;')
rows = cur.fetchall()
if rows:
return [row[0] for row in rows]
else:
return []
|
getDatabases
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cur = self._conn.cursor()\n cur.execute('SHOW DATABASES;')\n rows = cur.fetchall()\n if rows:\n return [row[0] for row in rows]\n else:\n return []\n",
"role": "user"
},
{
"content": "getDatabases",
"role": "assistant"
}
] |
def x(egg, match='exact', distance='euclidean', features=None):
def x(lst):
d = np.zeros_like(egg.pres.values[0])
inds = np.array(lst[~np.isnan(lst)]).astype(int)
d[inds - 1] = 1
return d
opts = dict(match=match, distance=distance, features=features)
if match is 'exact':
opts.update({'features': 'item'})
recmat = recall_matrix(egg, **opts)
if match in ['exact', 'best']:
result = [spc(lst) for lst in recmat]
elif match == 'smooth':
result = np.nanmean(recmat, 2)
else:
raise ValueError('Match must be set to exact, best or smooth.')
return np.mean(result, 0)
|
spc_helper
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(egg, match='exact', distance='euclidean', features=None):\n\n def x(lst):\n d = np.zeros_like(egg.pres.values[0])\n inds = np.array(lst[~np.isnan(lst)]).astype(int)\n d[inds - 1] = 1\n return d\n opts = dict(match=match, distance=distance, features=features)\n if match is 'exact':\n opts.update({'features': 'item'})\n recmat = recall_matrix(egg, **opts)\n if match in ['exact', 'best']:\n result = [spc(lst) for lst in recmat]\n elif match == 'smooth':\n result = np.nanmean(recmat, 2)\n else:\n raise ValueError('Match must be set to exact, best or smooth.')\n return np.mean(result, 0)\n",
"role": "user"
},
{
"content": "spc_helper",
"role": "assistant"
}
] |
def x(self):
url = '%s://%s:%d/manager/status' % (self._proto, self._host, self._port)
params = {}
params['XML'] = 'true'
response = util.get_url(url, self._user, self._password, params)
tree = ElementTree.XML(response)
return tree
|
retrieve
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = '%s://%s:%d/manager/status' % (self._proto, self._host, self._port)\n params = {}\n params['XML'] = 'true'\n response = util.get_url(url, self._user, self._password, params)\n tree = ElementTree.XML(response)\n return tree\n",
"role": "user"
},
{
"content": "retrieve",
"role": "assistant"
}
] |
def x(self):
if self._statusxml is None:
self.initStats()
node = self._statusxml.find('jvm/memory')
memstats = {}
if node is not None:
for key, val in node.items():
memstats[key] = util.parse_value(val)
return memstats
|
getMemoryStats
|
[
{
"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._statusxml is None:\n self.initStats()\n node = self._statusxml.find('jvm/memory')\n memstats = {}\n if node is not None:\n for key, val in node.items():\n memstats[key] = util.parse_value(val)\n return memstats\n",
"role": "user"
},
{
"content": "getMemoryStats",
"role": "assistant"
}
] |
def x(self):
if self._statusxml is None:
self.initStats()
connnodes = self._statusxml.findall('connector')
connstats = {}
if connnodes:
for connnode in connnodes:
namestr = connnode.get('name')
if namestr is not None:
mobj = re.match('(.*)-(\\d+)', namestr)
if mobj:
proto = mobj.group(1)
port = int(mobj.group(2))
connstats[port] = {'proto': proto}
for tag in ('threadInfo', 'requestInfo'):
stats = {}
node = connnode.find(tag)
if node is not None:
for key, val in node.items():
if re.search('Time$', key):
stats[key] = float(val) / 1000.0
else:
stats[key] = util.parse_value(val)
if stats:
connstats[port][tag] = stats
return connstats
|
getConnectorStats
|
[
{
"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._statusxml is None:\n self.initStats()\n connnodes = self._statusxml.findall('connector')\n connstats = {}\n if connnodes:\n for connnode in connnodes:\n namestr = connnode.get('name')\n if namestr is not None:\n mobj = re.match('(.*)-(\\\\d+)', namestr)\n if mobj:\n proto = mobj.group(1)\n port = int(mobj.group(2))\n connstats[port] = {'proto': proto}\n for tag in ('threadInfo', 'requestInfo'):\n stats = {}\n node = connnode.find(tag)\n if node is not None:\n for key, val in node.items():\n if re.search('Time$', key):\n stats[key] = float(val) / 1000.0\n else:\n stats[key] = util.parse_value(val)\n if stats:\n connstats[port][tag] = stats\n return connstats\n",
"role": "user"
},
{
"content": "getConnectorStats",
"role": "assistant"
}
] |
def x(filepath, update=True):
if filepath == 'automatic' or filepath == 'example':
fpath = os.path.dirname(os.path.abspath(__file__)
) + '/data/automatic.egg'
return load_egg(fpath)
elif filepath == 'manual':
fpath = os.path.dirname(os.path.abspath(__file__)) + '/data/manual.egg'
return load_egg(fpath, update=False)
elif filepath == 'naturalistic':
fpath = os.path.dirname(os.path.abspath(__file__)
) + '/data/naturalistic.egg'
elif filepath.split('.')[-1] == 'egg':
return load_egg(filepath, update=update)
elif filepath.split('.')[-1] == 'fegg':
return load_fegg(filepath, update=False)
else:
raise ValueError('Could not load file.')
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath, update=True):\n if filepath == 'automatic' or filepath == 'example':\n fpath = os.path.dirname(os.path.abspath(__file__)\n ) + '/data/automatic.egg'\n return load_egg(fpath)\n elif filepath == 'manual':\n fpath = os.path.dirname(os.path.abspath(__file__)) + '/data/manual.egg'\n return load_egg(fpath, update=False)\n elif filepath == 'naturalistic':\n fpath = os.path.dirname(os.path.abspath(__file__)\n ) + '/data/naturalistic.egg'\n elif filepath.split('.')[-1] == 'egg':\n return load_egg(filepath, update=update)\n elif filepath.split('.')[-1] == 'fegg':\n return load_fegg(filepath, update=False)\n else:\n raise ValueError('Could not load file.')\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(filepath, update=True):
try:
egg = FriedEgg(**dd.io.load(filepath))
except ValueError as e:
print(e)
with open(filepath, 'rb') as f:
egg = pickle.load(f)
if update:
return egg.crack()
else:
return egg
|
load_fegg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath, update=True):\n try:\n egg = FriedEgg(**dd.io.load(filepath))\n except ValueError as e:\n print(e)\n with open(filepath, 'rb') as f:\n egg = pickle.load(f)\n if update:\n return egg.crack()\n else:\n return egg\n",
"role": "user"
},
{
"content": "load_fegg",
"role": "assistant"
}
] |
def x(filepath, update=True):
try:
egg = Egg(**dd.io.load(filepath))
except:
with open(filepath, 'rb') as f:
egg = pickle.load(f)
if update:
if egg.meta:
old_meta = egg.meta
egg.crack()
egg.meta = old_meta
return egg
else:
return egg.crack()
else:
return egg
|
load_egg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath, update=True):\n try:\n egg = Egg(**dd.io.load(filepath))\n except:\n with open(filepath, 'rb') as f:\n egg = pickle.load(f)\n if update:\n if egg.meta:\n old_meta = egg.meta\n egg.crack()\n egg.meta = old_meta\n return egg\n else:\n return egg.crack()\n else:\n return egg\n",
"role": "user"
},
{
"content": "load_egg",
"role": "assistant"
}
] |
def x(dataset='automatic'):
assert dataset in ['automatic', 'manual', 'naturalistic'
], 'Dataset can only be automatic, manual, or naturalistic'
if dataset == 'naturalistic':
egg = Egg(**dd.io.load(os.path.dirname(os.path.abspath(__file__)) +
'/data/' + dataset + '.egg'))
else:
try:
with open(os.path.dirname(os.path.abspath(__file__)) + '/data/' +
dataset + '.egg', 'rb') as handle:
egg = pickle.load(handle)
except:
f = dd.io.load(os.path.dirname(os.path.abspath(__file__)) +
'/data/' + dataset + '.egg')
egg = Egg(pres=f['pres'], rec=f['rec'], dist_funcs=f[
'dist_funcs'], subjgroup=f['subjgroup'], subjname=f[
'subjname'], listgroup=f['listgroup'], listname=f[
'listname'], date_created=f['date_created'])
return egg.crack()
|
load_example_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dataset='automatic'):\n assert dataset in ['automatic', 'manual', 'naturalistic'\n ], 'Dataset can only be automatic, manual, or naturalistic'\n if dataset == 'naturalistic':\n egg = Egg(**dd.io.load(os.path.dirname(os.path.abspath(__file__)) +\n '/data/' + dataset + '.egg'))\n else:\n try:\n with open(os.path.dirname(os.path.abspath(__file__)) + '/data/' +\n dataset + '.egg', 'rb') as handle:\n egg = pickle.load(handle)\n except:\n f = dd.io.load(os.path.dirname(os.path.abspath(__file__)) +\n '/data/' + dataset + '.egg')\n egg = Egg(pres=f['pres'], rec=f['rec'], dist_funcs=f[\n 'dist_funcs'], subjgroup=f['subjgroup'], subjname=f[\n 'subjname'], listgroup=f['listgroup'], listname=f[\n 'listname'], date_created=f['date_created'])\n return egg.crack()\n",
"role": "user"
},
{
"content": "load_example_data",
"role": "assistant"
}
] |
def x(self):
fs = FSinfo(self._fshost, self._fsport, self._fspass)
if self.hasGraph('fs_calls'):
count = fs.getCallCount()
self.setGraphVal('fs_calls', 'calls', count)
if self.hasGraph('fs_channels'):
count = fs.getChannelCount()
self.setGraphVal('fs_channels', 'channels', count)
|
retrieveVals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n fs = FSinfo(self._fshost, self._fsport, self._fspass)\n if self.hasGraph('fs_calls'):\n count = fs.getCallCount()\n self.setGraphVal('fs_calls', 'calls', count)\n if self.hasGraph('fs_channels'):\n count = fs.getChannelCount()\n self.setGraphVal('fs_channels', 'channels', count)\n",
"role": "user"
},
{
"content": "retrieveVals",
"role": "assistant"
}
] |
def x(self):
fs = FSinfo(self._fshost, self._fsport, self._fspass)
return fs is not None
|
autoconf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n fs = FSinfo(self._fshost, self._fsport, self._fspass)\n return fs is not None\n",
"role": "user"
},
{
"content": "autoconf",
"role": "assistant"
}
] |
def x(A, b):
x = UmfpackLU(A).solve(b)
if b.ndim == 2 and b.shape[1] == 1:
return x.ravel()
else:
return x
|
spsolve
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(A, b):\n x = UmfpackLU(A).solve(b)\n if b.ndim == 2 and b.shape[1] == 1:\n return x.ravel()\n else:\n return x\n",
"role": "user"
},
{
"content": "spsolve",
"role": "assistant"
}
] |
def x(self, b):
if isspmatrix(b):
b = b.toarray()
if b.shape[0] != self._A.shape[1]:
raise ValueError('Shape of b is not compatible with that of A')
b_arr = asarray(b, dtype=self._A.dtype).reshape(b.shape[0], -1)
x = np.zeros((self._A.shape[0], b_arr.shape[1]), dtype=self._A.dtype)
for j in range(b_arr.shape[1]):
x[:, j] = self.umf.solve(UMFPACK_A, self._A, b_arr[:, j],
autoTranspose=True)
return x.reshape((self._A.shape[0],) + b.shape[1:])
|
solve
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, b):\n if isspmatrix(b):\n b = b.toarray()\n if b.shape[0] != self._A.shape[1]:\n raise ValueError('Shape of b is not compatible with that of A')\n b_arr = asarray(b, dtype=self._A.dtype).reshape(b.shape[0], -1)\n x = np.zeros((self._A.shape[0], b_arr.shape[1]), dtype=self._A.dtype)\n for j in range(b_arr.shape[1]):\n x[:, j] = self.umf.solve(UMFPACK_A, self._A, b_arr[:, j],\n autoTranspose=True)\n return x.reshape((self._A.shape[0],) + b.shape[1:])\n",
"role": "user"
},
{
"content": "solve",
"role": "assistant"
}
] |
def x(self, B):
B = B.tocsc()
cols = list()
for j in xrange(B.shape[1]):
col = self.solve(B[:, j])
cols.append(csc_matrix(col))
return hstack(cols)
|
solve_sparse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, B):\n B = B.tocsc()\n cols = list()\n for j in xrange(B.shape[1]):\n col = self.solve(B[:, j])\n cols.append(csc_matrix(col))\n return hstack(cols)\n",
"role": "user"
},
{
"content": "solve_sparse",
"role": "assistant"
}
] |
def x(egg, match='exact', distance='euclidean', features=None):
if match in ['best', 'smooth']:
if not features:
features = [k for k, v in egg.pres.loc[0][0].values[0].items() if
k != 'item']
if not features:
raise 'No features found. Cannot match with best or smooth strategy'
if not isinstance(features, list):
features = [features]
if match == 'exact':
features = ['item']
return _recmat_exact(egg.pres, egg.rec, features)
else:
return _recmat_smooth(egg.pres, egg.rec, features, distance, match)
|
recall_matrix
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(egg, match='exact', distance='euclidean', features=None):\n if match in ['best', 'smooth']:\n if not features:\n features = [k for k, v in egg.pres.loc[0][0].values[0].items() if\n k != 'item']\n if not features:\n raise 'No features found. Cannot match with best or smooth strategy'\n if not isinstance(features, list):\n features = [features]\n if match == 'exact':\n features = ['item']\n return _recmat_exact(egg.pres, egg.rec, features)\n else:\n return _recmat_smooth(egg.pres, egg.rec, features, distance, match)\n",
"role": "user"
},
{
"content": "recall_matrix",
"role": "assistant"
}
] |
def x(self):
net_info = NetstatInfo()
if self.hasGraph('netstat_conn_status'):
stats = net_info.getTCPportConnStatus(include_listen=True)
for fname in ('listen', 'established', 'syn_sent', 'syn_recv',
'fin_wait1', 'fin_wait2', 'time_wait', 'close', 'close_wait',
'last_ack', 'closing', 'unknown'):
self.setGraphVal('netstat_conn_status', fname, stats.get(fname, 0))
if self.hasGraph('netstat_conn_server'):
stats = net_info.getTCPportConnCount(localport=self._port_list)
for srv in self._srv_list:
numconn = 0
for port in self._srv_dict[srv]:
numconn += stats.get(port, 0)
self.setGraphVal('netstat_conn_server', srv, numconn)
|
retrieveVals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n net_info = NetstatInfo()\n if self.hasGraph('netstat_conn_status'):\n stats = net_info.getTCPportConnStatus(include_listen=True)\n for fname in ('listen', 'established', 'syn_sent', 'syn_recv',\n 'fin_wait1', 'fin_wait2', 'time_wait', 'close', 'close_wait',\n 'last_ack', 'closing', 'unknown'):\n self.setGraphVal('netstat_conn_status', fname, stats.get(fname, 0))\n if self.hasGraph('netstat_conn_server'):\n stats = net_info.getTCPportConnCount(localport=self._port_list)\n for srv in self._srv_list:\n numconn = 0\n for port in self._srv_dict[srv]:\n numconn += stats.get(port, 0)\n self.setGraphVal('netstat_conn_server', srv, numconn)\n",
"role": "user"
},
{
"content": "retrieveVals",
"role": "assistant"
}
] |
def x(self):
amiuser = None
amipass = None
if os.path.isfile(confFileFreePBX):
try:
fp = open(confFileFreePBX, 'r')
data = fp.read()
fp.close()
except:
raise IOError('Failed reading FreePBX configuration file: %s' %
confFileFreePBX)
for key, val in re.findall('^(AMPMGR\\w+)\\s*=\\s*(\\S+)\\s*$',
data, re.MULTILINE):
if key == 'AMPMGRUSER':
amiuser = val
elif key == 'AMPMGRPASS':
amipass = val
if amiuser and amipass:
self._amiuser = amiuser
self._amipass = amipass
return True
return False
|
parseFreePBXconf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n amiuser = None\n amipass = None\n if os.path.isfile(confFileFreePBX):\n try:\n fp = open(confFileFreePBX, 'r')\n data = fp.read()\n fp.close()\n except:\n raise IOError('Failed reading FreePBX configuration file: %s' %\n confFileFreePBX)\n for key, val in re.findall('^(AMPMGR\\\\w+)\\\\s*=\\\\s*(\\\\S+)\\\\s*$',\n data, re.MULTILINE):\n if key == 'AMPMGRUSER':\n amiuser = val\n elif key == 'AMPMGRPASS':\n amipass = val\n if amiuser and amipass:\n self._amiuser = amiuser\n self._amipass = amipass\n return True\n return False\n",
"role": "user"
},
{
"content": "parseFreePBXconf",
"role": "assistant"
}
] |
def x(self):
if os.path.isfile(confFileAMI):
try:
fp = open(confFileAMI, 'r')
data = fp.read()
fp.close()
except:
raise IOError('Failed reading Asterisk configuration file: %s' %
confFileAMI)
mobj = re.search('^\\[(\\w+)\\]\\s*\r{0,1}\nsecret\\s*=\\s*(\\S+)\\s*$'
, data, re.MULTILINE)
if mobj:
self._amiuser = mobj.group(1)
self._amipass = mobj.group(2)
return True
return False
|
parseAsteriskConf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if os.path.isfile(confFileAMI):\n try:\n fp = open(confFileAMI, 'r')\n data = fp.read()\n fp.close()\n except:\n raise IOError('Failed reading Asterisk configuration file: %s' %\n confFileAMI)\n mobj = re.search('^\\\\[(\\\\w+)\\\\]\\\\s*\\r{0,1}\\nsecret\\\\s*=\\\\s*(\\\\S+)\\\\s*$'\n , data, re.MULTILINE)\n if mobj:\n self._amiuser = mobj.group(1)\n self._amipass = mobj.group(2)\n return True\n return False\n",
"role": "user"
},
{
"content": "parseAsteriskConf",
"role": "assistant"
}
] |
def x(self):
try:
if sys.version_info[:2] >= (2, 6):
self._conn = telnetlib.Telnet(self._amihost, self._amiport,
connTimeout)
else:
self._conn = telnetlib.Telnet(self._amihost, self._amiport)
except:
raise Exception(
'Connection to Asterisk Manager Interface on host %s and port %s failed.'
% (self._amihost, self._amiport))
|
connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n if sys.version_info[:2] >= (2, 6):\n self._conn = telnetlib.Telnet(self._amihost, self._amiport,\n connTimeout)\n else:\n self._conn = telnetlib.Telnet(self._amihost, self._amiport)\n except:\n raise Exception(\n 'Connection to Asterisk Manager Interface on host %s and port %s failed.'\n % (self._amihost, self._amiport))\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, action, attrs=None, chan_vars=None):
self._conn.write('Action: %s\r\n' % action)
if attrs:
for key, val in attrs:
self._conn.write('%s: %s\r\n' % (key, val))
if chan_vars:
for key, val in chan_vars:
self._conn.write('Variable: %s=%s\r\n' % (key, val))
self._conn.write('\r\n')
|
sendAction
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, action, attrs=None, chan_vars=None):\n self._conn.write('Action: %s\\r\\n' % action)\n if attrs:\n for key, val in attrs:\n self._conn.write('%s: %s\\r\\n' % (key, val))\n if chan_vars:\n for key, val in chan_vars:\n self._conn.write('Variable: %s=%s\\r\\n' % (key, val))\n self._conn.write('\\r\\n')\n",
"role": "user"
},
{
"content": "sendAction",
"role": "assistant"
}
] |
def x(self):
resp_dict = dict()
resp_str = self._conn.read_until('\r\n\r\n', connTimeout)
for line in resp_str.split('\r\n'):
mobj = re.match('(\\w+):\\s*(\\S.*)$', line)
if mobj:
resp_dict[mobj.group(1)] = mobj.group(2)
else:
mobj = re.match('(.*)--END COMMAND--\\s*$', line, flags=re.DOTALL)
if mobj:
resp_dict['command_response'] = mobj.group(1)
return resp_dict
|
getResponse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n resp_dict = dict()\n resp_str = self._conn.read_until('\\r\\n\\r\\n', connTimeout)\n for line in resp_str.split('\\r\\n'):\n mobj = re.match('(\\\\w+):\\\\s*(\\\\S.*)$', line)\n if mobj:\n resp_dict[mobj.group(1)] = mobj.group(2)\n else:\n mobj = re.match('(.*)--END COMMAND--\\\\s*$', line, flags=re.DOTALL)\n if mobj:\n resp_dict['command_response'] = mobj.group(1)\n return resp_dict\n",
"role": "user"
},
{
"content": "getResponse",
"role": "assistant"
}
] |
def x(self):
greeting = self._conn.read_until('\r\n', connTimeout)
mobj = re.match('Asterisk Call Manager\\/([\\d\\.]+)\\s*$', greeting)
if mobj:
self._ami_version = util.SoftwareVersion(mobj.group(1))
else:
raise Exception(
'Asterisk Manager Interface version cannot be determined.')
|
getGreeting
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n greeting = self._conn.read_until('\\r\\n', connTimeout)\n mobj = re.match('Asterisk Call Manager\\\\/([\\\\d\\\\.]+)\\\\s*$', greeting)\n if mobj:\n self._ami_version = util.SoftwareVersion(mobj.group(1))\n else:\n raise Exception(\n 'Asterisk Manager Interface version cannot be determined.')\n",
"role": "user"
},
{
"content": "getGreeting",
"role": "assistant"
}
] |
def x(self):
if self._ami_version > util.SoftwareVersion('1.0'):
cmd = 'core show version'
else:
cmd = 'show version'
cmdresp = self.executeCommand(cmd)
mobj = re.match('Asterisk\\s*(SVN-branch-|\\s)(\\d+(\\.\\d+)*)', cmdresp)
if mobj:
self._asterisk_version = util.SoftwareVersion(mobj.group(2))
else:
raise Exception('Asterisk version cannot be determined.')
|
initAsteriskVersion
|
[
{
"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._ami_version > util.SoftwareVersion('1.0'):\n cmd = 'core show version'\n else:\n cmd = 'show version'\n cmdresp = self.executeCommand(cmd)\n mobj = re.match('Asterisk\\\\s*(SVN-branch-|\\\\s)(\\\\d+(\\\\.\\\\d+)*)', cmdresp)\n if mobj:\n self._asterisk_version = util.SoftwareVersion(mobj.group(2))\n else:\n raise Exception('Asterisk version cannot be determined.')\n",
"role": "user"
},
{
"content": "initAsteriskVersion",
"role": "assistant"
}
] |
def x(self):
self._sendAction('login', (('Username', self._amiuser), ('Secret', self
._amipass), ('Events', 'off')))
resp = self._getResponse()
if resp.get('Response') == 'Success':
return True
else:
raise Exception('Authentication to Asterisk Manager Interface Failed.')
|
login
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._sendAction('login', (('Username', self._amiuser), ('Secret', self\n ._amipass), ('Events', 'off')))\n resp = self._getResponse()\n if resp.get('Response') == 'Success':\n return True\n else:\n raise Exception('Authentication to Asterisk Manager Interface Failed.')\n",
"role": "user"
},
{
"content": "login",
"role": "assistant"
}
] |
def x(self, command):
self._sendAction('Command', (('Command', command),))
resp = self._getResponse()
result = resp.get('Response')
if result == 'Follows':
return resp.get('command_response')
elif result == 'Error':
raise Exception(
'Execution of Asterisk Manager Interface Command (%s) failed with error message: %s'
% (command, str(resp.get('Message'))))
else:
raise Exception(
'Execution of Asterisk Manager Interface Command failed: %s' %
command)
|
executeCommand
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command):\n self._sendAction('Command', (('Command', command),))\n resp = self._getResponse()\n result = resp.get('Response')\n if result == 'Follows':\n return resp.get('command_response')\n elif result == 'Error':\n raise Exception(\n 'Execution of Asterisk Manager Interface Command (%s) failed with error message: %s'\n % (command, str(resp.get('Message'))))\n else:\n raise Exception(\n 'Execution of Asterisk Manager Interface Command failed: %s' %\n command)\n",
"role": "user"
},
{
"content": "executeCommand",
"role": "assistant"
}
] |
def x(self):
if self.checkVersion('1.4'):
cmd = 'module show'
else:
cmd = 'show modules'
cmdresp = self.executeCommand(cmd)
self._modules = set()
for line in cmdresp.splitlines()[1:-1]:
mobj = re.match('\\s*(\\S+)\\s', line)
if mobj:
self._modules.add(mobj.group(1).lower())
|
initModuleList
|
[
{
"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.checkVersion('1.4'):\n cmd = 'module show'\n else:\n cmd = 'show modules'\n cmdresp = self.executeCommand(cmd)\n self._modules = set()\n for line in cmdresp.splitlines()[1:-1]:\n mobj = re.match('\\\\s*(\\\\S+)\\\\s', line)\n if mobj:\n self._modules.add(mobj.group(1).lower())\n",
"role": "user"
},
{
"content": "initModuleList",
"role": "assistant"
}
] |
def x(self):
if self.checkVersion('1.4'):
cmd = 'core show applications'
else:
cmd = 'show applications'
cmdresp = self.executeCommand(cmd)
self._applications = set()
for line in cmdresp.splitlines()[1:-1]:
mobj = re.match('\\s*(\\S+):', line)
if mobj:
self._applications.add(mobj.group(1).lower())
|
initApplicationList
|
[
{
"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.checkVersion('1.4'):\n cmd = 'core show applications'\n else:\n cmd = 'show applications'\n cmdresp = self.executeCommand(cmd)\n self._applications = set()\n for line in cmdresp.splitlines()[1:-1]:\n mobj = re.match('\\\\s*(\\\\S+):', line)\n if mobj:\n self._applications.add(mobj.group(1).lower())\n",
"role": "user"
},
{
"content": "initApplicationList",
"role": "assistant"
}
] |
def x(self):
if self.checkVersion('1.4'):
cmd = 'core show channeltypes'
else:
cmd = 'show channeltypes'
cmdresp = self.executeCommand(cmd)
self._chantypes = set()
for line in cmdresp.splitlines()[2:]:
mobj = re.match('\\s*(\\S+)\\s+.*\\s+(yes|no)\\s+', line)
if mobj:
self._chantypes.add(mobj.group(1).lower())
|
initChannelTypesList
|
[
{
"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.checkVersion('1.4'):\n cmd = 'core show channeltypes'\n else:\n cmd = 'show channeltypes'\n cmdresp = self.executeCommand(cmd)\n self._chantypes = set()\n for line in cmdresp.splitlines()[2:]:\n mobj = re.match('\\\\s*(\\\\S+)\\\\s+.*\\\\s+(yes|no)\\\\s+', line)\n if mobj:\n self._chantypes.add(mobj.group(1).lower())\n",
"role": "user"
},
{
"content": "initChannelTypesList",
"role": "assistant"
}
] |
def x(self, mod):
if self._modules is None:
self._initModuleList()
return mod in self._modules
|
hasModule
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mod):\n if self._modules is None:\n self._initModuleList()\n return mod in self._modules\n",
"role": "user"
},
{
"content": "hasModule",
"role": "assistant"
}
] |
def x(self, app):
if self._applications is None:
self._initApplicationList()
return app in self._applications
|
hasApplication
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app):\n if self._applications is None:\n self._initApplicationList()\n return app in self._applications\n",
"role": "user"
},
{
"content": "hasApplication",
"role": "assistant"
}
] |
def x(self, chan):
if self._chantypes is None:
self._initChannelTypesList()
return chan in self._chantypes
|
hasChannelType
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chan):\n if self._chantypes is None:\n self._initChannelTypesList()\n return chan in self._chantypes\n",
"role": "user"
},
{
"content": "hasChannelType",
"role": "assistant"
}
] |
def x(self):
if self.checkVersion('1.4'):
cmd = 'core show codecs'
else:
cmd = 'show codecs'
cmdresp = self.executeCommand(cmd)
info_dict = {}
for line in cmdresp.splitlines():
mobj = re.match(
'\\s*(\\d+)\\s+\\((.+)\\)\\s+\\((.+)\\)\\s+(\\w+)\\s+(\\w+)\\s+\\((.+)\\)$'
, line)
if mobj:
info_dict[mobj.group(5)] = mobj.group(4), mobj.group(6)
return info_dict
|
getCodecList
|
[
{
"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.checkVersion('1.4'):\n cmd = 'core show codecs'\n else:\n cmd = 'show codecs'\n cmdresp = self.executeCommand(cmd)\n info_dict = {}\n for line in cmdresp.splitlines():\n mobj = re.match(\n '\\\\s*(\\\\d+)\\\\s+\\\\((.+)\\\\)\\\\s+\\\\((.+)\\\\)\\\\s+(\\\\w+)\\\\s+(\\\\w+)\\\\s+\\\\((.+)\\\\)$'\n , line)\n if mobj:\n info_dict[mobj.group(5)] = mobj.group(4), mobj.group(6)\n return info_dict\n",
"role": "user"
},
{
"content": "getCodecList",
"role": "assistant"
}
] |
def x(self, chantypes=('dahdi', 'zap', 'sip', 'iax2', 'local')):
if self.checkVersion('1.4'):
cmd = 'core show channels'
else:
cmd = 'show channels'
cmdresp = self.executeCommand(cmd)
info_dict = {}
for chanstr in chantypes:
chan = chanstr.lower()
if chan in ('zap', 'dahdi'):
info_dict['dahdi'] = 0
info_dict['mix'] = 0
else:
info_dict[chan] = 0
for k in ('active_calls', 'active_channels', 'calls_processed'):
info_dict[k] = 0
regexstr = '(%s)\\/(\\w+)' % '|'.join(chantypes)
for line in cmdresp.splitlines():
mobj = re.match(regexstr, line, re.IGNORECASE)
if mobj:
chan_type = mobj.group(1).lower()
chan_id = mobj.group(2).lower()
if chan_type == 'dahdi' or chan_type == 'zap':
if chan_id == 'pseudo':
info_dict['mix'] += 1
else:
info_dict['dahdi'] += 1
else:
info_dict[chan_type] += 1
continue
mobj = re.match(
'(\\d+)\\s+(active channel|active call|calls processed)', line,
re.IGNORECASE)
if mobj:
if mobj.group(2) == 'active channel':
info_dict['active_channels'] = int(mobj.group(1))
elif mobj.group(2) == 'active call':
info_dict['active_calls'] = int(mobj.group(1))
elif mobj.group(2) == 'calls processed':
info_dict['calls_processed'] = int(mobj.group(1))
continue
return info_dict
|
getChannelStats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chantypes=('dahdi', 'zap', 'sip', 'iax2', 'local')):\n if self.checkVersion('1.4'):\n cmd = 'core show channels'\n else:\n cmd = 'show channels'\n cmdresp = self.executeCommand(cmd)\n info_dict = {}\n for chanstr in chantypes:\n chan = chanstr.lower()\n if chan in ('zap', 'dahdi'):\n info_dict['dahdi'] = 0\n info_dict['mix'] = 0\n else:\n info_dict[chan] = 0\n for k in ('active_calls', 'active_channels', 'calls_processed'):\n info_dict[k] = 0\n regexstr = '(%s)\\\\/(\\\\w+)' % '|'.join(chantypes)\n for line in cmdresp.splitlines():\n mobj = re.match(regexstr, line, re.IGNORECASE)\n if mobj:\n chan_type = mobj.group(1).lower()\n chan_id = mobj.group(2).lower()\n if chan_type == 'dahdi' or chan_type == 'zap':\n if chan_id == 'pseudo':\n info_dict['mix'] += 1\n else:\n info_dict['dahdi'] += 1\n else:\n info_dict[chan_type] += 1\n continue\n mobj = re.match(\n '(\\\\d+)\\\\s+(active channel|active call|calls processed)', line,\n re.IGNORECASE)\n if mobj:\n if mobj.group(2) == 'active channel':\n info_dict['active_channels'] = int(mobj.group(1))\n elif mobj.group(2) == 'active call':\n info_dict['active_calls'] = int(mobj.group(1))\n elif mobj.group(2) == 'calls processed':\n info_dict['calls_processed'] = int(mobj.group(1))\n continue\n return info_dict\n",
"role": "user"
},
{
"content": "getChannelStats",
"role": "assistant"
}
] |
def x(self, chantype):
chan = chantype.lower()
if not self.hasChannelType(chan):
return None
if chan == 'iax2':
cmd = 'iax2 show peers'
elif chan == 'sip':
cmd = 'sip show peers'
else:
raise AttributeError('Invalid channel type in query for Peer Stats.')
cmdresp = self.executeCommand(cmd)
info_dict = dict(online=0, unreachable=0, lagged=0, unknown=0,
unmonitored=0)
for line in cmdresp.splitlines():
if re.search('ok\\s+\\(\\d+\\s+ms\\)\\s*$', line, re.IGNORECASE):
info_dict['online'] += 1
else:
mobj = re.search('(unreachable|lagged|unknown|unmonitored)\\s*$',
line, re.IGNORECASE)
if mobj:
info_dict[mobj.group(1).lower()] += 1
return info_dict
|
getPeerStats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chantype):\n chan = chantype.lower()\n if not self.hasChannelType(chan):\n return None\n if chan == 'iax2':\n cmd = 'iax2 show peers'\n elif chan == 'sip':\n cmd = 'sip show peers'\n else:\n raise AttributeError('Invalid channel type in query for Peer Stats.')\n cmdresp = self.executeCommand(cmd)\n info_dict = dict(online=0, unreachable=0, lagged=0, unknown=0,\n unmonitored=0)\n for line in cmdresp.splitlines():\n if re.search('ok\\\\s+\\\\(\\\\d+\\\\s+ms\\\\)\\\\s*$', line, re.IGNORECASE):\n info_dict['online'] += 1\n else:\n mobj = re.search('(unreachable|lagged|unknown|unmonitored)\\\\s*$',\n line, re.IGNORECASE)\n if mobj:\n info_dict[mobj.group(1).lower()] += 1\n return info_dict\n",
"role": "user"
},
{
"content": "getPeerStats",
"role": "assistant"
}
] |
def x(self, chantype, codec_list=('ulaw', 'alaw', 'gsm', 'g729')):
chan = chantype.lower()
if not self.hasChannelType(chan):
return None
if chan == 'iax2':
cmd = 'iax2 show channels'
elif chan == 'sip':
cmd = 'sip show channels'
else:
raise AttributeError('Invalid channel type in query for Channel Stats.'
)
cmdresp = self.executeCommand(cmd)
lines = cmdresp.splitlines()
headers = re.split('\\s\\s+', lines[0])
try:
idx = headers.index('Format')
except ValueError:
try:
idx = headers.index('Form')
except:
raise Exception(
'Error in parsing header line of %s channel stats.' % chan)
codec_list = tuple(codec_list) + ('other', 'none')
info_dict = dict([(k, 0) for k in codec_list])
for line in lines[1:-1]:
codec = None
cols = re.split('\\s\\s+', line)
colcodec = cols[idx]
mobj = re.match('0x\\w+\\s\\((\\w+)\\)$', colcodec)
if mobj:
codec = mobj.group(1).lower()
elif re.match('\\w+$', colcodec):
codec = colcodec.lower()
if codec:
if codec in info_dict:
info_dict[codec] += 1
elif codec == 'nothing' or codec[0:4] == 'unkn':
info_dict['none'] += 1
else:
info_dict['other'] += 1
return info_dict
|
getVoIPchanStats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chantype, codec_list=('ulaw', 'alaw', 'gsm', 'g729')):\n chan = chantype.lower()\n if not self.hasChannelType(chan):\n return None\n if chan == 'iax2':\n cmd = 'iax2 show channels'\n elif chan == 'sip':\n cmd = 'sip show channels'\n else:\n raise AttributeError('Invalid channel type in query for Channel Stats.'\n )\n cmdresp = self.executeCommand(cmd)\n lines = cmdresp.splitlines()\n headers = re.split('\\\\s\\\\s+', lines[0])\n try:\n idx = headers.index('Format')\n except ValueError:\n try:\n idx = headers.index('Form')\n except:\n raise Exception(\n 'Error in parsing header line of %s channel stats.' % chan)\n codec_list = tuple(codec_list) + ('other', 'none')\n info_dict = dict([(k, 0) for k in codec_list])\n for line in lines[1:-1]:\n codec = None\n cols = re.split('\\\\s\\\\s+', line)\n colcodec = cols[idx]\n mobj = re.match('0x\\\\w+\\\\s\\\\((\\\\w+)\\\\)$', colcodec)\n if mobj:\n codec = mobj.group(1).lower()\n elif re.match('\\\\w+$', colcodec):\n codec = colcodec.lower()\n if codec:\n if codec in info_dict:\n info_dict[codec] += 1\n elif codec == 'nothing' or codec[0:4] == 'unkn':\n info_dict['none'] += 1\n else:\n info_dict['other'] += 1\n return info_dict\n",
"role": "user"
},
{
"content": "getVoIPchanStats",
"role": "assistant"
}
] |
def x(self):
if not self.hasConference():
return None
if self.checkVersion('1.6'):
cmd = 'meetme list'
else:
cmd = 'meetme'
cmdresp = self.executeCommand(cmd)
info_dict = dict(active_conferences=0, conference_users=0)
for line in cmdresp.splitlines():
mobj = re.match('\\w+\\s+0(\\d+)\\s', line)
if mobj:
info_dict['active_conferences'] += 1
info_dict['conference_users'] += int(mobj.group(1))
return info_dict
|
getConferenceStats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.hasConference():\n return None\n if self.checkVersion('1.6'):\n cmd = 'meetme list'\n else:\n cmd = 'meetme'\n cmdresp = self.executeCommand(cmd)\n info_dict = dict(active_conferences=0, conference_users=0)\n for line in cmdresp.splitlines():\n mobj = re.match('\\\\w+\\\\s+0(\\\\d+)\\\\s', line)\n if mobj:\n info_dict['active_conferences'] += 1\n info_dict['conference_users'] += int(mobj.group(1))\n return info_dict\n",
"role": "user"
},
{
"content": "getConferenceStats",
"role": "assistant"
}
] |
def x(self):
if not self.hasVoicemail():
return None
if self.checkVersion('1.4'):
cmd = 'voicemail show users'
else:
cmd = 'show voicemail users'
cmdresp = self.executeCommand(cmd)
info_dict = dict(accounts=0, avg_messages=0, max_messages=0,
total_messages=0)
for line in cmdresp.splitlines():
mobj = re.match('\\w+\\s+\\w+\\s+.*\\s+(\\d+)\\s*$', line)
if mobj:
msgs = int(mobj.group(1))
info_dict['accounts'] += 1
info_dict['total_messages'] += msgs
if msgs > info_dict['max_messages']:
info_dict['max_messages'] = msgs
if info_dict['accounts'] > 0:
info_dict['avg_messages'] = float(info_dict['total_messages']
) / info_dict['accounts']
return info_dict
|
getVoicemailStats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.hasVoicemail():\n return None\n if self.checkVersion('1.4'):\n cmd = 'voicemail show users'\n else:\n cmd = 'show voicemail users'\n cmdresp = self.executeCommand(cmd)\n info_dict = dict(accounts=0, avg_messages=0, max_messages=0,\n total_messages=0)\n for line in cmdresp.splitlines():\n mobj = re.match('\\\\w+\\\\s+\\\\w+\\\\s+.*\\\\s+(\\\\d+)\\\\s*$', line)\n if mobj:\n msgs = int(mobj.group(1))\n info_dict['accounts'] += 1\n info_dict['total_messages'] += msgs\n if msgs > info_dict['max_messages']:\n info_dict['max_messages'] = msgs\n if info_dict['accounts'] > 0:\n info_dict['avg_messages'] = float(info_dict['total_messages']\n ) / info_dict['accounts']\n return info_dict\n",
"role": "user"
},
{
"content": "getVoicemailStats",
"role": "assistant"
}
] |
def x(self, trunkList):
re_list = []
info_dict = {}
for filt in trunkList:
info_dict[filt[0]] = 0
re_list.append(re.compile(filt[1], re.IGNORECASE))
if self.checkVersion('1.4'):
cmd = 'core show channels'
else:
cmd = 'show channels'
cmdresp = self.executeCommand(cmd)
for line in cmdresp.splitlines():
for idx in range(len(re_list)):
recomp = re_list[idx]
trunkid = trunkList[idx][0]
mobj = recomp.match(line)
if mobj:
if len(trunkList[idx]) == 2:
info_dict[trunkid] += 1
continue
elif len(trunkList[idx]) == 4:
num = mobj.groupdict().get('num')
if num is not None:
vmin, vmax = trunkList[idx][2:4]
if int(num) >= int(vmin) and int(num) <= int(vmax):
info_dict[trunkid] += 1
continue
return info_dict
|
getTrunkStats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, trunkList):\n re_list = []\n info_dict = {}\n for filt in trunkList:\n info_dict[filt[0]] = 0\n re_list.append(re.compile(filt[1], re.IGNORECASE))\n if self.checkVersion('1.4'):\n cmd = 'core show channels'\n else:\n cmd = 'show channels'\n cmdresp = self.executeCommand(cmd)\n for line in cmdresp.splitlines():\n for idx in range(len(re_list)):\n recomp = re_list[idx]\n trunkid = trunkList[idx][0]\n mobj = recomp.match(line)\n if mobj:\n if len(trunkList[idx]) == 2:\n info_dict[trunkid] += 1\n continue\n elif len(trunkList[idx]) == 4:\n num = mobj.groupdict().get('num')\n if num is not None:\n vmin, vmax = trunkList[idx][2:4]\n if int(num) >= int(vmin) and int(num) <= int(vmax):\n info_dict[trunkid] += 1\n continue\n return info_dict\n",
"role": "user"
},
{
"content": "getTrunkStats",
"role": "assistant"
}
] |
def x(self):
if not self.hasQueue():
return None
info_dict = {}
if self.checkVersion('1.4'):
cmd = 'queue show'
else:
cmd = 'show queues'
cmdresp = self.executeCommand(cmd)
queue = None
ctxt = None
member_states = ('unknown', 'not in use', 'in use', 'busy', 'invalid',
'unavailable', 'ringing', 'ring+inuse', 'on hold', 'total')
member_state_dict = dict([(k.lower().replace(' ', '_'), 0) for k in
member_states])
for line in cmdresp.splitlines():
mobj = re.match(
"([\\w\\-]+)\\s+has\\s+(\\d+)\\s+calls\\s+\\(max (\\d+|unlimited)\\)\\s+in\\s+'(\\w+)'\\s+strategy\\s+\\((.+)\\),\\s+W:(\\d+),\\s+C:(\\d+),\\s+A:(\\d+),\\s+SL:([\\d\\.]+)%\\s+within\\s+(\\d+)s"
, line)
if mobj:
ctxt = None
queue = mobj.group(1)
info_dict[queue] = {}
info_dict[queue]['queue_len'] = int(mobj.group(2))
try:
info_dict[queue]['queue_maxlen'] = int(mobj.group(3))
except ValueError:
info_dict[queue]['queue_maxlen'] = None
info_dict[queue]['strategy'] = mobj.group(4)
for tkn in mobj.group(5).split(','):
mobjx = re.match('\\s*(\\d+)s\\s+(\\w+)\\s*', tkn)
if mobjx:
info_dict[queue]['avg_' + mobjx.group(2)] = int(mobjx.
group(1))
info_dict[queue]['queue_weight'] = int(mobj.group(6))
info_dict[queue]['calls_completed'] = int(mobj.group(7))
info_dict[queue]['calls_abandoned'] = int(mobj.group(8))
info_dict[queue]['sla_pcent'] = float(mobj.group(9))
info_dict[queue]['sla_cutoff'] = int(mobj.group(10))
info_dict[queue]['members'] = member_state_dict.copy()
continue
mobj = re.match('\\s+(Members|Callers):\\s*$', line)
if mobj:
ctxt = mobj.group(1).lower()
continue
if ctxt == 'members':
mobj = re.match('\\s+\\S.*\\s\\((.*)\\)\\s+has\\s+taken.*calls',
line)
if mobj:
info_dict[queue]['members']['total'] += 1
state = mobj.group(1).lower().replace(' ', '_')
if info_dict[queue]['members'].has_key(state):
info_dict[queue]['members'][state] += 1
else:
raise AttributeError('Undefined queue member state %s' %
state)
continue
return info_dict
|
getQueueStats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.hasQueue():\n return None\n info_dict = {}\n if self.checkVersion('1.4'):\n cmd = 'queue show'\n else:\n cmd = 'show queues'\n cmdresp = self.executeCommand(cmd)\n queue = None\n ctxt = None\n member_states = ('unknown', 'not in use', 'in use', 'busy', 'invalid',\n 'unavailable', 'ringing', 'ring+inuse', 'on hold', 'total')\n member_state_dict = dict([(k.lower().replace(' ', '_'), 0) for k in\n member_states])\n for line in cmdresp.splitlines():\n mobj = re.match(\n \"([\\\\w\\\\-]+)\\\\s+has\\\\s+(\\\\d+)\\\\s+calls\\\\s+\\\\(max (\\\\d+|unlimited)\\\\)\\\\s+in\\\\s+'(\\\\w+)'\\\\s+strategy\\\\s+\\\\((.+)\\\\),\\\\s+W:(\\\\d+),\\\\s+C:(\\\\d+),\\\\s+A:(\\\\d+),\\\\s+SL:([\\\\d\\\\.]+)%\\\\s+within\\\\s+(\\\\d+)s\"\n , line)\n if mobj:\n ctxt = None\n queue = mobj.group(1)\n info_dict[queue] = {}\n info_dict[queue]['queue_len'] = int(mobj.group(2))\n try:\n info_dict[queue]['queue_maxlen'] = int(mobj.group(3))\n except ValueError:\n info_dict[queue]['queue_maxlen'] = None\n info_dict[queue]['strategy'] = mobj.group(4)\n for tkn in mobj.group(5).split(','):\n mobjx = re.match('\\\\s*(\\\\d+)s\\\\s+(\\\\w+)\\\\s*', tkn)\n if mobjx:\n info_dict[queue]['avg_' + mobjx.group(2)] = int(mobjx.\n group(1))\n info_dict[queue]['queue_weight'] = int(mobj.group(6))\n info_dict[queue]['calls_completed'] = int(mobj.group(7))\n info_dict[queue]['calls_abandoned'] = int(mobj.group(8))\n info_dict[queue]['sla_pcent'] = float(mobj.group(9))\n info_dict[queue]['sla_cutoff'] = int(mobj.group(10))\n info_dict[queue]['members'] = member_state_dict.copy()\n continue\n mobj = re.match('\\\\s+(Members|Callers):\\\\s*$', line)\n if mobj:\n ctxt = mobj.group(1).lower()\n continue\n if ctxt == 'members':\n mobj = re.match('\\\\s+\\\\S.*\\\\s\\\\((.*)\\\\)\\\\s+has\\\\s+taken.*calls',\n line)\n if mobj:\n info_dict[queue]['members']['total'] += 1\n state = mobj.group(1).lower().replace(' ', '_')\n if info_dict[queue]['members'].has_key(state):\n info_dict[queue]['members'][state] += 1\n else:\n raise AttributeError('Undefined queue member state %s' %\n state)\n continue\n return info_dict\n",
"role": "user"
},
{
"content": "getQueueStats",
"role": "assistant"
}
] |
def x(self):
if not self.hasFax():
return None
info_dict = {}
cmdresp = self.executeCommand('fax show stats')
ctxt = 'general'
for section in cmdresp.strip().split('\n\n')[1:]:
i = 0
for line in section.splitlines():
mobj = re.match('(\\S.*\\S)\\s*:\\s*(\\d+)\\s*$', line)
if mobj:
if not info_dict.has_key(ctxt):
info_dict[ctxt] = {}
info_dict[ctxt][mobj.group(1).lower()] = int(mobj.group(2).
lower())
elif i == 0:
ctxt = line.strip().lower()
i += 1
return info_dict
|
getFaxStatsCounters
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.hasFax():\n return None\n info_dict = {}\n cmdresp = self.executeCommand('fax show stats')\n ctxt = 'general'\n for section in cmdresp.strip().split('\\n\\n')[1:]:\n i = 0\n for line in section.splitlines():\n mobj = re.match('(\\\\S.*\\\\S)\\\\s*:\\\\s*(\\\\d+)\\\\s*$', line)\n if mobj:\n if not info_dict.has_key(ctxt):\n info_dict[ctxt] = {}\n info_dict[ctxt][mobj.group(1).lower()] = int(mobj.group(2).\n lower())\n elif i == 0:\n ctxt = line.strip().lower()\n i += 1\n return info_dict\n",
"role": "user"
},
{
"content": "getFaxStatsCounters",
"role": "assistant"
}
] |
def x(self):
if not self.hasFax():
return None
info_dict = {}
info_dict['total'] = 0
fax_types = 'g.711', 't.38'
fax_operations = 'send', 'recv'
fax_states = ('uninitialized', 'initialized', 'open', 'active',
'inactive', 'complete', 'unknown')
info_dict['type'] = dict([(k, 0) for k in fax_types])
info_dict['operation'] = dict([(k, 0) for k in fax_operations])
info_dict['state'] = dict([(k, 0) for k in fax_states])
cmdresp = self.executeCommand('fax show sessions')
sections = cmdresp.strip().split('\n\n')
if len(sections) >= 3:
for line in sections[1][1:]:
cols = re.split('\\s\\s+', line)
if len(cols) == 7:
info_dict['total'] += 1
if cols[3].lower() in fax_types:
info_dict['type'][cols[3].lower()] += 1
if cols[4] == 'receive':
info_dict['operation']['recv'] += 1
elif cols[4] == 'send':
info_dict['operation']['send'] += 1
if cols[5].lower() in fax_states:
info_dict['state'][cols[5].lower()] += 1
return info_dict
|
getFaxStatsSessions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.hasFax():\n return None\n info_dict = {}\n info_dict['total'] = 0\n fax_types = 'g.711', 't.38'\n fax_operations = 'send', 'recv'\n fax_states = ('uninitialized', 'initialized', 'open', 'active',\n 'inactive', 'complete', 'unknown')\n info_dict['type'] = dict([(k, 0) for k in fax_types])\n info_dict['operation'] = dict([(k, 0) for k in fax_operations])\n info_dict['state'] = dict([(k, 0) for k in fax_states])\n cmdresp = self.executeCommand('fax show sessions')\n sections = cmdresp.strip().split('\\n\\n')\n if len(sections) >= 3:\n for line in sections[1][1:]:\n cols = re.split('\\\\s\\\\s+', line)\n if len(cols) == 7:\n info_dict['total'] += 1\n if cols[3].lower() in fax_types:\n info_dict['type'][cols[3].lower()] += 1\n if cols[4] == 'receive':\n info_dict['operation']['recv'] += 1\n elif cols[4] == 'send':\n info_dict['operation']['send'] += 1\n if cols[5].lower() in fax_states:\n info_dict['state'][cols[5].lower()] += 1\n return info_dict\n",
"role": "user"
},
{
"content": "getFaxStatsSessions",
"role": "assistant"
}
] |
def x(self):
for iface in self._ifaceList:
if self._reqIfaceList is None or iface in self._reqIfaceList:
if self.graphEnabled('wanpipe_traffic') or self.graphEnabled(
'wanpipe_errors'):
stats = self._ifaceStats.get(iface)
if stats:
graph_name = 'wanpipe_traffic_%s' % iface
if self.hasGraph(graph_name):
for field in ('rxpackets', 'txpackets'):
self.setGraphVal(graph_name, field, stats.get(
field))
graph_name = 'wanpipe_errors_%s' % iface
if self.hasGraph(graph_name):
for field in ('rxerrs', 'txerrs', 'rxframe',
'txcarrier', 'rxdrop', 'txdrop', 'rxfifo', 'txfifo'
):
self.setGraphVal(graph_name, field, stats.get(
field))
if self.graphEnabled('wanpipe_pri_errors') or self.graphEnabled(
'wanpipe_rxlevel'):
try:
stats = self._wanpipeInfo.getPRIstats(iface)
except:
stats = None
if stats:
graph_name = 'wanpipe_pri_errors_%s' % iface
if self.hasGraph(graph_name):
for field in ('linecodeviolation',
'farendblockerrors', 'crc4errors', 'faserrors'):
self.setGraphVal(graph_name, field, stats.get(
field))
if self.hasGraph('wanpipe_rxlevel'):
self.setGraphVal('wanpipe_pri_rxlevel', iface,
stats.get('rxlevel'))
|
retrieveVals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for iface in self._ifaceList:\n if self._reqIfaceList is None or iface in self._reqIfaceList:\n if self.graphEnabled('wanpipe_traffic') or self.graphEnabled(\n 'wanpipe_errors'):\n stats = self._ifaceStats.get(iface)\n if stats:\n graph_name = 'wanpipe_traffic_%s' % iface\n if self.hasGraph(graph_name):\n for field in ('rxpackets', 'txpackets'):\n self.setGraphVal(graph_name, field, stats.get(\n field))\n graph_name = 'wanpipe_errors_%s' % iface\n if self.hasGraph(graph_name):\n for field in ('rxerrs', 'txerrs', 'rxframe',\n 'txcarrier', 'rxdrop', 'txdrop', 'rxfifo', 'txfifo'\n ):\n self.setGraphVal(graph_name, field, stats.get(\n field))\n if self.graphEnabled('wanpipe_pri_errors') or self.graphEnabled(\n 'wanpipe_rxlevel'):\n try:\n stats = self._wanpipeInfo.getPRIstats(iface)\n except:\n stats = None\n if stats:\n graph_name = 'wanpipe_pri_errors_%s' % iface\n if self.hasGraph(graph_name):\n for field in ('linecodeviolation',\n 'farendblockerrors', 'crc4errors', 'faserrors'):\n self.setGraphVal(graph_name, field, stats.get(\n field))\n if self.hasGraph('wanpipe_rxlevel'):\n self.setGraphVal('wanpipe_pri_rxlevel', iface,\n stats.get('rxlevel'))\n",
"role": "user"
},
{
"content": "retrieveVals",
"role": "assistant"
}
] |
def x(nwords=16, nrec=10, ncats=4):
wp = pd.read_csv('data/cut_wordpool.csv')
wp = wp[wp['GROUP'] == np.random.choice(list(range(16)), 1)[0]].sample(16)
wp['COLOR'] = [[int(np.random.rand() * 255) for i in range(3)] for i in
range(16)]
|
simulate_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nwords=16, nrec=10, ncats=4):\n wp = pd.read_csv('data/cut_wordpool.csv')\n wp = wp[wp['GROUP'] == np.random.choice(list(range(16)), 1)[0]].sample(16)\n wp['COLOR'] = [[int(np.random.rand() * 255) for i in range(3)] for i in\n range(16)]\n",
"role": "user"
},
{
"content": "simulate_list",
"role": "assistant"
}
] |
def x(self, name):
if self._engines is None:
self._engines = self._dbconn.getStorageEngines()
return self.envCheckFilter('engine', name) and name in self._engines
|
engineIncluded
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n if self._engines is None:\n self._engines = self._dbconn.getStorageEngines()\n return self.envCheckFilter('engine', name) and name in self._engines\n",
"role": "user"
},
{
"content": "engineIncluded",
"role": "assistant"
}
] |
def x(self):
stats = {}
try:
out = subprocess.Popen([dfCmd, '-Pk'], stdout=subprocess.PIPE
).communicate()[0]
except:
raise Exception('Execution of command %s failed.' % dfCmd)
lines = out.splitlines()
if len(lines) > 1:
for line in lines[1:]:
fsstats = {}
cols = line.split()
fsstats['device'] = cols[0]
fsstats['type'] = self._fstypeDict[cols[5]]
fsstats['total'] = 1024 * int(cols[1])
fsstats['inuse'] = 1024 * int(cols[2])
fsstats['avail'] = 1024 * int(cols[3])
fsstats['inuse_pcent'] = int(cols[4][:-1])
stats[cols[5]] = fsstats
return stats
|
getSpaceUse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n stats = {}\n try:\n out = subprocess.Popen([dfCmd, '-Pk'], stdout=subprocess.PIPE\n ).communicate()[0]\n except:\n raise Exception('Execution of command %s failed.' % dfCmd)\n lines = out.splitlines()\n if len(lines) > 1:\n for line in lines[1:]:\n fsstats = {}\n cols = line.split()\n fsstats['device'] = cols[0]\n fsstats['type'] = self._fstypeDict[cols[5]]\n fsstats['total'] = 1024 * int(cols[1])\n fsstats['inuse'] = 1024 * int(cols[2])\n fsstats['avail'] = 1024 * int(cols[3])\n fsstats['inuse_pcent'] = int(cols[4][:-1])\n stats[cols[5]] = fsstats\n return stats\n",
"role": "user"
},
{
"content": "getSpaceUse",
"role": "assistant"
}
] |
def x(self):
stats = self._dbconn.getDatabaseStats()
databases = stats.get('databases')
totals = stats.get('totals')
if self.hasGraph('pg_connections'):
limit = self._dbconn.getParam('max_connections')
self.setGraphVal('pg_connections', 'max_conn', limit)
for db, dbstats in databases.iteritems():
if self.dbIncluded(db):
self.setGraphVal('pg_connections', db, dbstats['numbackends'])
self.setGraphVal('pg_connections', 'total', totals['numbackends'])
if self.hasGraph('pg_diskspace'):
for db, dbstats in databases.iteritems():
if self.dbIncluded(db):
self.setGraphVal('pg_diskspace', db, dbstats['disk_size'])
self.setGraphVal('pg_diskspace', 'total', totals['disk_size'])
if self.hasGraph('pg_blockreads'):
self.setGraphVal('pg_blockreads', 'blk_hit', totals['blks_hit'])
self.setGraphVal('pg_blockreads', 'blk_read', totals['blks_read'])
if self.hasGraph('pg_xact'):
self.setGraphVal('pg_xact', 'commits', totals['xact_commit'])
self.setGraphVal('pg_xact', 'rollbacks', totals['xact_rollback'])
if self.hasGraph('pg_tup_read'):
self.setGraphVal('pg_tup_read', 'fetch', totals['tup_fetched'])
self.setGraphVal('pg_tup_read', 'return', totals['tup_returned'])
if self.hasGraph('pg_tup_write'):
self.setGraphVal('pg_tup_write', 'delete', totals['tup_deleted'])
self.setGraphVal('pg_tup_write', 'update', totals['tup_updated'])
self.setGraphVal('pg_tup_write', 'insert', totals['tup_inserted'])
lock_stats = None
for lock_state in ('all', 'wait'):
graph_name = 'pg_lock_%s' % lock_state
if self.hasGraph(graph_name):
if lock_stats is None:
lock_stats = self._dbconn.getLockStatsMode()
mode_iter = iter(PgInfo.lockModes)
for mode in ('AccessExcl', 'Excl', 'ShrRwExcl', 'Shr',
'ShrUpdExcl', 'RwExcl', 'RwShr', 'AccessShr'):
self.setGraphVal(graph_name, mode, lock_stats[lock_state].
get(mode_iter.next()))
stats = None
if self.hasGraph('pg_checkpoints'):
if stats is None:
stats = self._dbconn.getBgWriterStats()
self.setGraphVal('pg_checkpoints', 'req', stats.get('checkpoints_req'))
self.setGraphVal('pg_checkpoints', 'timed', stats.get(
'checkpoints_timed'))
if self.hasGraph('pg_bgwriter'):
if stats is None:
stats = self._dbconn.getBgWriterStats()
self.setGraphVal('pg_bgwriter', 'backend', stats.get('buffers_backend')
)
self.setGraphVal('pg_bgwriter', 'clean', stats.get('buffers_clean'))
self.setGraphVal('pg_bgwriter', 'chkpoint', stats.get(
'buffers_checkpoint'))
if self._detailGraphs:
for db, dbstats in databases.iteritems():
if self.dbIncluded(db):
if self.hasGraph('pg_blockread_detail'):
self.setGraphVal('pg_blockread_detail', db, dbstats[
'blks_hit'] + dbstats['blks_read'])
for graph_name, attr_name in (('pg_xact_commit_detail',
'xact_commit'), ('pg_xact_rollback_detail',
'xact_rollback'), ('pg_tup_return_detail',
'tup_returned'), ('pg_tup_fetch_detail', 'tup_fetched'),
('pg_tup_delete_detail', 'tup_deleted'), (
'pg_tup_update_detail', 'tup_updated'), (
'pg_tup_insert_detail', 'tup_inserted')):
if self.hasGraph(graph_name):
self.setGraphVal(graph_name, db, dbstats[attr_name])
lock_stats_db = None
for lock_state in ('all', 'wait'):
graph_name = 'pg_lock_%s_detail' % lock_state
if self.hasGraph(graph_name):
if lock_stats_db is None:
lock_stats_db = self._dbconn.getLockStatsDB()
self.setGraphVal(graph_name, db, lock_stats_db[
lock_state].get(db, 0))
if self._replGraphs:
repl_stats = self._dbconn.getSlaveConflictStats()
if self.hasGraph('pg_repl_conflicts'):
for field in self.getGraphFieldList('pg_repl_conflicts'):
self.setGraphVal('pg_repl_conflicts', field, repl_stats[
'totals'].get('confl_%s' % field))
if self._detailGraphs and self.hasGraph('pg_repl_conflicts_detail'):
for db, dbstats in repl_stats['databases'].iteritems():
if self.dbIncluded(db):
self.setGraphVal('pg_repl_conflicts_detail', db, sum(
dbstats.values()))
|
retrieveVals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n stats = self._dbconn.getDatabaseStats()\n databases = stats.get('databases')\n totals = stats.get('totals')\n if self.hasGraph('pg_connections'):\n limit = self._dbconn.getParam('max_connections')\n self.setGraphVal('pg_connections', 'max_conn', limit)\n for db, dbstats in databases.iteritems():\n if self.dbIncluded(db):\n self.setGraphVal('pg_connections', db, dbstats['numbackends'])\n self.setGraphVal('pg_connections', 'total', totals['numbackends'])\n if self.hasGraph('pg_diskspace'):\n for db, dbstats in databases.iteritems():\n if self.dbIncluded(db):\n self.setGraphVal('pg_diskspace', db, dbstats['disk_size'])\n self.setGraphVal('pg_diskspace', 'total', totals['disk_size'])\n if self.hasGraph('pg_blockreads'):\n self.setGraphVal('pg_blockreads', 'blk_hit', totals['blks_hit'])\n self.setGraphVal('pg_blockreads', 'blk_read', totals['blks_read'])\n if self.hasGraph('pg_xact'):\n self.setGraphVal('pg_xact', 'commits', totals['xact_commit'])\n self.setGraphVal('pg_xact', 'rollbacks', totals['xact_rollback'])\n if self.hasGraph('pg_tup_read'):\n self.setGraphVal('pg_tup_read', 'fetch', totals['tup_fetched'])\n self.setGraphVal('pg_tup_read', 'return', totals['tup_returned'])\n if self.hasGraph('pg_tup_write'):\n self.setGraphVal('pg_tup_write', 'delete', totals['tup_deleted'])\n self.setGraphVal('pg_tup_write', 'update', totals['tup_updated'])\n self.setGraphVal('pg_tup_write', 'insert', totals['tup_inserted'])\n lock_stats = None\n for lock_state in ('all', 'wait'):\n graph_name = 'pg_lock_%s' % lock_state\n if self.hasGraph(graph_name):\n if lock_stats is None:\n lock_stats = self._dbconn.getLockStatsMode()\n mode_iter = iter(PgInfo.lockModes)\n for mode in ('AccessExcl', 'Excl', 'ShrRwExcl', 'Shr',\n 'ShrUpdExcl', 'RwExcl', 'RwShr', 'AccessShr'):\n self.setGraphVal(graph_name, mode, lock_stats[lock_state].\n get(mode_iter.next()))\n stats = None\n if self.hasGraph('pg_checkpoints'):\n if stats is None:\n stats = self._dbconn.getBgWriterStats()\n self.setGraphVal('pg_checkpoints', 'req', stats.get('checkpoints_req'))\n self.setGraphVal('pg_checkpoints', 'timed', stats.get(\n 'checkpoints_timed'))\n if self.hasGraph('pg_bgwriter'):\n if stats is None:\n stats = self._dbconn.getBgWriterStats()\n self.setGraphVal('pg_bgwriter', 'backend', stats.get('buffers_backend')\n )\n self.setGraphVal('pg_bgwriter', 'clean', stats.get('buffers_clean'))\n self.setGraphVal('pg_bgwriter', 'chkpoint', stats.get(\n 'buffers_checkpoint'))\n if self._detailGraphs:\n for db, dbstats in databases.iteritems():\n if self.dbIncluded(db):\n if self.hasGraph('pg_blockread_detail'):\n self.setGraphVal('pg_blockread_detail', db, dbstats[\n 'blks_hit'] + dbstats['blks_read'])\n for graph_name, attr_name in (('pg_xact_commit_detail',\n 'xact_commit'), ('pg_xact_rollback_detail',\n 'xact_rollback'), ('pg_tup_return_detail',\n 'tup_returned'), ('pg_tup_fetch_detail', 'tup_fetched'),\n ('pg_tup_delete_detail', 'tup_deleted'), (\n 'pg_tup_update_detail', 'tup_updated'), (\n 'pg_tup_insert_detail', 'tup_inserted')):\n if self.hasGraph(graph_name):\n self.setGraphVal(graph_name, db, dbstats[attr_name])\n lock_stats_db = None\n for lock_state in ('all', 'wait'):\n graph_name = 'pg_lock_%s_detail' % lock_state\n if self.hasGraph(graph_name):\n if lock_stats_db is None:\n lock_stats_db = self._dbconn.getLockStatsDB()\n self.setGraphVal(graph_name, db, lock_stats_db[\n lock_state].get(db, 0))\n if self._replGraphs:\n repl_stats = self._dbconn.getSlaveConflictStats()\n if self.hasGraph('pg_repl_conflicts'):\n for field in self.getGraphFieldList('pg_repl_conflicts'):\n self.setGraphVal('pg_repl_conflicts', field, repl_stats[\n 'totals'].get('confl_%s' % field))\n if self._detailGraphs and self.hasGraph('pg_repl_conflicts_detail'):\n for db, dbstats in repl_stats['databases'].iteritems():\n if self.dbIncluded(db):\n self.setGraphVal('pg_repl_conflicts_detail', db, sum(\n dbstats.values()))\n",
"role": "user"
},
{
"content": "retrieveVals",
"role": "assistant"
}
] |
def x(self, host, port):
sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
sock.connect((host, port))
self._reader = sock.makefile(mode='rb')
self._writer = sock.makefile(mode='wb')
|
connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, host, port):\n sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n sock.connect((host, port))\n self._reader = sock.makefile(mode='rb')\n self._writer = sock.makefile(mode='wb')\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, data_changed_callback):
while True:
byte = self._reader.read(1)
while True:
if not byte:
return
if byte[0] == self.FRAME_DLE:
next_byte = self._reader.read(1)
if not next_byte:
return
if next_byte[0] == self.FRAME_STX:
break
else:
continue
byte = self._reader.read(1)
frame = bytearray()
byte = self._reader.read(1)
while True:
if not byte:
return
if byte[0] == self.FRAME_DLE:
next_byte = self._reader.read(1)
if not next_byte:
return
if next_byte[0] == self.FRAME_ETX:
break
elif next_byte[0] != 0:
pass
frame.append(byte[0])
byte = self._reader.read(1)
frame_crc = int.from_bytes(frame[-2:], byteorder='big')
frame = frame[:-2]
calculated_crc = self.FRAME_DLE + self.FRAME_STX
for byte in frame:
calculated_crc += byte
if frame_crc != calculated_crc:
_LOGGER.warning('Bad CRC')
continue
frame_type = frame[0:2]
frame = frame[2:]
if frame_type == self.FRAME_TYPE_KEEP_ALIVE:
if not self._send_queue.empty():
data = self._send_queue.get(block=False)
self._writer.write(data['frame'])
self._writer.flush()
_LOGGER.info('Sent: %s', binascii.hexlify(data['frame']))
try:
if data['desired_states'] is not None:
Timer(2.0, self._check_state, [data]).start()
except KeyError:
pass
continue
elif frame_type == self.FRAME_TYPE_KEY_EVENT:
_LOGGER.info('Key: %s', binascii.hexlify(frame))
elif frame_type == self.FRAME_TYPE_LEDS:
_LOGGER.debug('LEDs: %s', binascii.hexlify(frame))
states = int.from_bytes(frame[0:4], byteorder='little')
flashing_states = int.from_bytes(frame[4:8], byteorder='little')
states |= flashing_states
if (states != self._states or flashing_states != self.
_flashing_states):
self._states = states
self._flashing_states = flashing_states
data_changed_callback(self)
elif frame_type == self.FRAME_TYPE_PUMP_SPEED_REQUEST:
value = int.from_bytes(frame[0:2], byteorder='big')
_LOGGER.debug('Pump speed request: %d%%', value)
if self._pump_speed != value:
self._pump_speed = value
data_changed_callback(self)
elif frame_type == self.FRAME_TYPE_PUMP_STATUS:
self._multi_speed_pump = True
speed = frame[2]
power = ((frame[3] & 240) >> 4) * 1000 + (frame[3] & 15) * 100 + ((
frame[4] & 240) >> 4) * 10 + (frame[4] & 15)
_LOGGER.debug('Pump speed: %d%%, power: %d watts', speed, power)
if self._pump_power != power:
self._pump_power = power
data_changed_callback(self)
elif frame_type == self.FRAME_TYPE_DISPLAY_UPDATE:
parts = frame.decode('latin-1').split()
_LOGGER.debug('Display update: %s', parts)
try:
if parts[0] == 'Pool' and parts[1] == 'Temp':
value = int(parts[2][:-2])
if self._pool_temp != value:
self._pool_temp = value
self._is_metric = parts[2][-1:] == 'C'
data_changed_callback(self)
elif parts[0] == 'Spa' and parts[1] == 'Temp':
value = int(parts[2][:-2])
if self._spa_temp != value:
self._spa_temp = value
self._is_metric = parts[2][-1:] == 'C'
data_changed_callback(self)
elif parts[0] == 'Air' and parts[1] == 'Temp':
value = int(parts[2][:-2])
if self._air_temp != value:
self._air_temp = value
self._is_metric = parts[2][-1:] == 'C'
data_changed_callback(self)
elif parts[0] == 'Pool' and parts[1] == 'Chlorinator':
value = int(parts[2][:-1])
if self._pool_chlorinator != value:
self._pool_chlorinator = value
data_changed_callback(self)
elif parts[0] == 'Spa' and parts[1] == 'Chlorinator':
value = int(parts[2][:-1])
if self._spa_chlorinator != value:
self._spa_chlorinator = value
data_changed_callback(self)
elif parts[0] == 'Salt' and parts[1] == 'Level':
value = float(parts[2])
if self._salt_level != value:
self._salt_level = value
self._is_metric = parts[3] == 'g/L'
data_changed_callback(self)
elif parts[0] == 'Check' and parts[1] == 'System':
value = ' '.join(parts[2:])
if self._check_system_msg != value:
self._check_system_msg = value
data_changed_callback(self)
except ValueError:
pass
else:
_LOGGER.info('Unknown frame: %s %s', binascii.hexlify(
frame_type), binascii.hexlify(frame))
|
process
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data_changed_callback):\n while True:\n byte = self._reader.read(1)\n while True:\n if not byte:\n return\n if byte[0] == self.FRAME_DLE:\n next_byte = self._reader.read(1)\n if not next_byte:\n return\n if next_byte[0] == self.FRAME_STX:\n break\n else:\n continue\n byte = self._reader.read(1)\n frame = bytearray()\n byte = self._reader.read(1)\n while True:\n if not byte:\n return\n if byte[0] == self.FRAME_DLE:\n next_byte = self._reader.read(1)\n if not next_byte:\n return\n if next_byte[0] == self.FRAME_ETX:\n break\n elif next_byte[0] != 0:\n pass\n frame.append(byte[0])\n byte = self._reader.read(1)\n frame_crc = int.from_bytes(frame[-2:], byteorder='big')\n frame = frame[:-2]\n calculated_crc = self.FRAME_DLE + self.FRAME_STX\n for byte in frame:\n calculated_crc += byte\n if frame_crc != calculated_crc:\n _LOGGER.warning('Bad CRC')\n continue\n frame_type = frame[0:2]\n frame = frame[2:]\n if frame_type == self.FRAME_TYPE_KEEP_ALIVE:\n if not self._send_queue.empty():\n data = self._send_queue.get(block=False)\n self._writer.write(data['frame'])\n self._writer.flush()\n _LOGGER.info('Sent: %s', binascii.hexlify(data['frame']))\n try:\n if data['desired_states'] is not None:\n Timer(2.0, self._check_state, [data]).start()\n except KeyError:\n pass\n continue\n elif frame_type == self.FRAME_TYPE_KEY_EVENT:\n _LOGGER.info('Key: %s', binascii.hexlify(frame))\n elif frame_type == self.FRAME_TYPE_LEDS:\n _LOGGER.debug('LEDs: %s', binascii.hexlify(frame))\n states = int.from_bytes(frame[0:4], byteorder='little')\n flashing_states = int.from_bytes(frame[4:8], byteorder='little')\n states |= flashing_states\n if (states != self._states or flashing_states != self.\n _flashing_states):\n self._states = states\n self._flashing_states = flashing_states\n data_changed_callback(self)\n elif frame_type == self.FRAME_TYPE_PUMP_SPEED_REQUEST:\n value = int.from_bytes(frame[0:2], byteorder='big')\n _LOGGER.debug('Pump speed request: %d%%', value)\n if self._pump_speed != value:\n self._pump_speed = value\n data_changed_callback(self)\n elif frame_type == self.FRAME_TYPE_PUMP_STATUS:\n self._multi_speed_pump = True\n speed = frame[2]\n power = ((frame[3] & 240) >> 4) * 1000 + (frame[3] & 15) * 100 + ((\n frame[4] & 240) >> 4) * 10 + (frame[4] & 15)\n _LOGGER.debug('Pump speed: %d%%, power: %d watts', speed, power)\n if self._pump_power != power:\n self._pump_power = power\n data_changed_callback(self)\n elif frame_type == self.FRAME_TYPE_DISPLAY_UPDATE:\n parts = frame.decode('latin-1').split()\n _LOGGER.debug('Display update: %s', parts)\n try:\n if parts[0] == 'Pool' and parts[1] == 'Temp':\n value = int(parts[2][:-2])\n if self._pool_temp != value:\n self._pool_temp = value\n self._is_metric = parts[2][-1:] == 'C'\n data_changed_callback(self)\n elif parts[0] == 'Spa' and parts[1] == 'Temp':\n value = int(parts[2][:-2])\n if self._spa_temp != value:\n self._spa_temp = value\n self._is_metric = parts[2][-1:] == 'C'\n data_changed_callback(self)\n elif parts[0] == 'Air' and parts[1] == 'Temp':\n value = int(parts[2][:-2])\n if self._air_temp != value:\n self._air_temp = value\n self._is_metric = parts[2][-1:] == 'C'\n data_changed_callback(self)\n elif parts[0] == 'Pool' and parts[1] == 'Chlorinator':\n value = int(parts[2][:-1])\n if self._pool_chlorinator != value:\n self._pool_chlorinator = value\n data_changed_callback(self)\n elif parts[0] == 'Spa' and parts[1] == 'Chlorinator':\n value = int(parts[2][:-1])\n if self._spa_chlorinator != value:\n self._spa_chlorinator = value\n data_changed_callback(self)\n elif parts[0] == 'Salt' and parts[1] == 'Level':\n value = float(parts[2])\n if self._salt_level != value:\n self._salt_level = value\n self._is_metric = parts[3] == 'g/L'\n data_changed_callback(self)\n elif parts[0] == 'Check' and parts[1] == 'System':\n value = ' '.join(parts[2:])\n if self._check_system_msg != value:\n self._check_system_msg = value\n data_changed_callback(self)\n except ValueError:\n pass\n else:\n _LOGGER.info('Unknown frame: %s %s', binascii.hexlify(\n frame_type), binascii.hexlify(frame))\n",
"role": "user"
},
{
"content": "process",
"role": "assistant"
}
] |
def x(self, key):
_LOGGER.info('Queueing key %s', key)
frame = self._get_key_event_frame(key)
self._send_queue.put({'frame': frame})
|
send_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n _LOGGER.info('Queueing key %s', key)\n frame = self._get_key_event_frame(key)\n self._send_queue.put({'frame': frame})\n",
"role": "user"
},
{
"content": "send_key",
"role": "assistant"
}
] |
def x(self):
state_list = []
for state in States:
if state.value & self._states != 0:
state_list.append(state)
if self._flashing_states & States.FILTER != 0:
state_list.append(States.FILTER_LOW_SPEED)
return state_list
|
states
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n state_list = []\n for state in States:\n if state.value & self._states != 0:\n state_list.append(state)\n if self._flashing_states & States.FILTER != 0:\n state_list.append(States.FILTER_LOW_SPEED)\n return state_list\n",
"role": "user"
},
{
"content": "states",
"role": "assistant"
}
] |
def x(self, state):
for data in list(self._send_queue.queue):
desired_states = data['desired_states']
for desired_state in desired_states:
if desired_state['state'] == state:
return desired_state['enabled']
if state == States.FILTER_LOW_SPEED:
return States.FILTER.value & self._flashing_states != 0
return state.value & self._states != 0
|
get_state
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, state):\n for data in list(self._send_queue.queue):\n desired_states = data['desired_states']\n for desired_state in desired_states:\n if desired_state['state'] == state:\n return desired_state['enabled']\n if state == States.FILTER_LOW_SPEED:\n return States.FILTER.value & self._flashing_states != 0\n return state.value & self._states != 0\n",
"role": "user"
},
{
"content": "get_state",
"role": "assistant"
}
] |
def x(self, state, enable):
is_enabled = self.get_state(state)
if is_enabled == enable:
return True
key = None
desired_states = [{'state': state, 'enabled': not is_enabled}]
if state == States.FILTER_LOW_SPEED:
if not self._multi_speed_pump:
return False
key = Keys.FILTER
desired_states.append({'state': States.FILTER, 'enabled': True})
else:
try:
key = Keys[state.name]
except KeyError:
return False
frame = self._get_key_event_frame(key)
self._send_queue.put({'frame': frame, 'desired_states': desired_states,
'retries': 10})
return True
|
set_state
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, state, enable):\n is_enabled = self.get_state(state)\n if is_enabled == enable:\n return True\n key = None\n desired_states = [{'state': state, 'enabled': not is_enabled}]\n if state == States.FILTER_LOW_SPEED:\n if not self._multi_speed_pump:\n return False\n key = Keys.FILTER\n desired_states.append({'state': States.FILTER, 'enabled': True})\n else:\n try:\n key = Keys[state.name]\n except KeyError:\n return False\n frame = self._get_key_event_frame(key)\n self._send_queue.put({'frame': frame, 'desired_states': desired_states,\n 'retries': 10})\n return True\n",
"role": "user"
},
{
"content": "set_state",
"role": "assistant"
}
] |
def x(function, *args, **k):
if doTrace:
print('> ' + function.__name__, args, k)
result = function(*args, **k)
if doTrace:
print('< ' + function.__name__, args, k, '->', result)
return result
|
trace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(function, *args, **k):\n if doTrace:\n print('> ' + function.__name__, args, k)\n result = function(*args, **k)\n if doTrace:\n print('< ' + function.__name__, args, k, '->', result)\n return result\n",
"role": "user"
},
{
"content": "trace",
"role": "assistant"
}
] |
def x(self, location):
url = QtCore.QUrl('http://maps.googleapis.com/maps/api/geocode/xml')
url.addQueryItem('address', location)
url.addQueryItem('sensor', 'false')
"""
url = QtCore.QUrl("http://maps.google.com/maps/geo/")
url.addQueryItem("q", location)
url.addQueryItem("output", "csv")
url.addQueryItem("sensor", "false")
"""
request = QtNetwork.QNetworkRequest(url)
reply = self.get(request)
while reply.isRunning():
QtGui.QApplication.processEvents()
reply.deleteLater()
self.deleteLater()
return self._parseResult(reply)
|
geocode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location):\n url = QtCore.QUrl('http://maps.googleapis.com/maps/api/geocode/xml')\n url.addQueryItem('address', location)\n url.addQueryItem('sensor', 'false')\n \"\"\"\n\t\turl = QtCore.QUrl(\"http://maps.google.com/maps/geo/\")\n\t\turl.addQueryItem(\"q\", location)\n\t\turl.addQueryItem(\"output\", \"csv\")\n\t\turl.addQueryItem(\"sensor\", \"false\")\n\t\t\"\"\"\n request = QtNetwork.QNetworkRequest(url)\n reply = self.get(request)\n while reply.isRunning():\n QtGui.QApplication.processEvents()\n reply.deleteLater()\n self.deleteLater()\n return self._parseResult(reply)\n",
"role": "user"
},
{
"content": "geocode",
"role": "assistant"
}
] |
def x(params, corrmat):
assert all([isinstance(param, UncertainFunction) for param in params]
), 'All inputs to "correlate" must be of type "UncertainFunction"'
data = np.vstack([param._mcpts for param in params]).T
new_data = induce_correlations(data, corrmat)
for i in range(len(params)):
params[i]._mcpts = new_data[:, i]
|
correlate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(params, corrmat):\n assert all([isinstance(param, UncertainFunction) for param in params]\n ), 'All inputs to \"correlate\" must be of type \"UncertainFunction\"'\n data = np.vstack([param._mcpts for param in params]).T\n new_data = induce_correlations(data, corrmat)\n for i in range(len(params)):\n params[i]._mcpts = new_data[:, i]\n",
"role": "user"
},
{
"content": "correlate",
"role": "assistant"
}
] |
def x(data, corrmat):
data_rank = np.vstack([rankdata(datai) for datai in data.T]).T
data_rank_score = data_rank / (data_rank.shape[0] + 1.0)
data_rank_score = norm(0, 1).ppf(data_rank_score)
p = chol(corrmat)
t = np.corrcoef(data_rank_score, rowvar=0)
q = chol(t)
s = np.dot(p, np.linalg.inv(q))
new_data = np.dot(data_rank_score, s.T)
new_data_rank = np.vstack([rankdata(datai) for datai in new_data.T]).T
for i in range(data.shape[1]):
vals, order = np.unique(np.hstack((data_rank[:, i], new_data_rank[:,
i])), return_inverse=True)
old_order = order[:new_data_rank.shape[0]]
new_order = order[-new_data_rank.shape[0]:]
tmp = data[np.argsort(old_order), i][new_order]
data[:, i] = tmp[:]
return data
|
induce_correlations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, corrmat):\n data_rank = np.vstack([rankdata(datai) for datai in data.T]).T\n data_rank_score = data_rank / (data_rank.shape[0] + 1.0)\n data_rank_score = norm(0, 1).ppf(data_rank_score)\n p = chol(corrmat)\n t = np.corrcoef(data_rank_score, rowvar=0)\n q = chol(t)\n s = np.dot(p, np.linalg.inv(q))\n new_data = np.dot(data_rank_score, s.T)\n new_data_rank = np.vstack([rankdata(datai) for datai in new_data.T]).T\n for i in range(data.shape[1]):\n vals, order = np.unique(np.hstack((data_rank[:, i], new_data_rank[:,\n i])), return_inverse=True)\n old_order = order[:new_data_rank.shape[0]]\n new_order = order[-new_data_rank.shape[0]:]\n tmp = data[np.argsort(old_order), i][new_order]\n data[:, i] = tmp[:]\n return data\n",
"role": "user"
},
{
"content": "induce_correlations",
"role": "assistant"
}
] |
def x(X, plotargs=None, full=True, labels=None):
import matplotlib.pyplot as plt
X = [(Xi._mcpts if isinstance(Xi, UncertainFunction) else Xi) for Xi in X]
X = np.atleast_2d(X)
numvars, numdata = X.shape
fig, axes = plt.subplots(nrows=numvars, ncols=numvars, figsize=(8, 8))
fig.subplots_adjust(hspace=0.0, wspace=0.0)
for ax in axes.flat:
ax.xaxis.set_visible(False)
ax.yaxis.set_visible(False)
if full:
if ax.is_first_col():
ax.yaxis.set_ticks_position('left')
if ax.is_last_col():
ax.yaxis.set_ticks_position('right')
if ax.is_first_row():
ax.xaxis.set_ticks_position('top')
if ax.is_last_row():
ax.xaxis.set_ticks_position('bottom')
else:
if ax.is_first_row():
ax.xaxis.set_ticks_position('top')
if ax.is_last_col():
ax.yaxis.set_ticks_position('right')
if not labels:
labels = [('x' + str(i)) for i in range(numvars)]
for i, label in enumerate(labels):
axes[i, i].annotate(label, (0.5, 0.5), xycoords='axes fraction', ha
='center', va='center')
for i, j in zip(*np.triu_indices_from(axes, k=1)):
if full:
idx = [(i, j), (j, i)]
else:
idx = [(i, j)]
for x, y in idx:
if plotargs is None:
if len(X[x]) > 100:
plotargs = ',b'
else:
plotargs = '.b'
axes[x, y].plot(X[y], X[x], plotargs)
ylim = min(X[y]), max(X[y])
xlim = min(X[x]), max(X[x])
axes[x, y].set_ylim(xlim[0] - (xlim[1] - xlim[0]) * 0.1, xlim[1
] + (xlim[1] - xlim[0]) * 0.1)
axes[x, y].set_xlim(ylim[0] - (ylim[1] - ylim[0]) * 0.1, ylim[1
] + (ylim[1] - ylim[0]) * 0.1)
if full:
for i, j in zip(list(range(numvars)), itertools.cycle((-1, 0))):
axes[j, i].xaxis.set_visible(True)
axes[i, j].yaxis.set_visible(True)
else:
for i in range(numvars - 1):
axes[0, i + 1].xaxis.set_visible(True)
axes[i, -1].yaxis.set_visible(True)
for i in range(1, numvars):
for j in range(0, i):
fig.delaxes(axes[i, j])
if numvars % 2:
xlimits = axes[0, -1].get_xlim()
ylimits = axes[-1, 0].get_ylim()
axes[-1, -1].set_xlim(xlimits)
axes[-1, -1].set_ylim(ylimits)
return fig
|
plotcorr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(X, plotargs=None, full=True, labels=None):\n import matplotlib.pyplot as plt\n X = [(Xi._mcpts if isinstance(Xi, UncertainFunction) else Xi) for Xi in X]\n X = np.atleast_2d(X)\n numvars, numdata = X.shape\n fig, axes = plt.subplots(nrows=numvars, ncols=numvars, figsize=(8, 8))\n fig.subplots_adjust(hspace=0.0, wspace=0.0)\n for ax in axes.flat:\n ax.xaxis.set_visible(False)\n ax.yaxis.set_visible(False)\n if full:\n if ax.is_first_col():\n ax.yaxis.set_ticks_position('left')\n if ax.is_last_col():\n ax.yaxis.set_ticks_position('right')\n if ax.is_first_row():\n ax.xaxis.set_ticks_position('top')\n if ax.is_last_row():\n ax.xaxis.set_ticks_position('bottom')\n else:\n if ax.is_first_row():\n ax.xaxis.set_ticks_position('top')\n if ax.is_last_col():\n ax.yaxis.set_ticks_position('right')\n if not labels:\n labels = [('x' + str(i)) for i in range(numvars)]\n for i, label in enumerate(labels):\n axes[i, i].annotate(label, (0.5, 0.5), xycoords='axes fraction', ha\n ='center', va='center')\n for i, j in zip(*np.triu_indices_from(axes, k=1)):\n if full:\n idx = [(i, j), (j, i)]\n else:\n idx = [(i, j)]\n for x, y in idx:\n if plotargs is None:\n if len(X[x]) > 100:\n plotargs = ',b'\n else:\n plotargs = '.b'\n axes[x, y].plot(X[y], X[x], plotargs)\n ylim = min(X[y]), max(X[y])\n xlim = min(X[x]), max(X[x])\n axes[x, y].set_ylim(xlim[0] - (xlim[1] - xlim[0]) * 0.1, xlim[1\n ] + (xlim[1] - xlim[0]) * 0.1)\n axes[x, y].set_xlim(ylim[0] - (ylim[1] - ylim[0]) * 0.1, ylim[1\n ] + (ylim[1] - ylim[0]) * 0.1)\n if full:\n for i, j in zip(list(range(numvars)), itertools.cycle((-1, 0))):\n axes[j, i].xaxis.set_visible(True)\n axes[i, j].yaxis.set_visible(True)\n else:\n for i in range(numvars - 1):\n axes[0, i + 1].xaxis.set_visible(True)\n axes[i, -1].yaxis.set_visible(True)\n for i in range(1, numvars):\n for j in range(0, i):\n fig.delaxes(axes[i, j])\n if numvars % 2:\n xlimits = axes[0, -1].get_xlim()\n ylimits = axes[-1, 0].get_ylim()\n axes[-1, -1].set_xlim(xlimits)\n axes[-1, -1].set_ylim(ylimits)\n return fig\n",
"role": "user"
},
{
"content": "plotcorr",
"role": "assistant"
}
] |
def x(A):
A = np.array(A)
assert A.shape[0] == A.shape[1], 'Input matrix must be square'
L = [([0.0] * len(A)) for _ in range(len(A))]
for i in range(len(A)):
for j in range(i + 1):
s = sum(L[i][k] * L[j][k] for k in range(j))
L[i][j] = (A[i][i] - s) ** 0.5 if i == j else 1.0 / L[j][j] * (A
[i][j] - s)
return np.array(L)
|
chol
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(A):\n A = np.array(A)\n assert A.shape[0] == A.shape[1], 'Input matrix must be square'\n L = [([0.0] * len(A)) for _ in range(len(A))]\n for i in range(len(A)):\n for j in range(i + 1):\n s = sum(L[i][k] * L[j][k] for k in range(j))\n L[i][j] = (A[i][i] - s) ** 0.5 if i == j else 1.0 / L[j][j] * (A\n [i][j] - s)\n return np.array(L)\n",
"role": "user"
},
{
"content": "chol",
"role": "assistant"
}
] |
def x(self, uri, params={}):
return self._session.get(urljoin(Investigate.BASE_URL, uri), params=
params, headers=self._auth_header, proxies=self.proxies)
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uri, params={}):\n return self._session.get(urljoin(Investigate.BASE_URL, uri), params=\n params, headers=self._auth_header, proxies=self.proxies)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, uri, params={}, data={}):
return self._session.post(urljoin(Investigate.BASE_URL, uri), params=
params, data=data, headers=self._auth_header, proxies=self.proxies)
|
post
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uri, params={}, data={}):\n return self._session.post(urljoin(Investigate.BASE_URL, uri), params=\n params, data=data, headers=self._auth_header, proxies=self.proxies)\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(self, uri, params={}):
return self._request_parse(self.get, uri, params)
|
get_parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uri, params={}):\n return self._request_parse(self.get, uri, params)\n",
"role": "user"
},
{
"content": "get_parse",
"role": "assistant"
}
] |
def x(self, uri, params={}, data={}):
return self._request_parse(self.post, uri, params, data)
|
post_parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uri, params={}, data={}):\n return self._request_parse(self.post, uri, params, data)\n",
"role": "user"
},
{
"content": "post_parse",
"role": "assistant"
}
] |
def x(self, domains, labels=False):
if type(domains) is str:
return self._get_categorization(domains, labels)
elif type(domains) is list:
return self._post_categorization(domains, labels)
else:
raise Investigate.DOMAIN_ERR
|
categorization
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, domains, labels=False):\n if type(domains) is str:\n return self._get_categorization(domains, labels)\n elif type(domains) is list:\n return self._post_categorization(domains, labels)\n else:\n raise Investigate.DOMAIN_ERR\n",
"role": "user"
},
{
"content": "categorization",
"role": "assistant"
}
] |
def x(self, domain):
uri = self._uris['cooccurrences'].format(domain)
return self.get_parse(uri)
|
cooccurrences
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, domain):\n uri = self._uris['cooccurrences'].format(domain)\n return self.get_parse(uri)\n",
"role": "user"
},
{
"content": "cooccurrences",
"role": "assistant"
}
] |
def x(self, domain):
uri = self._uris['related'].format(domain)
return self.get_parse(uri)
|
related
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, domain):\n uri = self._uris['related'].format(domain)\n return self.get_parse(uri)\n",
"role": "user"
},
{
"content": "related",
"role": "assistant"
}
] |
def x(self, domain):
uri = self._uris['security'].format(domain)
return self.get_parse(uri)
|
security
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, domain):\n uri = self._uris['security'].format(domain)\n return self.get_parse(uri)\n",
"role": "user"
},
{
"content": "security",
"role": "assistant"
}
] |
def x(self, query, query_type='A'):
if query_type not in Investigate.SUPPORTED_DNS_TYPES:
raise Investigate.UNSUPPORTED_DNS_QUERY
if Investigate.IP_PATTERN.match(query):
return self._ip_rr_history(query, query_type)
return self._domain_rr_history(query, query_type)
|
rr_history
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, query_type='A'):\n if query_type not in Investigate.SUPPORTED_DNS_TYPES:\n raise Investigate.UNSUPPORTED_DNS_QUERY\n if Investigate.IP_PATTERN.match(query):\n return self._ip_rr_history(query, query_type)\n return self._domain_rr_history(query, query_type)\n",
"role": "user"
},
{
"content": "rr_history",
"role": "assistant"
}
] |
def x(self, domain):
uri = self._uris['whois_domain'].format(domain)
resp_json = self.get_parse(uri)
return resp_json
|
domain_whois
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, domain):\n uri = self._uris['whois_domain'].format(domain)\n resp_json = self.get_parse(uri)\n return resp_json\n",
"role": "user"
},
{
"content": "domain_whois",
"role": "assistant"
}
] |
def x(self, domain, limit=None):
params = dict()
if limit is not None:
params['limit'] = limit
uri = self._uris['whois_domain_history'].format(domain)
resp_json = self.get_parse(uri, params)
return resp_json
|
domain_whois_history
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, domain, limit=None):\n params = dict()\n if limit is not None:\n params['limit'] = limit\n uri = self._uris['whois_domain_history'].format(domain)\n resp_json = self.get_parse(uri, params)\n return resp_json\n",
"role": "user"
},
{
"content": "domain_whois_history",
"role": "assistant"
}
] |
def x(self, nameservers, limit=DEFAULT_LIMIT, offset=DEFAULT_OFFSET,
sort_field=DEFAULT_SORT):
if not isinstance(nameservers, list):
uri = self._uris['whois_ns'].format(nameservers)
params = {'limit': limit, 'offset': offset, 'sortField': sort_field}
else:
uri = self._uris['whois_ns'].format('')
params = {'emailList': ','.join(nameservers), 'limit': limit,
'offset': offset, 'sortField': sort_field}
resp_json = self.get_parse(uri, params=params)
return resp_json
|
ns_whois
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nameservers, limit=DEFAULT_LIMIT, offset=DEFAULT_OFFSET,\n sort_field=DEFAULT_SORT):\n if not isinstance(nameservers, list):\n uri = self._uris['whois_ns'].format(nameservers)\n params = {'limit': limit, 'offset': offset, 'sortField': sort_field}\n else:\n uri = self._uris['whois_ns'].format('')\n params = {'emailList': ','.join(nameservers), 'limit': limit,\n 'offset': offset, 'sortField': sort_field}\n resp_json = self.get_parse(uri, params=params)\n return resp_json\n",
"role": "user"
},
{
"content": "ns_whois",
"role": "assistant"
}
] |
def x(self, pattern, start=None, limit=None, include_category=None):
params = dict()
if start is None:
start = datetime.timedelta(days=30)
if isinstance(start, datetime.timedelta):
params['start'] = int(time.mktime((datetime.datetime.utcnow() -
start).timetuple()) * 1000)
elif isinstance(start, datetime.datetime):
params['start'] = int(time.mktime(start.timetuple()) * 1000)
else:
raise Investigate.SEARCH_ERR
if limit is not None and isinstance(limit, int):
params['limit'] = limit
if include_category is not None and isinstance(include_category, bool):
params['includeCategory'] = str(include_category).lower()
uri = self._uris['search'].format(quote_plus(pattern))
return self.get_parse(uri, params)
|
search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern, start=None, limit=None, include_category=None):\n params = dict()\n if start is None:\n start = datetime.timedelta(days=30)\n if isinstance(start, datetime.timedelta):\n params['start'] = int(time.mktime((datetime.datetime.utcnow() -\n start).timetuple()) * 1000)\n elif isinstance(start, datetime.datetime):\n params['start'] = int(time.mktime(start.timetuple()) * 1000)\n else:\n raise Investigate.SEARCH_ERR\n if limit is not None and isinstance(limit, int):\n params['limit'] = limit\n if include_category is not None and isinstance(include_category, bool):\n params['includeCategory'] = str(include_category).lower()\n uri = self._uris['search'].format(quote_plus(pattern))\n return self.get_parse(uri, params)\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self, anystring, limit=None, offset=None, sortby=None):
uri = self._uris['samples'].format(anystring)
params = {'limit': limit, 'offset': offset, 'sortby': sortby}
return self.get_parse(uri, params)
|
samples
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, anystring, limit=None, offset=None, sortby=None):\n uri = self._uris['samples'].format(anystring)\n params = {'limit': limit, 'offset': offset, 'sortby': sortby}\n return self.get_parse(uri, params)\n",
"role": "user"
},
{
"content": "samples",
"role": "assistant"
}
] |
def x(self, hash, limit=None, offset=None):
uri = self._uris['sample'].format(hash)
params = {'limit': limit, 'offset': offset}
return self.get_parse(uri, params)
|
sample
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hash, limit=None, offset=None):\n uri = self._uris['sample'].format(hash)\n params = {'limit': limit, 'offset': offset}\n return self.get_parse(uri, params)\n",
"role": "user"
},
{
"content": "sample",
"role": "assistant"
}
] |
def x(self, ip):
if not Investigate.IP_PATTERN.match(ip):
raise Investigate.IP_ERR
uri = self._uris['as_for_ip'].format(ip)
resp_json = self.get_parse(uri)
return resp_json
|
as_for_ip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ip):\n if not Investigate.IP_PATTERN.match(ip):\n raise Investigate.IP_ERR\n uri = self._uris['as_for_ip'].format(ip)\n resp_json = self.get_parse(uri)\n return resp_json\n",
"role": "user"
},
{
"content": "as_for_ip",
"role": "assistant"
}
] |
def x(self, asn):
uri = self._uris['prefixes_for_asn'].format(asn)
resp_json = self.get_parse(uri)
return resp_json
|
prefixes_for_asn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, asn):\n uri = self._uris['prefixes_for_asn'].format(asn)\n resp_json = self.get_parse(uri)\n return resp_json\n",
"role": "user"
},
{
"content": "prefixes_for_asn",
"role": "assistant"
}
] |
def x(self, uri):
uri = self._uris['timeline'].format(uri)
resp_json = self.get_parse(uri)
return resp_json
|
timeline
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uri):\n uri = self._uris['timeline'].format(uri)\n resp_json = self.get_parse(uri)\n return resp_json\n",
"role": "user"
},
{
"content": "timeline",
"role": "assistant"
}
] |
def x(x):
if isinstance(x, UncertainFunction):
mcpts = np.abs(x._mcpts)
return UncertainFunction(mcpts)
else:
return np.abs(x)
|
abs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n if isinstance(x, UncertainFunction):\n mcpts = np.abs(x._mcpts)\n return UncertainFunction(mcpts)\n else:\n return np.abs(x)\n",
"role": "user"
},
{
"content": "abs",
"role": "assistant"
}
] |
def x(x):
if isinstance(x, UncertainFunction):
mcpts = np.arccos(x._mcpts)
return UncertainFunction(mcpts)
else:
return np.arccos(x)
|
acos
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n if isinstance(x, UncertainFunction):\n mcpts = np.arccos(x._mcpts)\n return UncertainFunction(mcpts)\n else:\n return np.arccos(x)\n",
"role": "user"
},
{
"content": "acos",
"role": "assistant"
}
] |
def x(x):
if isinstance(x, UncertainFunction):
mcpts = np.arccosh(x._mcpts)
return UncertainFunction(mcpts)
else:
return np.arccosh(x)
|
acosh
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n if isinstance(x, UncertainFunction):\n mcpts = np.arccosh(x._mcpts)\n return UncertainFunction(mcpts)\n else:\n return np.arccosh(x)\n",
"role": "user"
},
{
"content": "acosh",
"role": "assistant"
}
] |
def x(x):
if isinstance(x, UncertainFunction):
mcpts = np.arcsin(x._mcpts)
return UncertainFunction(mcpts)
else:
return np.arcsin(x)
|
asin
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n if isinstance(x, UncertainFunction):\n mcpts = np.arcsin(x._mcpts)\n return UncertainFunction(mcpts)\n else:\n return np.arcsin(x)\n",
"role": "user"
},
{
"content": "asin",
"role": "assistant"
}
] |
def x(x):
if isinstance(x, UncertainFunction):
mcpts = np.arcsinh(x._mcpts)
return UncertainFunction(mcpts)
else:
return np.arcsinh(x)
|
asinh
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n if isinstance(x, UncertainFunction):\n mcpts = np.arcsinh(x._mcpts)\n return UncertainFunction(mcpts)\n else:\n return np.arcsinh(x)\n",
"role": "user"
},
{
"content": "asinh",
"role": "assistant"
}
] |
def x(x):
if isinstance(x, UncertainFunction):
mcpts = np.arctan(x._mcpts)
return UncertainFunction(mcpts)
else:
return np.arctan(x)
|
atan
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n if isinstance(x, UncertainFunction):\n mcpts = np.arctan(x._mcpts)\n return UncertainFunction(mcpts)\n else:\n return np.arctan(x)\n",
"role": "user"
},
{
"content": "atan",
"role": "assistant"
}
] |
def x(x):
if isinstance(x, UncertainFunction):
mcpts = np.arctanh(x._mcpts)
return UncertainFunction(mcpts)
else:
return np.arctanh(x)
|
atanh
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n if isinstance(x, UncertainFunction):\n mcpts = np.arctanh(x._mcpts)\n return UncertainFunction(mcpts)\n else:\n return np.arctanh(x)\n",
"role": "user"
},
{
"content": "atanh",
"role": "assistant"
}
] |
def x(x):
if isinstance(x, UncertainFunction):
mcpts = np.ceil(x._mcpts)
return UncertainFunction(mcpts)
else:
return np.ceil(x)
|
ceil
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n if isinstance(x, UncertainFunction):\n mcpts = np.ceil(x._mcpts)\n return UncertainFunction(mcpts)\n else:\n return np.ceil(x)\n",
"role": "user"
},
{
"content": "ceil",
"role": "assistant"
}
] |
def x(x):
if isinstance(x, UncertainFunction):
mcpts = np.cos(x._mcpts)
return UncertainFunction(mcpts)
else:
return np.cos(x)
|
cos
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n if isinstance(x, UncertainFunction):\n mcpts = np.cos(x._mcpts)\n return UncertainFunction(mcpts)\n else:\n return np.cos(x)\n",
"role": "user"
},
{
"content": "cos",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.