source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, limit=None, marker=None):
stats = {}
for row in self._conn.list_containers_info(limit, marker):
stats[row['name']] = {'count': row['count'], 'size': row['bytes']}
return stats
|
getContainerStats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit=None, marker=None):\n stats = {}\n for row in self._conn.list_containers_info(limit, marker):\n stats[row['name']] = {'count': row['count'], 'size': row['bytes']}\n return stats\n",
"role": "user"
},
{
"content": "getContainerStats",
"role": "assistant"
}
] |
def x(path, keypath=None, save=False, speech_context=None, sample_rate=
44100, max_alternatives=1, language_code='en-US',
enable_word_time_offsets=True, return_raw=False):
def x(file_path, client, speech_context, sample_rate, max_alternatives,
enable_word_time_offsets):
def x(chunk, file_path):
chunk.export(file_path + '.flac', format='flac', bitrate='44.1k')
with open(file_path + '.flac', 'rb') as sc:
speech_content = sc.read()
sample = types.RecognitionAudio(content=speech_content)
try:
result = client.recognize(opts, sample)
except ValueError as e:
print(e)
result = None
return result
opts = {}
opts['encoding'] = enums.RecognitionConfig.AudioEncoding.FLAC
opts['language_code'] = language_code
opts['sample_rate_hertz'] = sample_rate
opts['max_alternatives'] = max_alternatives
opts['enable_word_time_offsets'] = enable_word_time_offsets
if speech_context:
opts['speech_contexts'] = [types.SpeechContext(phrases=
speech_context)]
audio = AudioSegment.from_wav(file_path)
if len(audio) > 60000:
segments = list(range(0, len(audio), 60000))
if segments[-1] < len(audio):
segments.append(len(audio) - 1)
print(
'Audio clip is longer than 1 minute. Splitting into %d one minute segments...'
% (len(segments) - 1))
audio_chunks = []
for i in range(len(segments) - 1):
audio_chunks.append(audio[segments[i]:segments[i + 1]])
else:
audio_chunks = [audio]
results = []
for idx, chunk in enumerate(audio_chunks):
results.append(recognize(chunk, file_path + str(idx)))
return results
def x(results):
words = []
for chunk in results:
for result in chunk.results:
alternative = result.alternatives[0]
print('Transcript: {}'.format(alternative.transcript))
print('Confidence: {}'.format(alternative.confidence))
for word_info in alternative.words:
word = word_info.word
start_time = word_info.start_time
end_time = word_info.end_time
print('Word: {}, start_time: {}, end_time: {}'.format(
word, start_time.seconds + start_time.nanos * 1e-09,
end_time.seconds + end_time.nanos * 1e-09))
words.append((str(word).upper(), start_time.seconds +
start_time.nanos * 1e-09, end_time.seconds +
end_time.nanos * 1e-09))
return words
if keypath:
credentials = service_account.Credentials.from_service_account_file(
keypath)
scoped_credentials = credentials.with_scopes([
'https://www.googleapis.com/auth/cloud-platform'])
client = speech.SpeechClient(credentials=scoped_credentials)
else:
client = speech.SpeechClient()
files = []
if path.endswith('.wav'):
files = [path]
else:
listdirectory = os.listdir(path)
for filename in listdirectory:
if filename.endswith('.wav'):
files.append(path + filename)
words = []
raw = []
for i, f in enumerate(files):
print('Decoding file ' + str(i + 1) + ' of ' + str(len(files)))
try:
start = time.time()
results = decode_file(f, client, speech_context, sample_rate,
max_alternatives, enable_word_time_offsets)
parsed_results = parse_response(results)
words.append(parsed_results)
raw.append(results)
if save:
pickle.dump(results, open(f + '.p', 'wb'))
pd.DataFrame(parsed_results).to_csv(f + '.txt', header=
False, index=False)
print('Finished file ' + str(i + 1) + ' of ' + str(len(files)) +
' in ' + str(round(time.time() - start, 2)) + ' seconds.')
except ValueError as e:
words.append('Error')
print(e)
print('Decoding of file ' + str(i) +
'failed. Moving on to next file.')
if return_raw:
if len(words) > 1:
return raw
else:
return raw[0]
elif len(words) > 1:
return words
else:
return words[0]
|
decode_speech
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, keypath=None, save=False, speech_context=None, sample_rate=\n 44100, max_alternatives=1, language_code='en-US',\n enable_word_time_offsets=True, return_raw=False):\n\n def x(file_path, client, speech_context, sample_rate, max_alternatives,\n enable_word_time_offsets):\n\n def x(chunk, file_path):\n chunk.export(file_path + '.flac', format='flac', bitrate='44.1k')\n with open(file_path + '.flac', 'rb') as sc:\n speech_content = sc.read()\n sample = types.RecognitionAudio(content=speech_content)\n try:\n result = client.recognize(opts, sample)\n except ValueError as e:\n print(e)\n result = None\n return result\n opts = {}\n opts['encoding'] = enums.RecognitionConfig.AudioEncoding.FLAC\n opts['language_code'] = language_code\n opts['sample_rate_hertz'] = sample_rate\n opts['max_alternatives'] = max_alternatives\n opts['enable_word_time_offsets'] = enable_word_time_offsets\n if speech_context:\n opts['speech_contexts'] = [types.SpeechContext(phrases=\n speech_context)]\n audio = AudioSegment.from_wav(file_path)\n if len(audio) > 60000:\n segments = list(range(0, len(audio), 60000))\n if segments[-1] < len(audio):\n segments.append(len(audio) - 1)\n print(\n 'Audio clip is longer than 1 minute. Splitting into %d one minute segments...'\n % (len(segments) - 1))\n audio_chunks = []\n for i in range(len(segments) - 1):\n audio_chunks.append(audio[segments[i]:segments[i + 1]])\n else:\n audio_chunks = [audio]\n results = []\n for idx, chunk in enumerate(audio_chunks):\n results.append(recognize(chunk, file_path + str(idx)))\n return results\n\n def x(results):\n words = []\n for chunk in results:\n for result in chunk.results:\n alternative = result.alternatives[0]\n print('Transcript: {}'.format(alternative.transcript))\n print('Confidence: {}'.format(alternative.confidence))\n for word_info in alternative.words:\n word = word_info.word\n start_time = word_info.start_time\n end_time = word_info.end_time\n print('Word: {}, start_time: {}, end_time: {}'.format(\n word, start_time.seconds + start_time.nanos * 1e-09,\n end_time.seconds + end_time.nanos * 1e-09))\n words.append((str(word).upper(), start_time.seconds + \n start_time.nanos * 1e-09, end_time.seconds + \n end_time.nanos * 1e-09))\n return words\n if keypath:\n credentials = service_account.Credentials.from_service_account_file(\n keypath)\n scoped_credentials = credentials.with_scopes([\n 'https://www.googleapis.com/auth/cloud-platform'])\n client = speech.SpeechClient(credentials=scoped_credentials)\n else:\n client = speech.SpeechClient()\n files = []\n if path.endswith('.wav'):\n files = [path]\n else:\n listdirectory = os.listdir(path)\n for filename in listdirectory:\n if filename.endswith('.wav'):\n files.append(path + filename)\n words = []\n raw = []\n for i, f in enumerate(files):\n print('Decoding file ' + str(i + 1) + ' of ' + str(len(files)))\n try:\n start = time.time()\n results = decode_file(f, client, speech_context, sample_rate,\n max_alternatives, enable_word_time_offsets)\n parsed_results = parse_response(results)\n words.append(parsed_results)\n raw.append(results)\n if save:\n pickle.dump(results, open(f + '.p', 'wb'))\n pd.DataFrame(parsed_results).to_csv(f + '.txt', header=\n False, index=False)\n print('Finished file ' + str(i + 1) + ' of ' + str(len(files)) +\n ' in ' + str(round(time.time() - start, 2)) + ' seconds.')\n except ValueError as e:\n words.append('Error')\n print(e)\n print('Decoding of file ' + str(i) +\n 'failed. Moving on to next file.')\n if return_raw:\n if len(words) > 1:\n return raw\n else:\n return raw[0]\n elif len(words) > 1:\n return words\n else:\n return words[0]\n",
"role": "user"
},
{
"content": "decode_speech",
"role": "assistant"
}
] |
def x(val):
mobj = re.match('(-{0,1}\\d+)\\s*(\\sseconds|/\\s*\\w+)$', val)
if mobj:
return int(mobj.group(1))
mobj = re.match('(-{0,1}\\d*\\.\\d+)\\s*(\\sseconds|/\\s*\\w+)$', val)
if mobj:
return float(mobj.group(1))
re.match('(-{0,1}\\d+)\\s*([GMK])B$', val)
if mobj:
return int(mobj.group(1)) * memMultiplier[mobj.group(2)]
mobj = re.match('(-{0,1}\\d+(\\.\\d+){0,1})\\s*\\%$', val)
if mobj:
return float(mobj.group(1)) / 100
return val
|
parse_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val):\n mobj = re.match('(-{0,1}\\\\d+)\\\\s*(\\\\sseconds|/\\\\s*\\\\w+)$', val)\n if mobj:\n return int(mobj.group(1))\n mobj = re.match('(-{0,1}\\\\d*\\\\.\\\\d+)\\\\s*(\\\\sseconds|/\\\\s*\\\\w+)$', val)\n if mobj:\n return float(mobj.group(1))\n re.match('(-{0,1}\\\\d+)\\\\s*([GMK])B$', val)\n if mobj:\n return int(mobj.group(1)) * memMultiplier[mobj.group(2)]\n mobj = re.match('(-{0,1}\\\\d+(\\\\.\\\\d+){0,1})\\\\s*\\\\%$', val)\n if mobj:\n return float(mobj.group(1)) / 100\n return val\n",
"role": "user"
},
{
"content": "parse_value",
"role": "assistant"
}
] |
def x(self):
if sys.version_info[:2] < (2, 6):
self._conn = httplib.HTTPConnection(self._host, self._port)
else:
self._conn = httplib.HTTPConnection(self._host, self._port, False,
defaultTimeout)
|
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 sys.version_info[:2] < (2, 6):\n self._conn = httplib.HTTPConnection(self._host, self._port)\n else:\n self._conn = httplib.HTTPConnection(self._host, self._port, False,\n defaultTimeout)\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, map):
self._conn.request('GET', 'cache_object://%s/%s' % (self._host, map),
None, self._httpHeaders)
rp = self._conn.getresponse()
if rp.status == 200:
data = rp.read()
return data
else:
raise Exception(
"""Retrieval of stats from Squid Proxy Serveron host %s and port %s failed.
HTTP - Status: %s Reason: %s"""
% (self._host, self._port, rp.status, rp.reason))
|
retrieve
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, map):\n self._conn.request('GET', 'cache_object://%s/%s' % (self._host, map),\n None, self._httpHeaders)\n rp = self._conn.getresponse()\n if rp.status == 200:\n data = rp.read()\n return data\n else:\n raise Exception(\n \"\"\"Retrieval of stats from Squid Proxy Serveron host %s and port %s failed.\nHTTP - Status: %s Reason: %s\"\"\"\n % (self._host, self._port, rp.status, rp.reason))\n",
"role": "user"
},
{
"content": "retrieve",
"role": "assistant"
}
] |
def x(self, data):
info_dict = util.NestedDict()
for line in data.splitlines():
mobj = re.match('^\\s*([\\w\\.]+)\\s*=\\s*(\\S.*)$', line)
if mobj:
key, value = mobj.groups()
klist = key.split('.')
info_dict.set_nested(klist, parse_value(value))
return info_dict
|
parseCounters
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n info_dict = util.NestedDict()\n for line in data.splitlines():\n mobj = re.match('^\\\\s*([\\\\w\\\\.]+)\\\\s*=\\\\s*(\\\\S.*)$', line)\n if mobj:\n key, value = mobj.groups()\n klist = key.split('.')\n info_dict.set_nested(klist, parse_value(value))\n return info_dict\n",
"role": "user"
},
{
"content": "parseCounters",
"role": "assistant"
}
] |
def x(self, data):
section_dict = {}
lines = data.splitlines()
idx = 0
numlines = len(lines)
section = None
while idx < numlines:
line = lines[idx]
idx += 1
mobj = re.match('^(\\w[\\w\\s\\(\\)]+[\\w\\)])\\s*:$', line)
if mobj:
section = mobj.group(1)
section_dict[section] = []
else:
mobj = re.match('(\t|\\s)\\s*(\\w.*)$', line)
if mobj:
section_dict[section].append(mobj.group(2))
else:
mobj = re.match(
'^(\\w[\\w\\s\\(\\)]+[\\w\\)])\\s*:\\s*(\\S.*)$', line)
if mobj:
section = None
if not section_dict.has_key(section):
section_dict[section] = []
section_dict[section].append(line)
else:
if not section_dict.has_key('PARSEERROR'):
section_dict['PARSEERROR'] = []
section_dict['PARSEERROR'].append(line)
return section_dict
|
parseSections
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n section_dict = {}\n lines = data.splitlines()\n idx = 0\n numlines = len(lines)\n section = None\n while idx < numlines:\n line = lines[idx]\n idx += 1\n mobj = re.match('^(\\\\w[\\\\w\\\\s\\\\(\\\\)]+[\\\\w\\\\)])\\\\s*:$', line)\n if mobj:\n section = mobj.group(1)\n section_dict[section] = []\n else:\n mobj = re.match('(\\t|\\\\s)\\\\s*(\\\\w.*)$', line)\n if mobj:\n section_dict[section].append(mobj.group(2))\n else:\n mobj = re.match(\n '^(\\\\w[\\\\w\\\\s\\\\(\\\\)]+[\\\\w\\\\)])\\\\s*:\\\\s*(\\\\S.*)$', line)\n if mobj:\n section = None\n if not section_dict.has_key(section):\n section_dict[section] = []\n section_dict[section].append(line)\n else:\n if not section_dict.has_key('PARSEERROR'):\n section_dict['PARSEERROR'] = []\n section_dict['PARSEERROR'].append(line)\n return section_dict\n",
"role": "user"
},
{
"content": "parseSections",
"role": "assistant"
}
] |
def x(self):
data = self._retrieve('')
info_list = []
for line in data.splitlines():
mobj = re.match(
'^\\s*(\\S.*\\S)\\s*\t\\s*(\\S.*\\S)\\s*\t\\s*(\\S.*\\S)$', line)
if mobj:
info_list.append(mobj.groups())
return info_list
|
getMenu
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n data = self._retrieve('')\n info_list = []\n for line in data.splitlines():\n mobj = re.match(\n '^\\\\s*(\\\\S.*\\\\S)\\\\s*\\t\\\\s*(\\\\S.*\\\\S)\\\\s*\\t\\\\s*(\\\\S.*\\\\S)$', line)\n if mobj:\n info_list.append(mobj.groups())\n return info_list\n",
"role": "user"
},
{
"content": "getMenu",
"role": "assistant"
}
] |
def x(self):
ifInfo = netiface.NetIfaceInfo()
ifStats = ifInfo.getIfStats()
info_dict = {}
for ifname in ifStats:
if re.match('^w\\d+g\\d+$', ifname):
info_dict[ifname] = ifStats[ifname]
return info_dict
|
getIfaceStats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ifInfo = netiface.NetIfaceInfo()\n ifStats = ifInfo.getIfStats()\n info_dict = {}\n for ifname in ifStats:\n if re.match('^w\\\\d+g\\\\d+$', ifname):\n info_dict[ifname] = ifStats[ifname]\n return info_dict\n",
"role": "user"
},
{
"content": "getIfaceStats",
"role": "assistant"
}
] |
def x(self, iface):
info_dict = {}
output = util.exec_command([wanpipemonCmd, '-i', iface, '-c', 'Ta'])
for line in output.splitlines():
mobj = re.match(
'^\\s*(Line Code Violation|Far End Block Errors|CRC4 Errors|FAS Errors)\\s*:\\s*(\\d+)\\s*$'
, line, re.IGNORECASE)
if mobj:
info_dict[mobj.group(1).lower().replace(' ', '')] = int(mobj.
group(2))
continue
mobj = re.match('^\\s*(Rx Level)\\s*:\\s*>{0,1}\\s*([-\\d\\.]+)db\\s*',
line, re.IGNORECASE)
if mobj:
info_dict[mobj.group(1).lower().replace(' ', '')] = float(mobj.
group(2))
continue
return info_dict
|
getPRIstats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, iface):\n info_dict = {}\n output = util.exec_command([wanpipemonCmd, '-i', iface, '-c', 'Ta'])\n for line in output.splitlines():\n mobj = re.match(\n '^\\\\s*(Line Code Violation|Far End Block Errors|CRC4 Errors|FAS Errors)\\\\s*:\\\\s*(\\\\d+)\\\\s*$'\n , line, re.IGNORECASE)\n if mobj:\n info_dict[mobj.group(1).lower().replace(' ', '')] = int(mobj.\n group(2))\n continue\n mobj = re.match('^\\\\s*(Rx Level)\\\\s*:\\\\s*>{0,1}\\\\s*([-\\\\d\\\\.]+)db\\\\s*',\n line, re.IGNORECASE)\n if mobj:\n info_dict[mobj.group(1).lower().replace(' ', '')] = float(mobj.\n group(2))\n continue\n return info_dict\n",
"role": "user"
},
{
"content": "getPRIstats",
"role": "assistant"
}
] |
def x(self):
try:
self._eslconn = ESL.ESLconnection(self._eslhost, str(self._eslport),
self._eslpass)
except:
pass
if not self._eslconn.connected():
raise Exception(
'Connection to FreeSWITCH ESL Interface on host %s and port %d failed.'
% (self._eslhost, self._eslport))
|
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 self._eslconn = ESL.ESLconnection(self._eslhost, str(self._eslport),\n self._eslpass)\n except:\n pass\n if not self._eslconn.connected():\n raise Exception(\n 'Connection to FreeSWITCH ESL Interface on host %s and port %d failed.'\n % (self._eslhost, self._eslport))\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, cmd, args):
output = self._eslconn.api(cmd, args)
if output:
body = output.getBody()
if body:
return body.splitlines()
return None
|
execCmd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd, args):\n output = self._eslconn.api(cmd, args)\n if output:\n body = output.getBody()\n if body:\n return body.splitlines()\n return None\n",
"role": "user"
},
{
"content": "execCmd",
"role": "assistant"
}
] |
def x(self, showcmd):
result = None
lines = self._execCmd('show', showcmd)
if lines and len(lines) >= 2 and lines[0] != '' and lines[0][0] != '-':
result = {}
result['keys'] = lines[0].split(',')
items = []
for line in lines[1:]:
if line == '':
break
items.append(line.split(','))
result['items'] = items
return result
|
execShowCmd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, showcmd):\n result = None\n lines = self._execCmd('show', showcmd)\n if lines and len(lines) >= 2 and lines[0] != '' and lines[0][0] != '-':\n result = {}\n result['keys'] = lines[0].split(',')\n items = []\n for line in lines[1:]:\n if line == '':\n break\n items.append(line.split(','))\n result['items'] = items\n return result\n",
"role": "user"
},
{
"content": "execShowCmd",
"role": "assistant"
}
] |
def x(self, showcmd):
result = None
lines = self._execCmd('show', showcmd + ' count')
for line in lines:
mobj = re.match('\\s*(\\d+)\\s+total', line)
if mobj:
return int(mobj.group(1))
return result
|
execShowCountCmd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, showcmd):\n result = None\n lines = self._execCmd('show', showcmd + ' count')\n for line in lines:\n mobj = re.match('\\\\s*(\\\\d+)\\\\s+total', line)\n if mobj:\n return int(mobj.group(1))\n return result\n",
"role": "user"
},
{
"content": "execShowCountCmd",
"role": "assistant"
}
] |
def x(self):
if self.hasGraph('asterisk_calls') or self.hasGraph('asterisk_channels'):
stats = self._ami.getChannelStats(self._chanList)
if self.hasGraph('asterisk_calls') and stats:
self.setGraphVal('asterisk_calls', 'active_calls', stats.get(
'active_calls'))
self.setGraphVal('asterisk_calls', 'calls_per_min', stats.get(
'calls_processed'))
if self.hasGraph('asterisk_channels') and stats:
for field in self._chanList:
self.setGraphVal('asterisk_channels', field, stats.get(field))
if 'dahdi' in self._chanList:
self.setGraphVal('asterisk_channels', 'mix', stats.get('mix'))
if self.hasGraph('asterisk_peers_sip'):
stats = self._ami.getPeerStats('sip')
if stats:
for field in ('online', 'unmonitored', 'unreachable', 'lagged',
'unknown'):
self.setGraphVal('asterisk_peers_sip', field, stats.get(field))
if self.hasGraph('asterisk_peers_iax2'):
stats = self._ami.getPeerStats('iax2')
if stats:
for field in ('online', 'unmonitored', 'unreachable', 'lagged',
'unknown'):
self.setGraphVal('asterisk_peers_iax2', field, stats.get(field)
)
if self.hasGraph('asterisk_voip_codecs'):
sipstats = self._ami.getVoIPchanStats('sip', self._codecList) or {}
iax2stats = self._ami.getVoIPchanStats('iax2', self._codecList) or {}
if stats:
for field in self._codecList:
self.setGraphVal('asterisk_voip_codecs', field, sipstats.
get(field, 0) + iax2stats.get(field, 0))
self.setGraphVal('asterisk_voip_codecs', 'other', sipstats.get(
'other', 0) + iax2stats.get('other', 0))
if self.hasGraph('asterisk_conferences'):
stats = self._ami.getConferenceStats()
if stats:
self.setGraphVal('asterisk_conferences', 'rooms', stats.get(
'active_conferences'))
self.setGraphVal('asterisk_conferences', 'users', stats.get(
'conference_users'))
if self.hasGraph('asterisk_voicemail'):
stats = self._ami.getVoicemailStats()
if stats:
self.setGraphVal('asterisk_voicemail', 'accounts', stats.get(
'accounts'))
self.setGraphVal('asterisk_voicemail', 'msg_avg', stats.get(
'avg_messages'))
self.setGraphVal('asterisk_voicemail', 'msg_max', stats.get(
'max_messages'))
self.setGraphVal('asterisk_voicemail', 'msg_total', stats.get(
'total_messages'))
if self.hasGraph('asterisk_trunks') and len(self._trunkList) > 0:
stats = self._ami.getTrunkStats(self._trunkList)
for trunk in self._trunkList:
self.setGraphVal('asterisk_trunks', trunk[0], stats.get(trunk[0]))
if self._queues is not None:
total_answer = 0
total_abandon = 0
for queue in self._queue_list:
stats = self._queues[queue]
if self.hasGraph('asterisk_queue_len'):
self.setGraphVal('asterisk_queue_len', queue, stats.get(
'queue_len'))
if self.hasGraph('asterisk_queue_avg_hold'):
self.setGraphVal('asterisk_queue_avg_hold', queue, stats.
get('avg_holdtime'))
if self.hasGraph('asterisk_queue_avg_talk'):
self.setGraphVal('asterisk_queue_avg_talk', queue, stats.
get('avg_talktime'))
if self.hasGraph('asterisk_queue_calls'):
total_abandon += stats.get('calls_abandoned')
total_answer += stats.get('calls_completed')
if self.hasGraph('asterisk_queue_abandon_pcent'):
prev_stats = self._queues_prev.get(queue)
if prev_stats is not None:
abandon = stats.get('calls_abandoned', 0) - prev_stats.get(
'calls_abandoned', 0)
answer = stats.get('calls_completed', 0) - prev_stats.get(
'calls_completed', 0)
total = abandon + answer
if total > 0:
val = 100.0 * float(abandon) / float(total)
else:
val = 0
self.setGraphVal('asterisk_queue_abandon_pcent', queue, val
)
if self.hasGraph('asterisk_queue_calls'):
self.setGraphVal('asterisk_queue_calls', 'abandon', total_abandon)
self.setGraphVal('asterisk_queue_calls', 'answer', total_answer)
if self.hasGraph('asterisk_fax_attempts'):
fax_stats = self._ami.getFaxStatsCounters()
stats = fax_stats.get('general')
if stats is not None:
self.setGraphVal('asterisk_fax_attempts', 'send', stats.get
('transmit attempts'))
self.setGraphVal('asterisk_fax_attempts', 'recv', stats.get
('receive attempts'))
self.setGraphVal('asterisk_fax_attempts', 'fail', stats.get
('failed faxes'))
|
retrieveVals
|
[
{
"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.hasGraph('asterisk_calls') or self.hasGraph('asterisk_channels'):\n stats = self._ami.getChannelStats(self._chanList)\n if self.hasGraph('asterisk_calls') and stats:\n self.setGraphVal('asterisk_calls', 'active_calls', stats.get(\n 'active_calls'))\n self.setGraphVal('asterisk_calls', 'calls_per_min', stats.get(\n 'calls_processed'))\n if self.hasGraph('asterisk_channels') and stats:\n for field in self._chanList:\n self.setGraphVal('asterisk_channels', field, stats.get(field))\n if 'dahdi' in self._chanList:\n self.setGraphVal('asterisk_channels', 'mix', stats.get('mix'))\n if self.hasGraph('asterisk_peers_sip'):\n stats = self._ami.getPeerStats('sip')\n if stats:\n for field in ('online', 'unmonitored', 'unreachable', 'lagged',\n 'unknown'):\n self.setGraphVal('asterisk_peers_sip', field, stats.get(field))\n if self.hasGraph('asterisk_peers_iax2'):\n stats = self._ami.getPeerStats('iax2')\n if stats:\n for field in ('online', 'unmonitored', 'unreachable', 'lagged',\n 'unknown'):\n self.setGraphVal('asterisk_peers_iax2', field, stats.get(field)\n )\n if self.hasGraph('asterisk_voip_codecs'):\n sipstats = self._ami.getVoIPchanStats('sip', self._codecList) or {}\n iax2stats = self._ami.getVoIPchanStats('iax2', self._codecList) or {}\n if stats:\n for field in self._codecList:\n self.setGraphVal('asterisk_voip_codecs', field, sipstats.\n get(field, 0) + iax2stats.get(field, 0))\n self.setGraphVal('asterisk_voip_codecs', 'other', sipstats.get(\n 'other', 0) + iax2stats.get('other', 0))\n if self.hasGraph('asterisk_conferences'):\n stats = self._ami.getConferenceStats()\n if stats:\n self.setGraphVal('asterisk_conferences', 'rooms', stats.get(\n 'active_conferences'))\n self.setGraphVal('asterisk_conferences', 'users', stats.get(\n 'conference_users'))\n if self.hasGraph('asterisk_voicemail'):\n stats = self._ami.getVoicemailStats()\n if stats:\n self.setGraphVal('asterisk_voicemail', 'accounts', stats.get(\n 'accounts'))\n self.setGraphVal('asterisk_voicemail', 'msg_avg', stats.get(\n 'avg_messages'))\n self.setGraphVal('asterisk_voicemail', 'msg_max', stats.get(\n 'max_messages'))\n self.setGraphVal('asterisk_voicemail', 'msg_total', stats.get(\n 'total_messages'))\n if self.hasGraph('asterisk_trunks') and len(self._trunkList) > 0:\n stats = self._ami.getTrunkStats(self._trunkList)\n for trunk in self._trunkList:\n self.setGraphVal('asterisk_trunks', trunk[0], stats.get(trunk[0]))\n if self._queues is not None:\n total_answer = 0\n total_abandon = 0\n for queue in self._queue_list:\n stats = self._queues[queue]\n if self.hasGraph('asterisk_queue_len'):\n self.setGraphVal('asterisk_queue_len', queue, stats.get(\n 'queue_len'))\n if self.hasGraph('asterisk_queue_avg_hold'):\n self.setGraphVal('asterisk_queue_avg_hold', queue, stats.\n get('avg_holdtime'))\n if self.hasGraph('asterisk_queue_avg_talk'):\n self.setGraphVal('asterisk_queue_avg_talk', queue, stats.\n get('avg_talktime'))\n if self.hasGraph('asterisk_queue_calls'):\n total_abandon += stats.get('calls_abandoned')\n total_answer += stats.get('calls_completed')\n if self.hasGraph('asterisk_queue_abandon_pcent'):\n prev_stats = self._queues_prev.get(queue)\n if prev_stats is not None:\n abandon = stats.get('calls_abandoned', 0) - prev_stats.get(\n 'calls_abandoned', 0)\n answer = stats.get('calls_completed', 0) - prev_stats.get(\n 'calls_completed', 0)\n total = abandon + answer\n if total > 0:\n val = 100.0 * float(abandon) / float(total)\n else:\n val = 0\n self.setGraphVal('asterisk_queue_abandon_pcent', queue, val\n )\n if self.hasGraph('asterisk_queue_calls'):\n self.setGraphVal('asterisk_queue_calls', 'abandon', total_abandon)\n self.setGraphVal('asterisk_queue_calls', 'answer', total_answer)\n if self.hasGraph('asterisk_fax_attempts'):\n fax_stats = self._ami.getFaxStatsCounters()\n stats = fax_stats.get('general')\n if stats is not None:\n self.setGraphVal('asterisk_fax_attempts', 'send', stats.get\n ('transmit attempts'))\n self.setGraphVal('asterisk_fax_attempts', 'recv', stats.get\n ('receive attempts'))\n self.setGraphVal('asterisk_fax_attempts', 'fail', stats.get\n ('failed faxes'))\n",
"role": "user"
},
{
"content": "retrieveVals",
"role": "assistant"
}
] |
def x(self):
fpminfo = PHPfpmInfo(self._host, self._port, self._user, self._password,
self._monpath, self._ssl)
stats = fpminfo.getStats()
if self.hasGraph('php_fpm_connections') and stats:
self.setGraphVal('php_fpm_connections', 'conn', stats['accepted conn'])
if self.hasGraph('php_fpm_processes') and stats:
self.setGraphVal('php_fpm_processes', 'active', stats[
'active processes'])
self.setGraphVal('php_fpm_processes', 'idle', stats['idle processes'])
self.setGraphVal('php_fpm_processes', 'total', stats['total processes']
)
|
retrieveVals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n fpminfo = PHPfpmInfo(self._host, self._port, self._user, self._password,\n self._monpath, self._ssl)\n stats = fpminfo.getStats()\n if self.hasGraph('php_fpm_connections') and stats:\n self.setGraphVal('php_fpm_connections', 'conn', stats['accepted conn'])\n if self.hasGraph('php_fpm_processes') and stats:\n self.setGraphVal('php_fpm_processes', 'active', stats[\n 'active processes'])\n self.setGraphVal('php_fpm_processes', 'idle', stats['idle processes'])\n self.setGraphVal('php_fpm_processes', 'total', stats['total processes']\n )\n",
"role": "user"
},
{
"content": "retrieveVals",
"role": "assistant"
}
] |
def x(self):
fpminfo = PHPfpmInfo(self._host, self._port, self._user, self._password,
self._monpath, self._ssl)
return fpminfo 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 fpminfo = PHPfpmInfo(self._host, self._port, self._user, self._password,\n self._monpath, self._ssl)\n return fpminfo is not None\n",
"role": "user"
},
{
"content": "autoconf",
"role": "assistant"
}
] |
def x(self):
start = time.time()
self._conn.ping()
return time.time() - start
|
ping
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n start = time.time()\n self._conn.ping()\n return time.time() - start\n",
"role": "user"
},
{
"content": "ping",
"role": "assistant"
}
] |
def x(all_data, subjindex=None, listindex=None):
listindex = [[idx for idx in range(len(sub))] for sub in all_data
] if not listindex else listindex
subjindex = [idx for idx, subj in enumerate(all_data)
] if not subjindex else subjindex
def x(listindex, sub_num):
return pd.MultiIndex.from_tuples([(sub_num, lst) for lst in
listindex], names=['Subject', 'List'])
listindex = list(listindex)
subjindex = list(subjindex)
subs_list_of_dfs = [pd.DataFrame(sub_data, index=make_multi_index(
listindex[sub_num], subjindex[sub_num])) for sub_num, sub_data in
enumerate(all_data)]
return pd.concat(subs_list_of_dfs)
|
list2pd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(all_data, subjindex=None, listindex=None):\n listindex = [[idx for idx in range(len(sub))] for sub in all_data\n ] if not listindex else listindex\n subjindex = [idx for idx, subj in enumerate(all_data)\n ] if not subjindex else subjindex\n\n def x(listindex, sub_num):\n return pd.MultiIndex.from_tuples([(sub_num, lst) for lst in\n listindex], names=['Subject', 'List'])\n listindex = list(listindex)\n subjindex = list(subjindex)\n subs_list_of_dfs = [pd.DataFrame(sub_data, index=make_multi_index(\n listindex[sub_num], subjindex[sub_num])) for sub_num, sub_data in\n enumerate(all_data)]\n return pd.concat(subs_list_of_dfs)\n",
"role": "user"
},
{
"content": "list2pd",
"role": "assistant"
}
] |
def x(recmat, list_length=None):
from .egg import Egg as Egg
pres = [[[str(word) for word in list(range(0, list_length))] for
reclist in recsub] for recsub in recmat]
rec = [[[str(word) for word in reclist if word is not None] for reclist in
recsub] for recsub in recmat]
return Egg(pres=pres, rec=rec)
|
recmat2egg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(recmat, list_length=None):\n from .egg import Egg as Egg\n pres = [[[str(word) for word in list(range(0, list_length))] for\n reclist in recsub] for recsub in recmat]\n rec = [[[str(word) for word in reclist if word is not None] for reclist in\n recsub] for recsub in recmat]\n return Egg(pres=pres, rec=rec)\n",
"role": "user"
},
{
"content": "recmat2egg",
"role": "assistant"
}
] |
def x(dist_funcs, feature_example):
if dist_funcs is None:
dist_funcs = dict()
for key in feature_example:
if key in dist_funcs:
pass
if key == 'item':
pass
elif isinstance(feature_example[key], (six.string_types, six.
binary_type)):
dist_funcs[key] = 'match'
elif isinstance(feature_example[key], (int, np.integer, float)) or all(
[isinstance(i, (int, np.integer, float)) for i in
feature_example[key]]):
dist_funcs[key] = 'euclidean'
return dist_funcs
|
default_dist_funcs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dist_funcs, feature_example):\n if dist_funcs is None:\n dist_funcs = dict()\n for key in feature_example:\n if key in dist_funcs:\n pass\n if key == 'item':\n pass\n elif isinstance(feature_example[key], (six.string_types, six.\n binary_type)):\n dist_funcs[key] = 'match'\n elif isinstance(feature_example[key], (int, np.integer, float)) or all(\n [isinstance(i, (int, np.integer, float)) for i in\n feature_example[key]]):\n dist_funcs[key] = 'euclidean'\n return dist_funcs\n",
"role": "user"
},
{
"content": "default_dist_funcs",
"role": "assistant"
}
] |
def x(eggs, meta='concatenate'):
from .egg import Egg
pres = [egg.pres.loc[sub, :].values.tolist() for egg in eggs for sub in
egg.pres.index.levels[0].values.tolist()]
rec = [egg.rec.loc[sub, :].values.tolist() for egg in eggs for sub in
egg.rec.index.levels[0].values.tolist()]
if meta is 'concatenate':
new_meta = {}
for egg in eggs:
for key in egg.meta:
if key in new_meta:
new_meta[key] = list(new_meta[key])
new_meta[key].extend(egg.meta.get(key))
else:
new_meta[key] = egg.meta.get(key)
elif meta is 'separate':
new_meta = list(egg.meta for egg in eggs)
return Egg(pres=pres, rec=rec, meta=new_meta)
|
stack_eggs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(eggs, meta='concatenate'):\n from .egg import Egg\n pres = [egg.pres.loc[sub, :].values.tolist() for egg in eggs for sub in\n egg.pres.index.levels[0].values.tolist()]\n rec = [egg.rec.loc[sub, :].values.tolist() for egg in eggs for sub in\n egg.rec.index.levels[0].values.tolist()]\n if meta is 'concatenate':\n new_meta = {}\n for egg in eggs:\n for key in egg.meta:\n if key in new_meta:\n new_meta[key] = list(new_meta[key])\n new_meta[key].extend(egg.meta.get(key))\n else:\n new_meta[key] = egg.meta.get(key)\n elif meta is 'separate':\n new_meta = list(egg.meta for egg in eggs)\n return Egg(pres=pres, rec=rec, meta=new_meta)\n",
"role": "user"
},
{
"content": "stack_eggs",
"role": "assistant"
}
] |
def x(egg, subjects=None, lists=None):
from .egg import Egg
if hasattr(egg, 'features'):
all_have_features = egg.features is not None
else:
all_have_features = False
opts = {}
if subjects is None:
subjects = egg.pres.index.levels[0].values.tolist()
elif type(subjects) is not list:
subjects = [subjects]
if lists is None:
lists = egg.pres.index.levels[1].values.tolist()
elif type(lists) is not list:
lists = [lists]
idx = pd.IndexSlice
pres = egg.pres.loc[idx[subjects, lists], egg.pres.columns]
rec = egg.rec.loc[idx[subjects, lists], egg.rec.columns]
pres = [pres.loc[sub, :].values.tolist() for sub in subjects]
rec = [rec.loc[sub, :].values.tolist() for sub in subjects]
if all_have_features:
features = egg.features.loc[idx[subjects, lists], egg.features.columns]
opts['features'] = [features.loc[sub, :].values.tolist() for sub in
subjects]
return Egg(pres=pres, rec=rec, **opts)
|
crack_egg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(egg, subjects=None, lists=None):\n from .egg import Egg\n if hasattr(egg, 'features'):\n all_have_features = egg.features is not None\n else:\n all_have_features = False\n opts = {}\n if subjects is None:\n subjects = egg.pres.index.levels[0].values.tolist()\n elif type(subjects) is not list:\n subjects = [subjects]\n if lists is None:\n lists = egg.pres.index.levels[1].values.tolist()\n elif type(lists) is not list:\n lists = [lists]\n idx = pd.IndexSlice\n pres = egg.pres.loc[idx[subjects, lists], egg.pres.columns]\n rec = egg.rec.loc[idx[subjects, lists], egg.rec.columns]\n pres = [pres.loc[sub, :].values.tolist() for sub in subjects]\n rec = [rec.loc[sub, :].values.tolist() for sub in subjects]\n if all_have_features:\n features = egg.features.loc[idx[subjects, lists], egg.features.columns]\n opts['features'] = [features.loc[sub, :].values.tolist() for sub in\n subjects]\n return Egg(pres=pres, rec=rec, **opts)\n",
"role": "user"
},
{
"content": "crack_egg",
"role": "assistant"
}
] |
def x(df):
subjects = df.index.levels[0].values.tolist()
lists = df.index.levels[1].values.tolist()
idx = pd.IndexSlice
df = df.loc[idx[subjects, lists], df.columns]
lst = [df.loc[sub, :].values.tolist() for sub in subjects]
return lst
|
df2list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df):\n subjects = df.index.levels[0].values.tolist()\n lists = df.index.levels[1].values.tolist()\n idx = pd.IndexSlice\n df = df.loc[idx[subjects, lists], df.columns]\n lst = [df.loc[sub, :].values.tolist() for sub in subjects]\n return lst\n",
"role": "user"
},
{
"content": "df2list",
"role": "assistant"
}
] |
def x(x):
maxlen = max([len(xi) for xi in x])
subs = []
for sub in x:
if len(sub) < maxlen:
for i in range(maxlen - len(sub)):
sub.append([])
new_sub = sub
else:
new_sub = sub
subs.append(new_sub)
return subs
|
fill_missing
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n maxlen = max([len(xi) for xi in x])\n subs = []\n for sub in x:\n if len(sub) < maxlen:\n for i in range(maxlen - len(sub)):\n sub.append([])\n new_sub = sub\n else:\n new_sub = sub\n subs.append(new_sub)\n return subs\n",
"role": "user"
},
{
"content": "fill_missing",
"role": "assistant"
}
] |
def x(egg):
pres_list = egg.get_pres_items().values[0]
rec_list = egg.get_rec_items().values[0]
feature_list = egg.get_pres_features().values[0]
dist_funcs = egg.dist_funcs
return pres_list, rec_list, feature_list, dist_funcs
|
parse_egg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(egg):\n pres_list = egg.get_pres_items().values[0]\n rec_list = egg.get_rec_items().values[0]\n feature_list = egg.get_pres_features().values[0]\n dist_funcs = egg.dist_funcs\n return pres_list, rec_list, feature_list, dist_funcs\n",
"role": "user"
},
{
"content": "parse_egg",
"role": "assistant"
}
] |
def x(pres, features):
sub = []
for psub, fsub in zip(pres, features):
exp = []
for pexp, fexp in zip(psub, fsub):
lst = []
for p, f in zip(pexp, fexp):
p.update(f)
lst.append(p)
exp.append(lst)
sub.append(exp)
return sub
|
merge_pres_feats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pres, features):\n sub = []\n for psub, fsub in zip(pres, features):\n exp = []\n for pexp, fexp in zip(psub, fsub):\n lst = []\n for p, f in zip(pexp, fexp):\n p.update(f)\n lst.append(p)\n exp.append(lst)\n sub.append(exp)\n return sub\n",
"role": "user"
},
{
"content": "merge_pres_feats",
"role": "assistant"
}
] |
def x(r):
with np.errstate(invalid='ignore', divide='ignore'):
return 0.5 * (np.log(1 + r) - np.log(1 - r))
|
r2z
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r):\n with np.errstate(invalid='ignore', divide='ignore'):\n return 0.5 * (np.log(1 + r) - np.log(1 - r))\n",
"role": "user"
},
{
"content": "r2z",
"role": "assistant"
}
] |
def x(z):
with np.errstate(invalid='ignore', divide='ignore'):
return (np.exp(2 * z) - 1) / (np.exp(2 * z) + 1)
|
z2r
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(z):\n with np.errstate(invalid='ignore', divide='ignore'):\n return (np.exp(2 * z) - 1) / (np.exp(2 * z) + 1)\n",
"role": "user"
},
{
"content": "z2r",
"role": "assistant"
}
] |
def x(egg):
from .egg import Egg
pres, rec, features, dist_funcs = parse_egg(egg)
if pres.ndim == 1:
pres = pres.reshape(1, pres.shape[0])
rec = rec.reshape(1, rec.shape[0])
features = features.reshape(1, features.shape[0])
for ilist in range(rec.shape[0]):
idx = np.random.permutation(rec.shape[1])
rec[ilist, :] = rec[ilist, idx]
return Egg(pres=pres, rec=rec, features=features, dist_funcs=dist_funcs)
|
shuffle_egg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(egg):\n from .egg import Egg\n pres, rec, features, dist_funcs = parse_egg(egg)\n if pres.ndim == 1:\n pres = pres.reshape(1, pres.shape[0])\n rec = rec.reshape(1, rec.shape[0])\n features = features.reshape(1, features.shape[0])\n for ilist in range(rec.shape[0]):\n idx = np.random.permutation(rec.shape[1])\n rec[ilist, :] = rec[ilist, idx]\n return Egg(pres=pres, rec=rec, features=features, dist_funcs=dist_funcs)\n",
"role": "user"
},
{
"content": "shuffle_egg",
"role": "assistant"
}
] |
def x(self):
for iface in self._ifaceList:
stats = self._ifaceStats.get(iface)
graph_name = 'netiface_traffic_%s' % iface
if self.hasGraph(graph_name):
self.setGraphVal(graph_name, 'rx', stats.get('rxbytes') * 8)
self.setGraphVal(graph_name, 'tx', stats.get('txbytes') * 8)
graph_name = 'netiface_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))
|
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 stats = self._ifaceStats.get(iface)\n graph_name = 'netiface_traffic_%s' % iface\n if self.hasGraph(graph_name):\n self.setGraphVal(graph_name, 'rx', stats.get('rxbytes') * 8)\n self.setGraphVal(graph_name, 'tx', stats.get('txbytes') * 8)\n graph_name = 'netiface_errors_%s' % iface\n if self.hasGraph(graph_name):\n for field in ('rxerrs', 'txerrs', 'rxframe', 'txcarrier',\n 'rxdrop', 'txdrop', 'rxfifo', 'txfifo'):\n self.setGraphVal(graph_name, field, stats.get(field))\n",
"role": "user"
},
{
"content": "retrieveVals",
"role": "assistant"
}
] |
def x(self):
info_dict = {}
output = util.exec_command([ntpqCmd, '-n', '-c', 'peers'])
for line in output.splitlines():
mobj = re.match('\\*(\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}\\.\\d{1,3})\\s+',
line)
if mobj:
info_dict['ip'] = mobj.group(1)
cols = line.split()
info_dict['stratum'] = int(cols[2])
info_dict['delay'] = float(cols[7]) / 1000.0
info_dict['offset'] = float(cols[8]) / 1000.0
info_dict['jitter'] = float(cols[9]) / 1000.0
return info_dict
else:
raise Exception('Execution of command failed: %s' % ntpqCmd)
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):\n info_dict = {}\n output = util.exec_command([ntpqCmd, '-n', '-c', 'peers'])\n for line in output.splitlines():\n mobj = re.match('\\\\*(\\\\d{1,3}\\\\.\\\\d{1,3}\\\\.\\\\d{1,3}\\\\.\\\\d{1,3})\\\\s+',\n line)\n if mobj:\n info_dict['ip'] = mobj.group(1)\n cols = line.split()\n info_dict['stratum'] = int(cols[2])\n info_dict['delay'] = float(cols[7]) / 1000.0\n info_dict['offset'] = float(cols[8]) / 1000.0\n info_dict['jitter'] = float(cols[9]) / 1000.0\n return info_dict\n else:\n raise Exception('Execution of command failed: %s' % ntpqCmd)\n return info_dict\n",
"role": "user"
},
{
"content": "getPeerStats",
"role": "assistant"
}
] |
def x(self, host):
info_dict = {}
output = util.exec_command([ntpdateCmd, '-u', '-q', host])
for line in output.splitlines():
mobj = re.match(
'server.*,\\s*stratum\\s+(\\d),.*offset\\s+([\\d\\.-]+),.*delay\\s+([\\d\\.]+)\\s*$'
, line)
if mobj:
info_dict['stratum'] = int(mobj.group(1))
info_dict['delay'] = float(mobj.group(3))
info_dict['offset'] = float(mobj.group(2))
return info_dict
return info_dict
|
getHostOffset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, host):\n info_dict = {}\n output = util.exec_command([ntpdateCmd, '-u', '-q', host])\n for line in output.splitlines():\n mobj = re.match(\n 'server.*,\\\\s*stratum\\\\s+(\\\\d),.*offset\\\\s+([\\\\d\\\\.-]+),.*delay\\\\s+([\\\\d\\\\.]+)\\\\s*$'\n , line)\n if mobj:\n info_dict['stratum'] = int(mobj.group(1))\n info_dict['delay'] = float(mobj.group(3))\n info_dict['offset'] = float(mobj.group(2))\n return info_dict\n return info_dict\n",
"role": "user"
},
{
"content": "getHostOffset",
"role": "assistant"
}
] |
def x(self, hosts):
info_dict = {}
output = util.exec_command([ntpdateCmd, '-u', '-q'] + list(hosts))
for line in output.splitlines():
mobj = re.match(
'server\\s+(\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}),\\s*stratum\\s+(\\d),.*offset\\s+([\\d\\.-]+),.*delay\\s+([\\d\\.]+)\\s*$'
, line)
if mobj:
host_dict = {}
host = mobj.group(1)
host_dict['stratum'] = int(mobj.group(2))
host_dict['delay'] = float(mobj.group(4))
host_dict['offset'] = float(mobj.group(3))
info_dict[host] = host_dict
return info_dict
|
getHostOffsets
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hosts):\n info_dict = {}\n output = util.exec_command([ntpdateCmd, '-u', '-q'] + list(hosts))\n for line in output.splitlines():\n mobj = re.match(\n 'server\\\\s+(\\\\d{1,3}\\\\.\\\\d{1,3}\\\\.\\\\d{1,3}\\\\.\\\\d{1,3}),\\\\s*stratum\\\\s+(\\\\d),.*offset\\\\s+([\\\\d\\\\.-]+),.*delay\\\\s+([\\\\d\\\\.]+)\\\\s*$'\n , line)\n if mobj:\n host_dict = {}\n host = mobj.group(1)\n host_dict['stratum'] = int(mobj.group(2))\n host_dict['delay'] = float(mobj.group(4))\n host_dict['offset'] = float(mobj.group(3))\n info_dict[host] = host_dict\n return info_dict\n",
"role": "user"
},
{
"content": "getHostOffsets",
"role": "assistant"
}
] |
def x(self):
try:
fp = open(uptimeFile, 'r')
line = fp.readline()
fp.close()
except:
raise IOError('Failed reading stats from file: %s' % uptimeFile)
return float(line.split()[0])
|
getUptime
|
[
{
"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 fp = open(uptimeFile, 'r')\n line = fp.readline()\n fp.close()\n except:\n raise IOError('Failed reading stats from file: %s' % uptimeFile)\n return float(line.split()[0])\n",
"role": "user"
},
{
"content": "getUptime",
"role": "assistant"
}
] |
def x(self):
try:
fp = open(loadavgFile, 'r')
line = fp.readline()
fp.close()
except:
raise IOError('Failed reading stats from file: %s' % loadavgFile)
arr = line.split()
if len(arr) >= 3:
return [float(col) for col in arr[:3]]
else:
return None
|
getLoadAvg
|
[
{
"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 fp = open(loadavgFile, 'r')\n line = fp.readline()\n fp.close()\n except:\n raise IOError('Failed reading stats from file: %s' % loadavgFile)\n arr = line.split()\n if len(arr) >= 3:\n return [float(col) for col in arr[:3]]\n else:\n return None\n",
"role": "user"
},
{
"content": "getLoadAvg",
"role": "assistant"
}
] |
def x(self):
hz = os.sysconf('SC_CLK_TCK')
info_dict = {}
try:
fp = open(cpustatFile, 'r')
line = fp.readline()
fp.close()
except:
raise IOError('Failed reading stats from file: %s' % cpustatFile)
headers = ['user', 'nice', 'system', 'idle', 'iowait', 'irq', 'softirq',
'steal', 'guest']
arr = line.split()
if len(arr) > 1 and arr[0] == 'cpu':
return dict(zip(headers[0:len(arr)], [(float(t) / hz) for t in arr[
1:]]))
return info_dict
|
getCPUuse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n hz = os.sysconf('SC_CLK_TCK')\n info_dict = {}\n try:\n fp = open(cpustatFile, 'r')\n line = fp.readline()\n fp.close()\n except:\n raise IOError('Failed reading stats from file: %s' % cpustatFile)\n headers = ['user', 'nice', 'system', 'idle', 'iowait', 'irq', 'softirq',\n 'steal', 'guest']\n arr = line.split()\n if len(arr) > 1 and arr[0] == 'cpu':\n return dict(zip(headers[0:len(arr)], [(float(t) / hz) for t in arr[\n 1:]]))\n return info_dict\n",
"role": "user"
},
{
"content": "getCPUuse",
"role": "assistant"
}
] |
def x(self):
info_dict = {}
try:
fp = open(cpustatFile, 'r')
data = fp.read()
fp.close()
except:
raise IOError('Failed reading stats from file: %s' % cpustatFile)
for line in data.splitlines():
arr = line.split()
if len(arr) > 1 and arr[0] in ('ctxt', 'intr', 'softirq',
'processes', 'procs_running', 'procs_blocked'):
info_dict[arr[0]] = arr[1]
return info_dict
|
getProcessStats
|
[
{
"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 try:\n fp = open(cpustatFile, 'r')\n data = fp.read()\n fp.close()\n except:\n raise IOError('Failed reading stats from file: %s' % cpustatFile)\n for line in data.splitlines():\n arr = line.split()\n if len(arr) > 1 and arr[0] in ('ctxt', 'intr', 'softirq',\n 'processes', 'procs_running', 'procs_blocked'):\n info_dict[arr[0]] = arr[1]\n return info_dict\n",
"role": "user"
},
{
"content": "getProcessStats",
"role": "assistant"
}
] |
def x(self):
info_dict = {}
try:
fp = open(meminfoFile, 'r')
data = fp.read()
fp.close()
except:
raise IOError('Failed reading stats from file: %s' % meminfoFile)
for line in data.splitlines():
mobj = re.match('^(.+):\\s*(\\d+)\\s*(\\w+|)\\s*$', line)
if mobj:
if mobj.group(3).lower() == 'kb':
mult = 1024
else:
mult = 1
info_dict[mobj.group(1)] = int(mobj.group(2)) * mult
return info_dict
|
getMemoryUse
|
[
{
"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 try:\n fp = open(meminfoFile, 'r')\n data = fp.read()\n fp.close()\n except:\n raise IOError('Failed reading stats from file: %s' % meminfoFile)\n for line in data.splitlines():\n mobj = re.match('^(.+):\\\\s*(\\\\d+)\\\\s*(\\\\w+|)\\\\s*$', line)\n if mobj:\n if mobj.group(3).lower() == 'kb':\n mult = 1024\n else:\n mult = 1\n info_dict[mobj.group(1)] = int(mobj.group(2)) * mult\n return info_dict\n",
"role": "user"
},
{
"content": "getMemoryUse",
"role": "assistant"
}
] |
def x(self):
info_dict = {}
try:
fp = open(swapsFile, 'r')
data = fp.read()
fp.close()
except:
raise IOError('Failed reading stats from file: %s' % swapsFile)
lines = data.splitlines()
if len(lines) > 1:
colnames = [name.lower() for name in lines[0].split()]
for line in lines[1:]:
cols = line.split()
info_dict[cols[0]] = dict(zip(colnames[1:], cols[1:]))
return info_dict
|
getSwapStats
|
[
{
"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 try:\n fp = open(swapsFile, 'r')\n data = fp.read()\n fp.close()\n except:\n raise IOError('Failed reading stats from file: %s' % swapsFile)\n lines = data.splitlines()\n if len(lines) > 1:\n colnames = [name.lower() for name in lines[0].split()]\n for line in lines[1:]:\n cols = line.split()\n info_dict[cols[0]] = dict(zip(colnames[1:], cols[1:]))\n return info_dict\n",
"role": "user"
},
{
"content": "getSwapStats",
"role": "assistant"
}
] |
def x(self):
info_dict = {}
try:
fp = open(vmstatFile, 'r')
data = fp.read()
fp.close()
except:
raise IOError('Failed reading stats from file: %s' % vmstatFile)
for line in data.splitlines():
cols = line.split()
if len(cols) == 2:
info_dict[cols[0]] = cols[1]
return info_dict
|
getVMstats
|
[
{
"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 try:\n fp = open(vmstatFile, 'r')\n data = fp.read()\n fp.close()\n except:\n raise IOError('Failed reading stats from file: %s' % vmstatFile)\n for line in data.splitlines():\n cols = line.split()\n if len(cols) == 2:\n info_dict[cols[0]] = cols[1]\n return info_dict\n",
"role": "user"
},
{
"content": "getVMstats",
"role": "assistant"
}
] |
def x(self):
if self._socketFile is not None:
if not os.path.exists(self._socketFile):
raise Exception(
'Socket file (%s) for Memcached Instance not found.' % self
._socketFile)
try:
if self._timeout is not None:
self._conn = util.Telnet(self._host, self._port, self.
_socketFile, timeout)
else:
self._conn = util.Telnet(self._host, self._port, self._socketFile)
except:
raise Exception('Connection to %s failed.' % self._instanceName)
|
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._socketFile is not None:\n if not os.path.exists(self._socketFile):\n raise Exception(\n 'Socket file (%s) for Memcached Instance not found.' % self\n ._socketFile)\n try:\n if self._timeout is not None:\n self._conn = util.Telnet(self._host, self._port, self.\n _socketFile, timeout)\n else:\n self._conn = util.Telnet(self._host, self._port, self._socketFile)\n except:\n raise Exception('Connection to %s failed.' % self._instanceName)\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, cmd):
try:
self._conn.write('%s\r\n' % cmd)
regex = re.compile('^(END|ERROR)\r\n', re.MULTILINE)
idx, mobj, text = self._conn.expect([regex], self._timeout)
except:
raise Exception('Communication with %s failed' % self._instanceName)
if mobj is not None:
if mobj.group(1) == 'END':
return text.splitlines()[:-1]
elif mobj.group(1) == 'ERROR':
raise Exception('Protocol error in communication with %s.' %
self._instanceName)
else:
raise Exception('Connection with %s timed out.' % self._instanceName)
|
sendStatCmd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd):\n try:\n self._conn.write('%s\\r\\n' % cmd)\n regex = re.compile('^(END|ERROR)\\r\\n', re.MULTILINE)\n idx, mobj, text = self._conn.expect([regex], self._timeout)\n except:\n raise Exception('Communication with %s failed' % self._instanceName)\n if mobj is not None:\n if mobj.group(1) == 'END':\n return text.splitlines()[:-1]\n elif mobj.group(1) == 'ERROR':\n raise Exception('Protocol error in communication with %s.' %\n self._instanceName)\n else:\n raise Exception('Connection with %s timed out.' % self._instanceName)\n",
"role": "user"
},
{
"content": "sendStatCmd",
"role": "assistant"
}
] |
def x(self, lines, parse_slabs=False):
info_dict = {}
info_dict['slabs'] = {}
for line in lines:
mobj = re.match('^STAT\\s(\\w+)\\s(\\S+)$', line)
if mobj:
info_dict[mobj.group(1)] = util.parse_value(mobj.group(2), True)
continue
elif parse_slabs:
mobj = re.match('STAT\\s(\\w+:)?(\\d+):(\\w+)\\s(\\S+)$', line)
if mobj:
slab, key, val = mobj.groups()[-3:]
if not info_dict['slabs'].has_key(slab):
info_dict['slabs'][slab] = {}
info_dict['slabs'][slab][key] = util.parse_value(val, True)
return info_dict
|
parseStats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lines, parse_slabs=False):\n info_dict = {}\n info_dict['slabs'] = {}\n for line in lines:\n mobj = re.match('^STAT\\\\s(\\\\w+)\\\\s(\\\\S+)$', line)\n if mobj:\n info_dict[mobj.group(1)] = util.parse_value(mobj.group(2), True)\n continue\n elif parse_slabs:\n mobj = re.match('STAT\\\\s(\\\\w+:)?(\\\\d+):(\\\\w+)\\\\s(\\\\S+)$', line)\n if mobj:\n slab, key, val = mobj.groups()[-3:]\n if not info_dict['slabs'].has_key(slab):\n info_dict['slabs'][slab] = {}\n info_dict['slabs'][slab][key] = util.parse_value(val, True)\n return info_dict\n",
"role": "user"
},
{
"content": "parseStats",
"role": "assistant"
}
] |
def x(self):
serverInfo = MemcachedInfo(self._host, self._port, self._socket_file)
return serverInfo 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 serverInfo = MemcachedInfo(self._host, self._port, self._socket_file)\n return serverInfo is not None\n",
"role": "user"
},
{
"content": "autoconf",
"role": "assistant"
}
] |
def x(a, b):
if isinstance(a, list):
a = np.array(a)
if isinstance(b, list):
b = np.array(b)
a = a.reshape(1, -1)
b = b.reshape(1, -1)
return cdist(a, b, 'correlation')
|
correlation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n if isinstance(a, list):\n a = np.array(a)\n if isinstance(b, list):\n b = np.array(b)\n a = a.reshape(1, -1)\n b = b.reshape(1, -1)\n return cdist(a, b, 'correlation')\n",
"role": "user"
},
{
"content": "correlation",
"role": "assistant"
}
] |
def x(a, b):
return np.linalg.norm(np.subtract(a, b))
|
euclidean
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n return np.linalg.norm(np.subtract(a, b))\n",
"role": "user"
},
{
"content": "euclidean",
"role": "assistant"
}
] |
def x(self, *args):
out = util.exec_command([psCmd] + list(args))
return out.splitlines()
|
execProcCmd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n out = util.exec_command([psCmd] + list(args))\n return out.splitlines()\n",
"role": "user"
},
{
"content": "execProcCmd",
"role": "assistant"
}
] |
def x(self, fields=('pid', 'user', 'cmd'), threads=False):
args = []
headers = [f.lower() for f in fields]
args.append('--no-headers')
args.append('-e')
if threads:
args.append('-T')
field_ranges = []
fmt_strs = []
start = 0
for header in headers:
field_width = psFieldWidth.get(header, psDefaultFieldWidth)
fmt_strs.append('%s:%d' % (header, field_width))
end = start + field_width + 1
field_ranges.append((start, end))
start = end
args.append('-o')
args.append(','.join(fmt_strs))
lines = self.execProcCmd(*args)
if len(lines) > 0:
stats = []
for line in lines:
cols = []
for start, end in field_ranges:
cols.append(line[start:end].strip())
stats.append(cols)
return {'headers': headers, 'stats': stats}
else:
return None
|
parseProcCmd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fields=('pid', 'user', 'cmd'), threads=False):\n args = []\n headers = [f.lower() for f in fields]\n args.append('--no-headers')\n args.append('-e')\n if threads:\n args.append('-T')\n field_ranges = []\n fmt_strs = []\n start = 0\n for header in headers:\n field_width = psFieldWidth.get(header, psDefaultFieldWidth)\n fmt_strs.append('%s:%d' % (header, field_width))\n end = start + field_width + 1\n field_ranges.append((start, end))\n start = end\n args.append('-o')\n args.append(','.join(fmt_strs))\n lines = self.execProcCmd(*args)\n if len(lines) > 0:\n stats = []\n for line in lines:\n cols = []\n for start, end in field_ranges:\n cols.append(line[start:end].strip())\n stats.append(cols)\n return {'headers': headers, 'stats': stats}\n else:\n return None\n",
"role": "user"
},
{
"content": "parseProcCmd",
"role": "assistant"
}
] |
def x(self, fields=('pid', 'user', 'cmd'), threads=False, **kwargs):
field_list = list(fields)
for key in kwargs:
col = re.sub('(_ic)?(_regex)?$', '', key)
if not col in field_list:
field_list.append(col)
pinfo = self.parseProcCmd(field_list, threads)
if pinfo:
if len(kwargs) > 0:
pfilter = util.TableFilter()
pfilter.registerFilters(**kwargs)
stats = pfilter.applyFilters(pinfo['headers'], pinfo['stats'])
return {'headers': pinfo['headers'], 'stats': stats}
else:
return pinfo
else:
return None
|
getProcList
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fields=('pid', 'user', 'cmd'), threads=False, **kwargs):\n field_list = list(fields)\n for key in kwargs:\n col = re.sub('(_ic)?(_regex)?$', '', key)\n if not col in field_list:\n field_list.append(col)\n pinfo = self.parseProcCmd(field_list, threads)\n if pinfo:\n if len(kwargs) > 0:\n pfilter = util.TableFilter()\n pfilter.registerFilters(**kwargs)\n stats = pfilter.applyFilters(pinfo['headers'], pinfo['stats'])\n return {'headers': pinfo['headers'], 'stats': stats}\n else:\n return pinfo\n else:\n return None\n",
"role": "user"
},
{
"content": "getProcList",
"role": "assistant"
}
] |
def x(self, fields=('user', 'cmd'), threads=False, **kwargs):
stats = {}
field_list = list(fields)
num_cols = len(field_list)
if threads:
key = 'spid'
else:
key = 'pid'
try:
key_idx = field_list.index(key)
except ValueError:
field_list.append(key)
key_idx = len(field_list) - 1
result = self.getProcList(field_list, threads, **kwargs)
if result is not None:
headers = result['headers'][:num_cols]
lines = result['stats']
if len(lines) > 1:
for cols in lines:
stats[cols[key_idx]] = dict(zip(headers, cols[:num_cols]))
return stats
else:
return None
|
getProcDict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fields=('user', 'cmd'), threads=False, **kwargs):\n stats = {}\n field_list = list(fields)\n num_cols = len(field_list)\n if threads:\n key = 'spid'\n else:\n key = 'pid'\n try:\n key_idx = field_list.index(key)\n except ValueError:\n field_list.append(key)\n key_idx = len(field_list) - 1\n result = self.getProcList(field_list, threads, **kwargs)\n if result is not None:\n headers = result['headers'][:num_cols]\n lines = result['stats']\n if len(lines) > 1:\n for cols in lines:\n stats[cols[key_idx]] = dict(zip(headers, cols[:num_cols]))\n return stats\n else:\n return None\n",
"role": "user"
},
{
"content": "getProcDict",
"role": "assistant"
}
] |
def x(self, threads=False, **kwargs):
procs = self.getProcList(['stat'], threads=threads, **kwargs)
status = dict(zip(procStatusNames.values(), [0] * len(procStatusNames)))
prio = {'high': 0, 'low': 0, 'norm': 0, 'locked_in_mem': 0}
total = 0
locked_in_mem = 0
if procs is not None:
for cols in procs['stats']:
col_stat = cols[0]
status[procStatusNames[col_stat[0]]] += 1
if '<' in col_stat[1:]:
prio['high'] += 1
elif 'N' in col_stat[1:]:
prio['low'] += 1
else:
prio['norm'] += 1
if 'L' in col_stat[1:]:
locked_in_mem += 1
total += 1
return {'status': status, 'prio': prio, 'locked_in_mem': locked_in_mem,
'total': total}
|
getProcStatStatus
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, threads=False, **kwargs):\n procs = self.getProcList(['stat'], threads=threads, **kwargs)\n status = dict(zip(procStatusNames.values(), [0] * len(procStatusNames)))\n prio = {'high': 0, 'low': 0, 'norm': 0, 'locked_in_mem': 0}\n total = 0\n locked_in_mem = 0\n if procs is not None:\n for cols in procs['stats']:\n col_stat = cols[0]\n status[procStatusNames[col_stat[0]]] += 1\n if '<' in col_stat[1:]:\n prio['high'] += 1\n elif 'N' in col_stat[1:]:\n prio['low'] += 1\n else:\n prio['norm'] += 1\n if 'L' in col_stat[1:]:\n locked_in_mem += 1\n total += 1\n return {'status': status, 'prio': prio, 'locked_in_mem': locked_in_mem,\n 'total': total}\n",
"role": "user"
},
{
"content": "getProcStatStatus",
"role": "assistant"
}
] |
def x(self):
ntpinfo = NTPinfo()
stats = ntpinfo.getPeerStats()
if stats:
if self.hasGraph('ntp_peer_stratum'):
self.setGraphVal('ntp_peer_stratum', 'stratum', stats.get(
'stratum'))
if self.hasGraph('ntp_peer_stats'):
self.setGraphVal('ntp_peer_stats', 'offset', stats.get('offset'))
self.setGraphVal('ntp_peer_stats', 'delay', stats.get('delay'))
self.setGraphVal('ntp_peer_stats', 'jitter', stats.get('jitter'))
|
retrieveVals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ntpinfo = NTPinfo()\n stats = ntpinfo.getPeerStats()\n if stats:\n if self.hasGraph('ntp_peer_stratum'):\n self.setGraphVal('ntp_peer_stratum', 'stratum', stats.get(\n 'stratum'))\n if self.hasGraph('ntp_peer_stats'):\n self.setGraphVal('ntp_peer_stats', 'offset', stats.get('offset'))\n self.setGraphVal('ntp_peer_stats', 'delay', stats.get('delay'))\n self.setGraphVal('ntp_peer_stats', 'jitter', stats.get('jitter'))\n",
"role": "user"
},
{
"content": "retrieveVals",
"role": "assistant"
}
] |
def x(label, maxlen, delim=None, repl='', truncend=True):
if len(label) <= maxlen:
return label
else:
maxlen -= len(repl)
if delim is not None:
if truncend:
end = label.rfind(delim, 0, maxlen)
if end > 0:
return label[:end + 1] + repl
else:
start = label.find(delim, len(label) - maxlen)
if start > 0:
return repl + label[start:]
if truncend:
return label[:maxlen] + repl
else:
return repl + label[-maxlen:]
|
fixLabel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(label, maxlen, delim=None, repl='', truncend=True):\n if len(label) <= maxlen:\n return label\n else:\n maxlen -= len(repl)\n if delim is not None:\n if truncend:\n end = label.rfind(delim, 0, maxlen)\n if end > 0:\n return label[:end + 1] + repl\n else:\n start = label.find(delim, len(label) - maxlen)\n if start > 0:\n return repl + label[start:]\n if truncend:\n return label[:maxlen] + repl\n else:\n return repl + label[-maxlen:]\n",
"role": "user"
},
{
"content": "fixLabel",
"role": "assistant"
}
] |
def x(self, env=None):
if not env:
env = self._env
if env.has_key('MUNIN_STATEFILE'):
self._stateFile = env.get('MUNIN_STATEFILE')
else:
self._stateFile = '/tmp/munin-state-%s' % self.plugin_name
if env.has_key('MUNIN_CAP_DIRTY_CONFIG'):
self._dirtyConfig = True
|
parseEnv
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, env=None):\n if not env:\n env = self._env\n if env.has_key('MUNIN_STATEFILE'):\n self._stateFile = env.get('MUNIN_STATEFILE')\n else:\n self._stateFile = '/tmp/munin-state-%s' % self.plugin_name\n if env.has_key('MUNIN_CAP_DIRTY_CONFIG'):\n self._dirtyConfig = True\n",
"role": "user"
},
{
"content": "parseEnv",
"role": "assistant"
}
] |
def x(self, graph_name, fail_noexist=False):
graph = self._graphDict.get(graph_name)
if fail_noexist and graph is None:
raise AttributeError('Invalid graph name: %s' % graph_name)
else:
return graph
|
getGraph
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, graph_name, fail_noexist=False):\n graph = self._graphDict.get(graph_name)\n if fail_noexist and graph is None:\n raise AttributeError('Invalid graph name: %s' % graph_name)\n else:\n return graph\n",
"role": "user"
},
{
"content": "getGraph",
"role": "assistant"
}
] |
def x(self, parent_name, graph_name, fail_noexist=False):
if not self.isMultigraph:
raise AttributeError('Simple Munin Plugins cannot have subgraphs.')
if self._graphDict.has_key(parent_name) is not None:
subgraphs = self._subgraphDict.get(parent_name)
if subgraphs is not None:
subgraph = subgraphs.get(graph_name)
if fail_noexist and subgraph is None:
raise AttributeError(
'Invalid subgraph name %sfor graph %s.' % (graph_name,
parent_name))
else:
return subgraph
else:
raise AttributeError('Parent graph %s has no subgraphs.' % (
parent_name,))
else:
raise AttributeError(
'Invalid parent graph name %s for subgraph %s.' % (parent_name,
graph_name))
|
getSubGraph
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent_name, graph_name, fail_noexist=False):\n if not self.isMultigraph:\n raise AttributeError('Simple Munin Plugins cannot have subgraphs.')\n if self._graphDict.has_key(parent_name) is not None:\n subgraphs = self._subgraphDict.get(parent_name)\n if subgraphs is not None:\n subgraph = subgraphs.get(graph_name)\n if fail_noexist and subgraph is None:\n raise AttributeError(\n 'Invalid subgraph name %sfor graph %s.' % (graph_name,\n parent_name))\n else:\n return subgraph\n else:\n raise AttributeError('Parent graph %s has no subgraphs.' % (\n parent_name,))\n else:\n raise AttributeError(\n 'Invalid parent graph name %s for subgraph %s.' % (parent_name,\n graph_name))\n",
"role": "user"
},
{
"content": "getSubGraph",
"role": "assistant"
}
] |
def x(self, graph_name, subgraph_name=None):
if self.isMultiInstance and self._instanceName is not None:
if subgraph_name is None:
return '%s_%s' % (graph_name, self._instanceName)
else:
return '%s_%s.%s_%s' % (graph_name, self._instanceName,
subgraph_name, self._instanceName)
elif subgraph_name is None:
return graph_name
else:
return '%s.%s' % (graph_name, subgraph_name)
|
getMultigraphID
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, graph_name, subgraph_name=None):\n if self.isMultiInstance and self._instanceName is not None:\n if subgraph_name is None:\n return '%s_%s' % (graph_name, self._instanceName)\n else:\n return '%s_%s.%s_%s' % (graph_name, self._instanceName,\n subgraph_name, self._instanceName)\n elif subgraph_name is None:\n return graph_name\n else:\n return '%s.%s' % (graph_name, subgraph_name)\n",
"role": "user"
},
{
"content": "getMultigraphID",
"role": "assistant"
}
] |
def x(self, conf_dict):
confs = []
graph_dict = conf_dict['graph']
field_list = conf_dict['fields']
title = graph_dict.get('title')
if title is not None:
if self.isMultiInstance and self._instanceLabel is not None:
if self._instanceLabelType == 'suffix':
confs.append('graph_%s %s - %s' % ('title', title, self.
_instanceLabel))
elif self._instanceLabelType == 'prefix':
confs.append('graph_%s %s - %s' % ('title', self.
_instanceLabel, title))
else:
confs.append('graph_%s %s' % ('title', title))
for key in ('category', 'vlabel', 'info', 'args', 'period', 'scale',
'total', 'order', 'printf', 'width', 'height'):
val = graph_dict.get(key)
if val is not None:
if isinstance(val, bool):
if val:
val = 'yes'
else:
val = 'no'
confs.append('graph_%s %s' % (key, val))
for field_name, field_attrs in field_list:
for key in ('label', 'type', 'draw', 'info', 'extinfo', 'colour',
'negative', 'graph', 'min', 'max', 'cdef', 'line', 'warning',
'critical'):
val = field_attrs.get(key)
if val is not None:
if isinstance(val, bool):
if val:
val = 'yes'
else:
val = 'no'
confs.append('%s.%s %s' % (field_name, key, val))
return '\n'.join(confs)
|
formatConfig
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, conf_dict):\n confs = []\n graph_dict = conf_dict['graph']\n field_list = conf_dict['fields']\n title = graph_dict.get('title')\n if title is not None:\n if self.isMultiInstance and self._instanceLabel is not None:\n if self._instanceLabelType == 'suffix':\n confs.append('graph_%s %s - %s' % ('title', title, self.\n _instanceLabel))\n elif self._instanceLabelType == 'prefix':\n confs.append('graph_%s %s - %s' % ('title', self.\n _instanceLabel, title))\n else:\n confs.append('graph_%s %s' % ('title', title))\n for key in ('category', 'vlabel', 'info', 'args', 'period', 'scale',\n 'total', 'order', 'printf', 'width', 'height'):\n val = graph_dict.get(key)\n if val is not None:\n if isinstance(val, bool):\n if val:\n val = 'yes'\n else:\n val = 'no'\n confs.append('graph_%s %s' % (key, val))\n for field_name, field_attrs in field_list:\n for key in ('label', 'type', 'draw', 'info', 'extinfo', 'colour',\n 'negative', 'graph', 'min', 'max', 'cdef', 'line', 'warning',\n 'critical'):\n val = field_attrs.get(key)\n if val is not None:\n if isinstance(val, bool):\n if val:\n val = 'yes'\n else:\n val = 'no'\n confs.append('%s.%s %s' % (field_name, key, val))\n return '\\n'.join(confs)\n",
"role": "user"
},
{
"content": "formatConfig",
"role": "assistant"
}
] |
def x(self, val_list):
vals = []
for name, val in val_list:
if val is not None:
if isinstance(val, float):
vals.append('%s.value %f' % (name, val))
else:
vals.append('%s.value %s' % (name, val))
else:
vals.append('%s.value U' % (name,))
return '\n'.join(vals)
|
formatVals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, val_list):\n vals = []\n for name, val in val_list:\n if val is not None:\n if isinstance(val, float):\n vals.append('%s.value %f' % (name, val))\n else:\n vals.append('%s.value %s' % (name, val))\n else:\n vals.append('%s.value U' % (name,))\n return '\\n'.join(vals)\n",
"role": "user"
},
{
"content": "formatVals",
"role": "assistant"
}
] |
def x(self, name, default=None, conv=None):
if self._env.has_key(name):
if conv is not None:
return conv(self._env.get(name))
else:
return self._env.get(name)
else:
return default
|
envGet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, default=None, conv=None):\n if self._env.has_key(name):\n if conv is not None:\n return conv(self._env.get(name))\n else:\n return self._env.get(name)\n else:\n return default\n",
"role": "user"
},
{
"content": "envGet",
"role": "assistant"
}
] |
def x(self, name, attr_regex='^\\w+$', conv=None):
key = 'list_%s' % name
item_list = []
if self._env.has_key(key):
if attr_regex:
recomp = re.compile(attr_regex)
else:
recomp = None
for attr in self._env[key].split(','):
attr = attr.strip()
if recomp is None or recomp.search(attr):
if conv is not None:
item_list.append(conv(attr))
else:
item_list.append(attr)
return item_list
|
envGetList
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, attr_regex='^\\\\w+$', conv=None):\n key = 'list_%s' % name\n item_list = []\n if self._env.has_key(key):\n if attr_regex:\n recomp = re.compile(attr_regex)\n else:\n recomp = None\n for attr in self._env[key].split(','):\n attr = attr.strip()\n if recomp is None or recomp.search(attr):\n if conv is not None:\n item_list.append(conv(attr))\n else:\n item_list.append(attr)\n return item_list\n",
"role": "user"
},
{
"content": "envGetList",
"role": "assistant"
}
] |
def x(self, name, attr_regex='^\\w+$', default=True):
attrs = {}
for prefix in ('include', 'exclude'):
key = '%s_%s' % (prefix, name)
val = self._env.get(key)
if val:
attrs[prefix] = [attr.strip() for attr in val.split(',')]
else:
attrs[prefix] = []
self._filters[name] = MuninAttrFilter(attrs['include'], attrs['exclude'
], attr_regex, default)
|
envRegisterFilter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, attr_regex='^\\\\w+$', default=True):\n attrs = {}\n for prefix in ('include', 'exclude'):\n key = '%s_%s' % (prefix, name)\n val = self._env.get(key)\n if val:\n attrs[prefix] = [attr.strip() for attr in val.split(',')]\n else:\n attrs[prefix] = []\n self._filters[name] = MuninAttrFilter(attrs['include'], attrs['exclude'\n ], attr_regex, default)\n",
"role": "user"
},
{
"content": "envRegisterFilter",
"role": "assistant"
}
] |
def x(self, name, attr):
flt = self._filters.get(name)
if flt:
return flt.check(attr)
else:
raise AttributeError('Undefined filter: %s' % name)
|
envCheckFilter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, attr):\n flt = self._filters.get(name)\n if flt:\n return flt.check(attr)\n else:\n raise AttributeError('Undefined filter: %s' % name)\n",
"role": "user"
},
{
"content": "envCheckFilter",
"role": "assistant"
}
] |
def x(self, name, default=False):
if self._flags.has_key(name):
return self._flags[name]
else:
val = self._env.get(name)
if val is None:
return default
elif val.lower() in ['yes', 'on']:
self._flags[name] = True
return True
elif val.lower() in ['no', 'off']:
self._flags[name] = False
return False
else:
raise AttributeError(
'Value for flag %s, must be yes, no, on or off' % name)
|
envCheckFlag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, default=False):\n if self._flags.has_key(name):\n return self._flags[name]\n else:\n val = self._env.get(name)\n if val is None:\n return default\n elif val.lower() in ['yes', 'on']:\n self._flags[name] = True\n return True\n elif val.lower() in ['no', 'off']:\n self._flags[name] = False\n return False\n else:\n raise AttributeError(\n 'Value for flag %s, must be yes, no, on or off' % name)\n",
"role": "user"
},
{
"content": "envCheckFlag",
"role": "assistant"
}
] |
def x(self, stateObj):
try:
fp = open(self._stateFile, 'w')
pickle.dump(stateObj, fp)
except:
raise IOError('Failure in storing plugin state in file: %s' % self.
_stateFile)
return True
|
saveState
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stateObj):\n try:\n fp = open(self._stateFile, 'w')\n pickle.dump(stateObj, fp)\n except:\n raise IOError('Failure in storing plugin state in file: %s' % self.\n _stateFile)\n return True\n",
"role": "user"
},
{
"content": "saveState",
"role": "assistant"
}
] |
def x(self):
if os.path.exists(self._stateFile):
try:
fp = open(self._stateFile, 'r')
stateObj = pickle.load(fp)
except:
raise IOError('Failure in reading plugin state from file: %s' %
self._stateFile)
return stateObj
return None
|
restoreState
|
[
{
"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.exists(self._stateFile):\n try:\n fp = open(self._stateFile, 'r')\n stateObj = pickle.load(fp)\n except:\n raise IOError('Failure in reading plugin state from file: %s' %\n self._stateFile)\n return stateObj\n return None\n",
"role": "user"
},
{
"content": "restoreState",
"role": "assistant"
}
] |
def x(self, graph_name, graph):
self._graphDict[graph_name] = graph
self._graphNames.append(graph_name)
if not self.isMultigraph and len(self._graphNames) > 1:
raise AttributeError(
'Simple Munin Plugins cannot have more than one graph.')
|
appendGraph
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, graph_name, graph):\n self._graphDict[graph_name] = graph\n self._graphNames.append(graph_name)\n if not self.isMultigraph and len(self._graphNames) > 1:\n raise AttributeError(\n 'Simple Munin Plugins cannot have more than one graph.')\n",
"role": "user"
},
{
"content": "appendGraph",
"role": "assistant"
}
] |
def x(self, parent_name, graph_name, graph):
if not self.isMultigraph:
raise AttributeError('Simple Munin Plugins cannot have subgraphs.')
if self._graphDict.has_key(parent_name):
if not self._subgraphDict.has_key(parent_name):
self._subgraphDict[parent_name] = {}
self._subgraphNames[parent_name] = []
self._subgraphDict[parent_name][graph_name] = graph
self._subgraphNames[parent_name].append(graph_name)
else:
raise AttributeError(
'Invalid parent graph name %s used for subgraph %s.' % (
parent_name, graph_name))
|
appendSubgraph
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent_name, graph_name, graph):\n if not self.isMultigraph:\n raise AttributeError('Simple Munin Plugins cannot have subgraphs.')\n if self._graphDict.has_key(parent_name):\n if not self._subgraphDict.has_key(parent_name):\n self._subgraphDict[parent_name] = {}\n self._subgraphNames[parent_name] = []\n self._subgraphDict[parent_name][graph_name] = graph\n self._subgraphNames[parent_name].append(graph_name)\n else:\n raise AttributeError(\n 'Invalid parent graph name %s used for subgraph %s.' % (\n parent_name, graph_name))\n",
"role": "user"
},
{
"content": "appendSubgraph",
"role": "assistant"
}
] |
def x(self, graph_name, field_name, val):
graph = self._getGraph(graph_name, True)
if graph.hasField(field_name):
graph.setVal(field_name, val)
else:
raise AttributeError('Invalid field name %s for graph %s.' % (
field_name, graph_name))
|
setGraphVal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, graph_name, field_name, val):\n graph = self._getGraph(graph_name, True)\n if graph.hasField(field_name):\n graph.setVal(field_name, val)\n else:\n raise AttributeError('Invalid field name %s for graph %s.' % (\n field_name, graph_name))\n",
"role": "user"
},
{
"content": "setGraphVal",
"role": "assistant"
}
] |
def x(self, parent_name, graph_name, field_name, val):
subgraph = self._getSubGraph(parent_name, graph_name, True)
if subgraph.hasField(field_name):
subgraph.setVal(field_name, val)
else:
raise AttributeError(
'Invalid field name %s for subgraph %s of parent graph %s.' % (
field_name, graph_name, parent_name))
|
setSubgraphVal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent_name, graph_name, field_name, val):\n subgraph = self._getSubGraph(parent_name, graph_name, True)\n if subgraph.hasField(field_name):\n subgraph.setVal(field_name, val)\n else:\n raise AttributeError(\n 'Invalid field name %s for subgraph %s of parent graph %s.' % (\n field_name, graph_name, parent_name))\n",
"role": "user"
},
{
"content": "setSubgraphVal",
"role": "assistant"
}
] |
def x(self, parent_name):
if not self.isMultigraph:
raise AttributeError('Simple Munin Plugins cannot have subgraphs.')
if self._graphDict.has_key(parent_name):
return self._subgraphNames[parent_name] or []
else:
raise AttributeError('Invalid parent graph name %s.' % (parent_name,))
|
getSubgraphList
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent_name):\n if not self.isMultigraph:\n raise AttributeError('Simple Munin Plugins cannot have subgraphs.')\n if self._graphDict.has_key(parent_name):\n return self._subgraphNames[parent_name] or []\n else:\n raise AttributeError('Invalid parent graph name %s.' % (parent_name,))\n",
"role": "user"
},
{
"content": "getSubgraphList",
"role": "assistant"
}
] |
def x(self, graph_name, field_name):
graph = self._graphDict.get(graph_name, True)
return graph.hasField(field_name)
|
graphHasField
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, graph_name, field_name):\n graph = self._graphDict.get(graph_name, True)\n return graph.hasField(field_name)\n",
"role": "user"
},
{
"content": "graphHasField",
"role": "assistant"
}
] |
def x(self, parent_name, graph_name, field_name):
subgraph = self._getSubGraph(parent_name, graph_name, True)
return subgraph.hasField(field_name)
|
subGraphHasField
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent_name, graph_name, field_name):\n subgraph = self._getSubGraph(parent_name, graph_name, True)\n return subgraph.hasField(field_name)\n",
"role": "user"
},
{
"content": "subGraphHasField",
"role": "assistant"
}
] |
def x(self, graph_name):
graph = self._getGraph(graph_name, True)
return graph.getFieldList()
|
getGraphFieldList
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, graph_name):\n graph = self._getGraph(graph_name, True)\n return graph.getFieldList()\n",
"role": "user"
},
{
"content": "getGraphFieldList",
"role": "assistant"
}
] |
def x(self, graph_name):
graph = self._getGraph(graph_name, True)
return graph.getFieldCount()
|
getGraphFieldCount
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, graph_name):\n graph = self._getGraph(graph_name, True)\n return graph.getFieldCount()\n",
"role": "user"
},
{
"content": "getGraphFieldCount",
"role": "assistant"
}
] |
def x(self, parent_name, graph_name):
graph = self._getSubGraph(parent_name, graph_name, True)
return graph.getFieldList()
|
getSubgraphFieldList
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent_name, graph_name):\n graph = self._getSubGraph(parent_name, graph_name, True)\n return graph.getFieldList()\n",
"role": "user"
},
{
"content": "getSubgraphFieldList",
"role": "assistant"
}
] |
def x(self, parent_name, graph_name):
graph = self._getSubGraph(parent_name, graph_name, True)
return graph.getFieldCount()
|
getSubgraphFieldCount
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent_name, graph_name):\n graph = self._getSubGraph(parent_name, graph_name, True)\n return graph.getFieldCount()\n",
"role": "user"
},
{
"content": "getSubgraphFieldCount",
"role": "assistant"
}
] |
def x(self, name, label, type=None, draw=None, info=None, extinfo=None,
colour=None, negative=None, graph=None, min=None, max=None, cdef=None,
line=None, warning=None, critical=None):
if self._autoFixNames:
name = self._fixName(name)
if negative is not None:
negative = self._fixName(negative)
self._fieldAttrDict[name] = dict((k, v) for k, v in locals().iteritems(
) if v is not None and k not in ('self',))
self._fieldNameList.append(name)
|
addField
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, label, type=None, draw=None, info=None, extinfo=None,\n colour=None, negative=None, graph=None, min=None, max=None, cdef=None,\n line=None, warning=None, critical=None):\n if self._autoFixNames:\n name = self._fixName(name)\n if negative is not None:\n negative = self._fixName(negative)\n self._fieldAttrDict[name] = dict((k, v) for k, v in locals().iteritems(\n ) if v is not None and k not in ('self',))\n self._fieldNameList.append(name)\n",
"role": "user"
},
{
"content": "addField",
"role": "assistant"
}
] |
def x(self, name):
if self._autoFixNames:
name = self._fixName(name)
return self._fieldAttrDict.has_key(name)
|
hasField
|
[
{
"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._autoFixNames:\n name = self._fixName(name)\n return self._fieldAttrDict.has_key(name)\n",
"role": "user"
},
{
"content": "hasField",
"role": "assistant"
}
] |
def x(self):
return {'graph': self._graphAttrDict, 'fields': [(field_name, self.
_fieldAttrDict.get(field_name)) for field_name in self._fieldNameList]}
|
getConfig
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'graph': self._graphAttrDict, 'fields': [(field_name, self.\n _fieldAttrDict.get(field_name)) for field_name in self._fieldNameList]}\n",
"role": "user"
},
{
"content": "getConfig",
"role": "assistant"
}
] |
def x(self, name, val):
if self._autoFixNames:
name = self._fixName(name)
self._fieldValDict[name] = val
|
setVal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, val):\n if self._autoFixNames:\n name = self._fixName(name)\n self._fieldValDict[name] = val\n",
"role": "user"
},
{
"content": "setVal",
"role": "assistant"
}
] |
def x(self):
return [(name, self._fieldValDict.get(name)) for name in self.
_fieldNameList]
|
getVals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [(name, self._fieldValDict.get(name)) for name in self.\n _fieldNameList]\n",
"role": "user"
},
{
"content": "getVals",
"role": "assistant"
}
] |
def x(self, extras=None):
if extras is not None:
self._extras = extras
if self._extras:
detail = 1
else:
detail = 0
url = '%s://%s:%d/%s?detail=%s' % (self._proto, self._host, self._port,
self._monpath, detail)
response = util.get_url(url, self._user, self._password)
self._statusDict = {}
for line in response.splitlines():
cols = line.split(':')
if not self._statusDict.has_key(cols[0]):
self._statusDict[cols[0]] = {}
self._statusDict[cols[0]][cols[1]] = util.parse_value(cols[2])
|
initStats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, extras=None):\n if extras is not None:\n self._extras = extras\n if self._extras:\n detail = 1\n else:\n detail = 0\n url = '%s://%s:%d/%s?detail=%s' % (self._proto, self._host, self._port,\n self._monpath, detail)\n response = util.get_url(url, self._user, self._password)\n self._statusDict = {}\n for line in response.splitlines():\n cols = line.split(':')\n if not self._statusDict.has_key(cols[0]):\n self._statusDict[cols[0]] = {}\n self._statusDict[cols[0]][cols[1]] = util.parse_value(cols[2])\n",
"role": "user"
},
{
"content": "initStats",
"role": "assistant"
}
] |
def x(self):
url = '%s://%s:%d/%s' % (self._proto, self._host, self._port, self.
_statuspath)
response = util.get_url(url, self._user, self._password)
self._statusDict = {}
for line in response.splitlines():
mobj = re.match('\\s*(\\d+)\\s+(\\d+)\\s+(\\d+)\\s*$', line)
if mobj:
idx = 0
for key in ('accepts', 'handled', 'requests'):
idx += 1
self._statusDict[key] = util.parse_value(mobj.group(idx))
else:
for key, val in re.findall('(\\w+):\\s*(\\d+)', line):
self._statusDict[key.lower()] = util.parse_value(val)
|
initStats
|
[
{
"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/%s' % (self._proto, self._host, self._port, self.\n _statuspath)\n response = util.get_url(url, self._user, self._password)\n self._statusDict = {}\n for line in response.splitlines():\n mobj = re.match('\\\\s*(\\\\d+)\\\\s+(\\\\d+)\\\\s+(\\\\d+)\\\\s*$', line)\n if mobj:\n idx = 0\n for key in ('accepts', 'handled', 'requests'):\n idx += 1\n self._statusDict[key] = util.parse_value(mobj.group(idx))\n else:\n for key, val in re.findall('(\\\\w+):\\\\s*(\\\\d+)', line):\n self._statusDict[key.lower()] = util.parse_value(val)\n",
"role": "user"
},
{
"content": "initStats",
"role": "assistant"
}
] |
def x(filename):
path = os.path.abspath(os.path.dirname(__file__))
filepath = os.path.join(path, filename)
try:
return open(filepath).read()
except IOError:
return ''
|
read_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n path = os.path.abspath(os.path.dirname(__file__))\n filepath = os.path.join(path, filename)\n try:\n return open(filepath).read()\n except IOError:\n return ''\n",
"role": "user"
},
{
"content": "read_file",
"role": "assistant"
}
] |
def x(self):
proc_info = ProcessInfo()
stats = {}
for prefix, is_thread in (('proc', False), ('thread', True)):
graph_name = '%s_status' % prefix
if self.hasGraph(graph_name):
if not stats.has_key(prefix):
stats[prefix] = proc_info.getProcStatStatus(is_thread)
for fname, stat_key in (('unint_sleep', 'uninterruptable_sleep'
), ('stopped', 'stopped'), ('defunct', 'defunct'), (
'running', 'running'), ('sleep', 'sleep')):
self.setGraphVal(graph_name, fname, stats[prefix]['status']
.get(stat_key))
graph_name = '%s_prio' % prefix
if self.hasGraph(graph_name):
if not stats.has_key(prefix):
stats[prefix] = proc_info.getProcStatStatus(is_thread)
for fname, stat_key in (('high', 'high'), ('low', 'low'), (
'norm', 'norm'), ('locked', 'locked_in_mem')):
self.setGraphVal(graph_name, fname, stats[prefix]['prio'].
get(stat_key))
|
retrieveVals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n proc_info = ProcessInfo()\n stats = {}\n for prefix, is_thread in (('proc', False), ('thread', True)):\n graph_name = '%s_status' % prefix\n if self.hasGraph(graph_name):\n if not stats.has_key(prefix):\n stats[prefix] = proc_info.getProcStatStatus(is_thread)\n for fname, stat_key in (('unint_sleep', 'uninterruptable_sleep'\n ), ('stopped', 'stopped'), ('defunct', 'defunct'), (\n 'running', 'running'), ('sleep', 'sleep')):\n self.setGraphVal(graph_name, fname, stats[prefix]['status']\n .get(stat_key))\n graph_name = '%s_prio' % prefix\n if self.hasGraph(graph_name):\n if not stats.has_key(prefix):\n stats[prefix] = proc_info.getProcStatStatus(is_thread)\n for fname, stat_key in (('high', 'high'), ('low', 'low'), (\n 'norm', 'norm'), ('locked', 'locked_in_mem')):\n self.setGraphVal(graph_name, fname, stats[prefix]['prio'].\n get(stat_key))\n",
"role": "user"
},
{
"content": "retrieveVals",
"role": "assistant"
}
] |
def x(self):
file_stats = self._fileInfo.getContainerStats()
for contname in self._fileContList:
stats = file_stats.get(contname)
if stats is not None:
if self.hasGraph('rackspace_cloudfiles_container_size'):
self.setGraphVal('rackspace_cloudfiles_container_size',
contname, stats.get('size'))
if self.hasGraph('rackspace_cloudfiles_container_count'):
self.setGraphVal('rackspace_cloudfiles_container_count',
contname, stats.get('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 file_stats = self._fileInfo.getContainerStats()\n for contname in self._fileContList:\n stats = file_stats.get(contname)\n if stats is not None:\n if self.hasGraph('rackspace_cloudfiles_container_size'):\n self.setGraphVal('rackspace_cloudfiles_container_size',\n contname, stats.get('size'))\n if self.hasGraph('rackspace_cloudfiles_container_count'):\n self.setGraphVal('rackspace_cloudfiles_container_count',\n contname, stats.get('count'))\n",
"role": "user"
},
{
"content": "retrieveVals",
"role": "assistant"
}
] |
def x(self):
info_dict = {}
try:
fp = open(ifaceStatsFile, 'r')
data = fp.read()
fp.close()
except:
raise IOError('Failed reading interface stats from file: %s' %
ifaceStatsFile)
for line in data.splitlines():
mobj = re.match('^\\s*([\\w\\d:]+):\\s*(.*\\S)\\s*$', line)
if mobj:
iface = mobj.group(1)
statline = mobj.group(2)
info_dict[iface] = dict(zip(('rxbytes', 'rxpackets', 'rxerrs',
'rxdrop', 'rxfifo', 'rxframe', 'rxcompressed',
'rxmulticast', 'txbytes', 'txpackets', 'txerrs', 'txdrop',
'txfifo', 'txcolls', 'txcarrier', 'txcompressed'), [int(x) for
x in statline.split()]))
return info_dict
|
getIfStats
|
[
{
"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 try:\n fp = open(ifaceStatsFile, 'r')\n data = fp.read()\n fp.close()\n except:\n raise IOError('Failed reading interface stats from file: %s' %\n ifaceStatsFile)\n for line in data.splitlines():\n mobj = re.match('^\\\\s*([\\\\w\\\\d:]+):\\\\s*(.*\\\\S)\\\\s*$', line)\n if mobj:\n iface = mobj.group(1)\n statline = mobj.group(2)\n info_dict[iface] = dict(zip(('rxbytes', 'rxpackets', 'rxerrs',\n 'rxdrop', 'rxfifo', 'rxframe', 'rxcompressed',\n 'rxmulticast', 'txbytes', 'txpackets', 'txerrs', 'txdrop',\n 'txfifo', 'txcolls', 'txcarrier', 'txcompressed'), [int(x) for\n x in statline.split()]))\n return info_dict\n",
"role": "user"
},
{
"content": "getIfStats",
"role": "assistant"
}
] |
def x(self):
conf = {}
try:
out = subprocess.Popen([ipCmd, 'addr', 'show'], stdout=subprocess.PIPE
).communicate()[0]
except:
raise Exception('Execution of command %s failed.' % ipCmd)
for line in out.splitlines():
mobj = re.match('^\\d+: (\\S+):\\s+<(\\S*)>\\s+(\\S.*\\S)\\s*$', line)
if mobj:
iface = mobj.group(1)
conf[iface] = {}
continue
mobj = re.match('^\\s{4}link\\/(.*\\S)\\s*$', line)
if mobj:
arr = mobj.group(1).split()
if len(arr) > 0:
conf[iface]['type'] = arr[0]
if len(arr) > 1:
conf[iface]['hwaddr'] = arr[1]
continue
mobj = re.match(
'^\\s+(inet|inet6)\\s+([\\d\\.\\:A-Za-z]+)\\/(\\d+)($|\\s+.*\\S)\\s*$'
, line)
if mobj:
proto = mobj.group(1)
if not conf[iface].has_key(proto):
conf[iface][proto] = []
addrinfo = {}
addrinfo['addr'] = mobj.group(2).lower()
addrinfo['mask'] = int(mobj.group(3))
arr = mobj.group(4).split()
if len(arr) > 0 and arr[0] == 'brd':
addrinfo['brd'] = arr[1]
conf[iface][proto].append(addrinfo)
continue
return conf
|
getIfConfig
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n conf = {}\n try:\n out = subprocess.Popen([ipCmd, 'addr', 'show'], stdout=subprocess.PIPE\n ).communicate()[0]\n except:\n raise Exception('Execution of command %s failed.' % ipCmd)\n for line in out.splitlines():\n mobj = re.match('^\\\\d+: (\\\\S+):\\\\s+<(\\\\S*)>\\\\s+(\\\\S.*\\\\S)\\\\s*$', line)\n if mobj:\n iface = mobj.group(1)\n conf[iface] = {}\n continue\n mobj = re.match('^\\\\s{4}link\\\\/(.*\\\\S)\\\\s*$', line)\n if mobj:\n arr = mobj.group(1).split()\n if len(arr) > 0:\n conf[iface]['type'] = arr[0]\n if len(arr) > 1:\n conf[iface]['hwaddr'] = arr[1]\n continue\n mobj = re.match(\n '^\\\\s+(inet|inet6)\\\\s+([\\\\d\\\\.\\\\:A-Za-z]+)\\\\/(\\\\d+)($|\\\\s+.*\\\\S)\\\\s*$'\n , line)\n if mobj:\n proto = mobj.group(1)\n if not conf[iface].has_key(proto):\n conf[iface][proto] = []\n addrinfo = {}\n addrinfo['addr'] = mobj.group(2).lower()\n addrinfo['mask'] = int(mobj.group(3))\n arr = mobj.group(4).split()\n if len(arr) > 0 and arr[0] == 'brd':\n addrinfo['brd'] = arr[1]\n conf[iface][proto].append(addrinfo)\n continue\n return conf\n",
"role": "user"
},
{
"content": "getIfConfig",
"role": "assistant"
}
] |
def x(self):
routes = []
try:
out = subprocess.Popen([routeCmd, '-n'], stdout=subprocess.PIPE
).communicate()[0]
except:
raise Exception('Execution of command %s failed.' % ipCmd)
lines = out.splitlines()
if len(lines) > 1:
headers = [col.lower() for col in lines[1].split()]
for line in lines[2:]:
routes.append(dict(zip(headers, line.split())))
return routes
|
getRoutes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n routes = []\n try:\n out = subprocess.Popen([routeCmd, '-n'], stdout=subprocess.PIPE\n ).communicate()[0]\n except:\n raise Exception('Execution of command %s failed.' % ipCmd)\n lines = out.splitlines()\n if len(lines) > 1:\n headers = [col.lower() for col in lines[1].split()]\n for line in lines[2:]:\n routes.append(dict(zip(headers, line.split())))\n return routes\n",
"role": "user"
},
{
"content": "getRoutes",
"role": "assistant"
}
] |
def x(self, *args):
out = util.exec_command([netstatCmd] + list(args))
return out.splitlines()
|
execNetstatCmd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n out = util.exec_command([netstatCmd] + list(args))\n return out.splitlines()\n",
"role": "user"
},
{
"content": "execNetstatCmd",
"role": "assistant"
}
] |
def x(self, tcp=True, udp=True, ipv4=True, ipv6=True, include_listen=True,
only_listen=False, show_users=False, show_procs=False, resolve_hosts=
False, resolve_ports=False, resolve_users=True):
headers = ['proto', 'ipversion', 'recvq', 'sendq', 'localaddr',
'localport', 'foreignaddr', 'foreignport', 'state']
args = []
proto = []
if ipv4:
proto.append('inet')
if ipv6:
proto.append('inet6')
if len(proto) > 0:
args.append('-A')
args.append(','.join(proto))
if tcp:
args.append('-t')
if udp:
args.append('-u')
if only_listen:
args.append('-l')
elif include_listen:
args.append('-a')
regexp_str = (
'(tcp|udp)(\\d*)\\s+(\\d+)\\s+(\\d+)\\s+(\\S+):(\\w+)\\s+(\\S+):(\\w+|\\*)\\s+(\\w*)'
)
if show_users:
args.append('-e')
regexp_str += '\\s+(\\w+)\\s+(\\d+)'
headers.extend(['user', 'inode'])
if show_procs:
args.append('-p')
regexp_str += '\\s+(\\S+)'
headers.extend(['pid', 'prog'])
if not resolve_hosts:
args.append('--numeric-hosts')
if not resolve_ports:
args.append('--numeric-ports')
if not resolve_users:
args.append('--numeric-users')
lines = self.execNetstatCmd(*args)
stats = []
regexp = re.compile(regexp_str)
for line in lines[2:]:
mobj = regexp.match(line)
if mobj is not None:
stat = list(mobj.groups())
if stat[1] == '0':
stat[1] = '4'
if stat[8] == '':
stat[8] = None
if show_procs:
proc = stat.pop().split('/')
if len(proc) == 2:
stat.extend(proc)
else:
stat.extend([None, None])
stats.append(stat)
return {'headers': headers, 'stats': stats}
|
parseNetstatCmd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tcp=True, udp=True, ipv4=True, ipv6=True, include_listen=True,\n only_listen=False, show_users=False, show_procs=False, resolve_hosts=\n False, resolve_ports=False, resolve_users=True):\n headers = ['proto', 'ipversion', 'recvq', 'sendq', 'localaddr',\n 'localport', 'foreignaddr', 'foreignport', 'state']\n args = []\n proto = []\n if ipv4:\n proto.append('inet')\n if ipv6:\n proto.append('inet6')\n if len(proto) > 0:\n args.append('-A')\n args.append(','.join(proto))\n if tcp:\n args.append('-t')\n if udp:\n args.append('-u')\n if only_listen:\n args.append('-l')\n elif include_listen:\n args.append('-a')\n regexp_str = (\n '(tcp|udp)(\\\\d*)\\\\s+(\\\\d+)\\\\s+(\\\\d+)\\\\s+(\\\\S+):(\\\\w+)\\\\s+(\\\\S+):(\\\\w+|\\\\*)\\\\s+(\\\\w*)'\n )\n if show_users:\n args.append('-e')\n regexp_str += '\\\\s+(\\\\w+)\\\\s+(\\\\d+)'\n headers.extend(['user', 'inode'])\n if show_procs:\n args.append('-p')\n regexp_str += '\\\\s+(\\\\S+)'\n headers.extend(['pid', 'prog'])\n if not resolve_hosts:\n args.append('--numeric-hosts')\n if not resolve_ports:\n args.append('--numeric-ports')\n if not resolve_users:\n args.append('--numeric-users')\n lines = self.execNetstatCmd(*args)\n stats = []\n regexp = re.compile(regexp_str)\n for line in lines[2:]:\n mobj = regexp.match(line)\n if mobj is not None:\n stat = list(mobj.groups())\n if stat[1] == '0':\n stat[1] = '4'\n if stat[8] == '':\n stat[8] = None\n if show_procs:\n proc = stat.pop().split('/')\n if len(proc) == 2:\n stat.extend(proc)\n else:\n stat.extend([None, None])\n stats.append(stat)\n return {'headers': headers, 'stats': stats}\n",
"role": "user"
},
{
"content": "parseNetstatCmd",
"role": "assistant"
}
] |
def x(self, tcp=True, udp=True, ipv4=True, ipv6=True, include_listen=True,
only_listen=False, show_users=False, show_procs=False, resolve_hosts=
False, resolve_ports=False, resolve_users=True, **kwargs):
pinfo = self.parseNetstatCmd(tcp, udp, ipv4, ipv6, include_listen,
only_listen, show_users, show_procs, resolve_hosts, resolve_ports,
resolve_users)
if pinfo:
if len(kwargs) > 0:
pfilter = util.TableFilter()
pfilter.registerFilters(**kwargs)
stats = pfilter.applyFilters(pinfo['headers'], pinfo['stats'])
return {'headers': pinfo['headers'], 'stats': stats}
else:
return pinfo
else:
return None
|
getStats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tcp=True, udp=True, ipv4=True, ipv6=True, include_listen=True,\n only_listen=False, show_users=False, show_procs=False, resolve_hosts=\n False, resolve_ports=False, resolve_users=True, **kwargs):\n pinfo = self.parseNetstatCmd(tcp, udp, ipv4, ipv6, include_listen,\n only_listen, show_users, show_procs, resolve_hosts, resolve_ports,\n resolve_users)\n if pinfo:\n if len(kwargs) > 0:\n pfilter = util.TableFilter()\n pfilter.registerFilters(**kwargs)\n stats = pfilter.applyFilters(pinfo['headers'], pinfo['stats'])\n return {'headers': pinfo['headers'], 'stats': stats}\n else:\n return pinfo\n else:\n return None\n",
"role": "user"
},
{
"content": "getStats",
"role": "assistant"
}
] |
def x(self, ipv4=True, ipv6=True, include_listen=False, **kwargs):
status_dict = {}
result = self.getStats(tcp=True, udp=False, include_listen=
include_listen, ipv4=ipv4, ipv6=ipv6, **kwargs)
stats = result['stats']
for stat in stats:
if stat is not None:
status = stat[8].lower()
status_dict[status] = status_dict.get(status, 0) + 1
return status_dict
|
getTCPportConnStatus
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ipv4=True, ipv6=True, include_listen=False, **kwargs):\n status_dict = {}\n result = self.getStats(tcp=True, udp=False, include_listen=\n include_listen, ipv4=ipv4, ipv6=ipv6, **kwargs)\n stats = result['stats']\n for stat in stats:\n if stat is not None:\n status = stat[8].lower()\n status_dict[status] = status_dict.get(status, 0) + 1\n return status_dict\n",
"role": "user"
},
{
"content": "getTCPportConnStatus",
"role": "assistant"
}
] |
def x(self, ipv4=True, ipv6=True, resolve_ports=False, **kwargs):
port_dict = {}
result = self.getStats(tcp=True, udp=False, include_listen=False, ipv4=
ipv4, ipv6=ipv6, resolve_ports=resolve_ports, **kwargs)
stats = result['stats']
for stat in stats:
if stat[8] == 'ESTABLISHED':
port_dict[stat[5]] = port_dict.get(5, 0) + 1
return port_dict
|
getTCPportConnCount
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ipv4=True, ipv6=True, resolve_ports=False, **kwargs):\n port_dict = {}\n result = self.getStats(tcp=True, udp=False, include_listen=False, ipv4=\n ipv4, ipv6=ipv6, resolve_ports=resolve_ports, **kwargs)\n stats = result['stats']\n for stat in stats:\n if stat[8] == 'ESTABLISHED':\n port_dict[stat[5]] = port_dict.get(5, 0) + 1\n return port_dict\n",
"role": "user"
},
{
"content": "getTCPportConnCount",
"role": "assistant"
}
] |
def x(egg, match='exact', distance='euclidean', features=None):
def x(lst):
return len([i for i in np.unique(lst) if i >= 0]) / egg.list_length
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 = [acc(lst) for lst in recmat]
elif match is 'smooth':
result = np.mean(recmat, axis=1)
else:
raise ValueError('Match must be set to exact, best or smooth.')
return np.nanmean(result, axis=0)
|
accuracy_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 return len([i for i in np.unique(lst) if i >= 0]) / egg.list_length\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 = [acc(lst) for lst in recmat]\n elif match is 'smooth':\n result = np.mean(recmat, axis=1)\n else:\n raise ValueError('Match must be set to exact, best or smooth.')\n return np.nanmean(result, axis=0)\n",
"role": "user"
},
{
"content": "accuracy_helper",
"role": "assistant"
}
] |
def x(self):
if self._connParams:
self._conn = psycopg2.connect(**self._connParams)
else:
self._conn = psycopg2.connect('')
try:
ver_str = self._conn.get_parameter_status('server_version')
except AttributeError:
ver_str = self.getParam('server_version')
self._version = util.SoftwareVersion(ver_str)
|
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 = psycopg2.connect(**self._connParams)\n else:\n self._conn = psycopg2.connect('')\n try:\n ver_str = self._conn.get_parameter_status('server_version')\n except AttributeError:\n ver_str = self.getParam('server_version')\n self._version = util.SoftwareVersion(ver_str)\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, headers, rows):
dbstats = {}
for row in rows:
dbstats[row[0]] = dict(zip(headers[1:], row[1:]))
return dbstats
|
createStatsDict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, headers, rows):\n dbstats = {}\n for row in rows:\n dbstats[row[0]] = dict(zip(headers[1:], row[1:]))\n return dbstats\n",
"role": "user"
},
{
"content": "createStatsDict",
"role": "assistant"
}
] |
def x(self, headers, rows):
totals = [sum(col) for col in zip(*rows)[1:]]
return dict(zip(headers[1:], totals))
|
createTotalsDict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, headers, rows):\n totals = [sum(col) for col in zip(*rows)[1:]]\n return dict(zip(headers[1:], totals))\n",
"role": "user"
},
{
"content": "createTotalsDict",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.