source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(func, *args, **kwargs):
thr = Thread(target=func, args=args, kwargs=kwargs)
thr.daemon = True
thr.start()
return thr
| spawn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, *args, **kwargs):\n thr = Thread(target=func, args=args, kwargs=kwargs)\n thr.daemon = True\n thr.start()\n return thr\n",
"role": "user"
},
{
"content": "spawn",
"role": "assistant"
}
] |
def x(event, attempts, delay):
event.clear()
attempted = 0
while attempted < attempts and not event.is_set():
yield attempted, event.is_set()
if event.wait(delay):
break
yield attempted, event.is_set()
| retry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(event, attempts, delay):\n event.clear()\n attempted = 0\n while attempted < attempts and not event.is_set():\n yield attempted, event.is_set()\n if event.wait(delay):\n break\n yield attempted, event.is_set()\n",
"role": "user"
},
{
"content": "retry",
"role": "assistant"
}
] |
def x(lock, state_dict, event, timeout=None):
with lock:
state_dict.clear()
event.clear()
yield
event.wait(timeout)
| blocking | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lock, state_dict, event, timeout=None):\n with lock:\n state_dict.clear()\n event.clear()\n yield\n event.wait(timeout)\n",
"role": "user"
},
{
"content": "blocking",
"role": "assistant"
}
] |
def x(self, event, fn):
self._callbacks.setdefault(event, []).append(fn)
return fn
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event, fn):\n self._callbacks.setdefault(event, []).append(fn)\n return fn\n",
"role": "user"
},
{
"content": "register",
"role": "assistant"
}
] |
def x(self, event, *args, **kwargs):
self._queue.put((event, args, kwargs))
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event, *args, **kwargs):\n self._queue.put((event, args, kwargs))\n",
"role": "user"
},
{
"content": "put",
"role": "assistant"
}
] |
def x(self):
while True:
msg = self._queue.get()
if msg is _SHUTDOWN:
break
event, args, kwargs = msg
self._logger('<< %s', event)
for func in self._callbacks.get(event, []):
func(*args, **kwargs)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while True:\n msg = self._queue.get()\n if msg is _SHUTDOWN:\n break\n event, args, kwargs = msg\n self._logger('<< %s', event)\n for func in self._callbacks.get(event, []):\n func(*args, **kwargs)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self):
sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
sock.bind(self._addr)
sock.settimeout(self._timeout)
with closing(sock):
while not self._shutdown.is_set():
try:
data, addr = sock.recvfrom(self._buffer_size)
except socket.timeout:
continue
header, rest = parse_packet(data)
if header.packet_type in _PAYLOADS:
payload = parse_payload(rest, *_PAYLOADS[header.packet_type])
self._callbacks.put(header.packet_type, header, payload,
None, addr)
else:
self._callbacks.put(EVENT_UNKNOWN, header, None, rest, addr)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)\n sock.bind(self._addr)\n sock.settimeout(self._timeout)\n with closing(sock):\n while not self._shutdown.is_set():\n try:\n data, addr = sock.recvfrom(self._buffer_size)\n except socket.timeout:\n continue\n header, rest = parse_packet(data)\n if header.packet_type in _PAYLOADS:\n payload = parse_payload(rest, *_PAYLOADS[header.packet_type])\n self._callbacks.put(header.packet_type, header, payload,\n None, addr)\n else:\n self._callbacks.put(EVENT_UNKNOWN, header, None, rest, addr)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self):
while True:
to_send = self._queue.get()
if to_send is _SHUTDOWN:
break
if isinstance(to_send, Gateway):
self._gateway = to_send
self._connected.set()
else:
if not self._gateway:
raise SendException('no gateway')
dest = self._gateway.addr, self._gateway.port
sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
sock.sendto(to_send, dest)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while True:\n to_send = self._queue.get()\n if to_send is _SHUTDOWN:\n break\n if isinstance(to_send, Gateway):\n self._gateway = to_send\n self._connected.set()\n else:\n if not self._gateway:\n raise SendException('no gateway')\n dest = self._gateway.addr, self._gateway.port\n sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)\n sock.sendto(to_send, dest)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, header, payload, rest, addr):
if payload.get('service') == SERVICE_UDP:
self.gateway = Gateway(addr[0], payload['port'], header.gateway)
self.gateway_found_event.set()
| on_gateway | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, header, payload, rest, addr):\n if payload.get('service') == SERVICE_UDP:\n self.gateway = Gateway(addr[0], payload['port'], header.gateway)\n self.gateway_found_event.set()\n",
"role": "user"
},
{
"content": "on_gateway",
"role": "assistant"
}
] |
def x(self, header, payload, rest, addr):
with self.lock:
self.power_state[header.mac] = payload
if len(self.power_state) >= self.num_bulbs:
self.power_state_event.set()
self.callbacks.put(EVENT_POWER_STATE, self.get_bulb(header.mac), is_on=
bool(payload['is_on']))
| on_power_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, header, payload, rest, addr):\n with self.lock:\n self.power_state[header.mac] = payload\n if len(self.power_state) >= self.num_bulbs:\n self.power_state_event.set()\n self.callbacks.put(EVENT_POWER_STATE, self.get_bulb(header.mac), is_on=\n bool(payload['is_on']))\n",
"role": "user"
},
{
"content": "on_power_state",
"role": "assistant"
}
] |
def x(self, header, payload, rest, addr):
with self.lock:
label = payload['label'].strip('\x00')
self.bulbs[header.mac] = bulb = Bulb(label, header.mac)
if len(self.bulbs) >= self.num_bulbs:
self.bulbs_found_event.set()
self.light_state[header.mac] = payload
if len(self.light_state) >= self.num_bulbs:
self.light_state_event.set()
self.callbacks.put(EVENT_LIGHT_STATE, bulb, raw=payload, hue=payload[
'hue'] / float(65535) * 360 % 360.0, saturation=payload['sat'] /
float(65535), brightness=payload['bright'] / float(65535), kelvin=
payload['kelvin'], is_on=bool(payload['power']))
| on_light_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, header, payload, rest, addr):\n with self.lock:\n label = payload['label'].strip('\\x00')\n self.bulbs[header.mac] = bulb = Bulb(label, header.mac)\n if len(self.bulbs) >= self.num_bulbs:\n self.bulbs_found_event.set()\n self.light_state[header.mac] = payload\n if len(self.light_state) >= self.num_bulbs:\n self.light_state_event.set()\n self.callbacks.put(EVENT_LIGHT_STATE, bulb, raw=payload, hue=payload[\n 'hue'] / float(65535) * 360 % 360.0, saturation=payload['sat'] /\n float(65535), brightness=payload['bright'] / float(65535), kelvin=\n payload['kelvin'], is_on=bool(payload['power']))\n",
"role": "user"
},
{
"content": "on_light_state",
"role": "assistant"
}
] |
def x(self, mac):
return self.bulbs.get(mac, Bulb('Bulb %s' % _bytes(mac), mac))
| get_bulb | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mac):\n return self.bulbs.get(mac, Bulb('Bulb %s' % _bytes(mac), mac))\n",
"role": "user"
},
{
"content": "get_bulb",
"role": "assistant"
}
] |
def x(self, packet_type, bulb, packet_fmt, *packet_args):
packet = build_packet(packet_type, self.gateway.mac, bulb, packet_fmt,
*packet_args)
self.logger('>> %s', _bytes(packet))
self.sender.put(packet)
| send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, packet_type, bulb, packet_fmt, *packet_args):\n packet = build_packet(packet_type, self.gateway.mac, bulb, packet_fmt,\n *packet_args)\n self.logger('>> %s', _bytes(packet))\n self.sender.put(packet)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, is_on, bulb=ALL_BULBS, timeout=None):
with _blocking(self.lock, self.power_state, self.light_state_event, timeout
):
self.send(REQ_SET_POWER_STATE, bulb, '2s', '\x00\x01' if is_on else
'\x00\x00')
self.send(REQ_GET_LIGHT_STATE, ALL_BULBS, '')
return self.power_state
| set_power_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, is_on, bulb=ALL_BULBS, timeout=None):\n with _blocking(self.lock, self.power_state, self.light_state_event, timeout\n ):\n self.send(REQ_SET_POWER_STATE, bulb, '2s', '\\x00\\x01' if is_on else\n '\\x00\\x00')\n self.send(REQ_GET_LIGHT_STATE, ALL_BULBS, '')\n return self.power_state\n",
"role": "user"
},
{
"content": "set_power_state",
"role": "assistant"
}
] |
def x(self, hue, saturation, brightness, kelvin, bulb=ALL_BULBS, timeout=None):
with _blocking(self.lock, self.light_state, self.light_state_event, timeout
):
self.send(REQ_SET_LIGHT_STATE, bulb, 'xHHHHI', hue, saturation,
brightness, kelvin, 0)
self.send(REQ_GET_LIGHT_STATE, ALL_BULBS, '')
return self.light_state
| set_light_state_raw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hue, saturation, brightness, kelvin, bulb=ALL_BULBS, timeout=None):\n with _blocking(self.lock, self.light_state, self.light_state_event, timeout\n ):\n self.send(REQ_SET_LIGHT_STATE, bulb, 'xHHHHI', hue, saturation,\n brightness, kelvin, 0)\n self.send(REQ_GET_LIGHT_STATE, ALL_BULBS, '')\n return self.light_state\n",
"role": "user"
},
{
"content": "set_light_state_raw",
"role": "assistant"
}
] |
def x(self, hue, saturation, brightness, kelvin, bulb=ALL_BULBS, timeout=None):
raw_hue = int(hue % 360 / 360.0 * 65535) & 65535
raw_sat = int(saturation * 65535) & 65535
raw_bright = int(brightness * 65535) & 65535
return self.set_light_state_raw(raw_hue, raw_sat, raw_bright, kelvin,
bulb, timeout)
| set_light_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hue, saturation, brightness, kelvin, bulb=ALL_BULBS, timeout=None):\n raw_hue = int(hue % 360 / 360.0 * 65535) & 65535\n raw_sat = int(saturation * 65535) & 65535\n raw_bright = int(brightness * 65535) & 65535\n return self.set_light_state_raw(raw_hue, raw_sat, raw_bright, kelvin,\n bulb, timeout)\n",
"role": "user"
},
{
"content": "set_light_state",
"role": "assistant"
}
] |
def x(self, packet_type):
def x(fn):
return self.callbacks.register(packet_type, fn)
return _wrapper
| on_packet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, packet_type):\n\n def x(fn):\n return self.callbacks.register(packet_type, fn)\n return _wrapper\n",
"role": "user"
},
{
"content": "on_packet",
"role": "assistant"
}
] |
def x(self, attempts=20, delay=0.5):
sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM, socket.IPPROTO_UDP)
with closing(sock):
sock.setsockopt(socket.SOL_SOCKET, socket.SO_BROADCAST, 1)
discover_packet = build_packet(REQ_GATEWAY, ALL_BULBS, ALL_BULBS,
'', protocol=DISCOVERY_PROTOCOL)
for _, ok in _retry(self.gateway_found_event, attempts, delay):
sock.sendto(discover_packet, BROADCAST_ADDRESS)
if not ok:
raise ConnectException('discovery failed')
self.callbacks.put(EVENT_DISCOVERED)
for _, ok in _retry(self.sender.is_connected, 1, 3):
self.sender.put(self.gateway)
if not ok:
raise ConnectException('connection failed')
self.callbacks.put(EVENT_CONNECTED)
for _, ok in _retry(self.bulbs_found_event, attempts, delay):
self.send(REQ_GET_LIGHT_STATE, ALL_BULBS, '')
if not ok:
raise ConnectException('only found %d of %d bulbs' % (len(self.
bulbs), self.num_bulbs))
self.callbacks.put(EVENT_BULBS_FOUND)
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attempts=20, delay=0.5):\n sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM, socket.IPPROTO_UDP)\n with closing(sock):\n sock.setsockopt(socket.SOL_SOCKET, socket.SO_BROADCAST, 1)\n discover_packet = build_packet(REQ_GATEWAY, ALL_BULBS, ALL_BULBS,\n '', protocol=DISCOVERY_PROTOCOL)\n for _, ok in _retry(self.gateway_found_event, attempts, delay):\n sock.sendto(discover_packet, BROADCAST_ADDRESS)\n if not ok:\n raise ConnectException('discovery failed')\n self.callbacks.put(EVENT_DISCOVERED)\n for _, ok in _retry(self.sender.is_connected, 1, 3):\n self.sender.put(self.gateway)\n if not ok:\n raise ConnectException('connection failed')\n self.callbacks.put(EVENT_CONNECTED)\n for _, ok in _retry(self.bulbs_found_event, attempts, delay):\n self.send(REQ_GET_LIGHT_STATE, ALL_BULBS, '')\n if not ok:\n raise ConnectException('only found %d of %d bulbs' % (len(self.\n bulbs), self.num_bulbs))\n self.callbacks.put(EVENT_BULBS_FOUND)\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self):
listener_thr = _spawn(self.receiver.run)
callback_thr = _spawn(self.callbacks.run)
sender_thr = _spawn(self.sender.run)
logger_thr = _spawn(self.logger.run)
self.connect()
try:
yield
finally:
self.stop()
listener_thr.join()
self.callbacks.put('shutdown')
for obj in [self.callbacks, self.sender, self.logger]:
obj.stop()
for thr in [callback_thr, sender_thr, logger_thr]:
thr.join()
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n listener_thr = _spawn(self.receiver.run)\n callback_thr = _spawn(self.callbacks.run)\n sender_thr = _spawn(self.sender.run)\n logger_thr = _spawn(self.logger.run)\n self.connect()\n try:\n yield\n finally:\n self.stop()\n listener_thr.join()\n self.callbacks.put('shutdown')\n for obj in [self.callbacks, self.sender, self.logger]:\n obj.stop()\n for thr in [callback_thr, sender_thr, logger_thr]:\n thr.join()\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
async def run_multiconvert(self, url_string, to_type):
"""
Enqueues in succession all conversions steps necessary to take the
given URL and convert it to to_type, storing the result in the cache
"""
async def enq_convert(*args):
await self.enqueue(Task.CONVERT, args)
await tasks.multiconvert(url_string, to_type, enq_convert)
| run_multiconvert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def run_multiconvert(self, url_string, to_type):\n \"\"\"\n Enqueues in succession all conversions steps necessary to take the\n given URL and convert it to to_type, storing the result in the cache\n \"\"\"\n\n async def enq_convert(*args):\n await self.enqueue(Task.CONVERT, args)\n await tasks.multiconvert(url_string, to_type, enq_convert)\n",
"role": "user"
},
{
"content": "run_multiconvert",
"role": "assistant"
}
] |
def x(lines, precision=0.0049):
for line in lines:
if is_empty(line):
continue
tokens = line.strip().split('\t')
distance_str = tokens.pop(0)
if distance_str.lstrip().lower().startswith('u'):
distance = 0.0
elif distance_str == '0.0':
distance = float(precision)
else:
distance = float(distance_str)
num_otus = int(tokens.pop(0))
otu_list = [t.split(',') for t in tokens]
yield distance, otu_list
| parse_otu_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lines, precision=0.0049):\n for line in lines:\n if is_empty(line):\n continue\n tokens = line.strip().split('\\t')\n distance_str = tokens.pop(0)\n if distance_str.lstrip().lower().startswith('u'):\n distance = 0.0\n elif distance_str == '0.0':\n distance = float(precision)\n else:\n distance = float(distance_str)\n num_otus = int(tokens.pop(0))\n otu_list = [t.split(',') for t in tokens]\n yield distance, otu_list\n",
"role": "user"
},
{
"content": "parse_otu_list",
"role": "assistant"
}
] |
def x(query_file, ref_fp, tax_fp, cutoff=None, iters=None, ksize=None,
output_fp=None, tmp_dir=None):
if tmp_dir is None:
tmp_dir = gettempdir()
ref_seq_ids = set()
user_ref_file = open(ref_fp)
tmp_ref_file = NamedTemporaryFile(dir=tmp_dir, suffix='.ref.fa')
for seq_id, seq in parse_fasta(user_ref_file):
id_token = seq_id.split()[0]
ref_seq_ids.add(id_token)
tmp_ref_file.write('>%s\n%s\n' % (seq_id, seq))
tmp_ref_file.seek(0)
user_tax_file = open(tax_fp)
tmp_tax_file = NamedTemporaryFile(dir=tmp_dir, suffix='.tax.txt')
for line in user_tax_file:
line = line.rstrip()
if not line:
continue
if not line.endswith(';'):
line = line + ';'
id_token, _, _ = line.partition('\t')
if id_token in ref_seq_ids:
tmp_tax_file.write(line)
tmp_tax_file.write('\n')
tmp_tax_file.seek(0)
params = {'reference': tmp_ref_file.name, 'taxonomy': tmp_tax_file.name}
if cutoff is not None:
params['cutoff'] = cutoff
if ksize is not None:
params['ksize'] = ksize
if iters is not None:
params['iters'] = iters
work_dir = mkdtemp(dir=tmp_dir)
app = MothurClassifySeqs(params, InputHandler='_input_as_lines',
WorkingDir=work_dir, TmpDir=tmp_dir)
result = app(query_file)
assignments = list(parse_mothur_assignments(result['assignments']))
result.cleanUp()
rmtree(work_dir)
if output_fp is not None:
f = open(output_fp, 'w')
for query_id, taxa, conf in assignments:
taxa_str = ';'.join(taxa)
f.write('%s\t%s\t%.2f\n' % (query_id, taxa_str, conf))
f.close()
return None
return dict((a, (b, c)) for a, b, c in assignments)
| mothur_classify_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query_file, ref_fp, tax_fp, cutoff=None, iters=None, ksize=None,\n output_fp=None, tmp_dir=None):\n if tmp_dir is None:\n tmp_dir = gettempdir()\n ref_seq_ids = set()\n user_ref_file = open(ref_fp)\n tmp_ref_file = NamedTemporaryFile(dir=tmp_dir, suffix='.ref.fa')\n for seq_id, seq in parse_fasta(user_ref_file):\n id_token = seq_id.split()[0]\n ref_seq_ids.add(id_token)\n tmp_ref_file.write('>%s\\n%s\\n' % (seq_id, seq))\n tmp_ref_file.seek(0)\n user_tax_file = open(tax_fp)\n tmp_tax_file = NamedTemporaryFile(dir=tmp_dir, suffix='.tax.txt')\n for line in user_tax_file:\n line = line.rstrip()\n if not line:\n continue\n if not line.endswith(';'):\n line = line + ';'\n id_token, _, _ = line.partition('\\t')\n if id_token in ref_seq_ids:\n tmp_tax_file.write(line)\n tmp_tax_file.write('\\n')\n tmp_tax_file.seek(0)\n params = {'reference': tmp_ref_file.name, 'taxonomy': tmp_tax_file.name}\n if cutoff is not None:\n params['cutoff'] = cutoff\n if ksize is not None:\n params['ksize'] = ksize\n if iters is not None:\n params['iters'] = iters\n work_dir = mkdtemp(dir=tmp_dir)\n app = MothurClassifySeqs(params, InputHandler='_input_as_lines',\n WorkingDir=work_dir, TmpDir=tmp_dir)\n result = app(query_file)\n assignments = list(parse_mothur_assignments(result['assignments']))\n result.cleanUp()\n rmtree(work_dir)\n if output_fp is not None:\n f = open(output_fp, 'w')\n for query_id, taxa, conf in assignments:\n taxa_str = ';'.join(taxa)\n f.write('%s\\t%s\\t%.2f\\n' % (query_id, taxa_str, conf))\n f.close()\n return None\n return dict((a, (b, c)) for a, b, c in assignments)\n",
"role": "user"
},
{
"content": "mothur_classify_file",
"role": "assistant"
}
] |
def x(self):
def x(*opts):
return ', '.join(filter(None, map(str, opts)))
vars = {'in': self._input_filename, 'unique': self._derive_unique_path(
), 'dist': self._derive_dist_path(), 'names': self.
_derive_names_path(), 'cluster_opts': format_opts(self.Parameters[
'method'], self.Parameters['cutoff'], self.Parameters['precision'])}
script = (
'#unique.seqs(fasta=%(in)s); dist.seqs(fasta=%(unique)s); read.dist(column=%(dist)s, name=%(names)s); cluster(%(cluster_opts)s)'
% vars)
return script
| compile_mothur_script | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x(*opts):\n return ', '.join(filter(None, map(str, opts)))\n vars = {'in': self._input_filename, 'unique': self._derive_unique_path(\n ), 'dist': self._derive_dist_path(), 'names': self.\n _derive_names_path(), 'cluster_opts': format_opts(self.Parameters[\n 'method'], self.Parameters['cutoff'], self.Parameters['precision'])}\n script = (\n '#unique.seqs(fasta=%(in)s); dist.seqs(fasta=%(unique)s); read.dist(column=%(dist)s, name=%(names)s); cluster(%(cluster_opts)s)'\n % vars)\n return script\n",
"role": "user"
},
{
"content": "compile_mothur_script",
"role": "assistant"
}
] |
def x(self):
filenames = listdir(self.WorkingDir)
lognames = [x for x in filenames if re.match(
'^mothur\\.\\d+\\.logfile$', x)]
if not lognames:
raise ApplicationError(
'No log file detected in directory %s. Contents: \n\t%s' % (
input_dir, '\n\t'.join(possible_logfiles)))
most_recent_logname = sorted(lognames, reverse=True)[0]
return path.join(self.WorkingDir, most_recent_logname)
| derive_log_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n filenames = listdir(self.WorkingDir)\n lognames = [x for x in filenames if re.match(\n '^mothur\\\\.\\\\d+\\\\.logfile$', x)]\n if not lognames:\n raise ApplicationError(\n 'No log file detected in directory %s. Contents: \\n\\t%s' % (\n input_dir, '\\n\\t'.join(possible_logfiles)))\n most_recent_logname = sorted(lognames, reverse=True)[0]\n return path.join(self.WorkingDir, most_recent_logname)\n",
"role": "user"
},
{
"content": "derive_log_path",
"role": "assistant"
}
] |
def x(self):
base, ext = path.splitext(self._input_filename)
return '%s.unique%s' % (base, ext)
| derive_unique_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n base, ext = path.splitext(self._input_filename)\n return '%s.unique%s' % (base, ext)\n",
"role": "user"
},
{
"content": "derive_unique_path",
"role": "assistant"
}
] |
def x(self):
abbrevs = {'furthest': 'fn', 'nearest': 'nn', 'average': 'an'}
if self.Parameters['method'].isOn():
method = self.Parameters['method'].Value
else:
method = self.Parameters['method'].Default
return abbrevs[method]
| get_method_abbrev | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n abbrevs = {'furthest': 'fn', 'nearest': 'nn', 'average': 'an'}\n if self.Parameters['method'].isOn():\n method = self.Parameters['method'].Value\n else:\n method = self.Parameters['method'].Default\n return abbrevs[method]\n",
"role": "user"
},
{
"content": "get_method_abbrev",
"role": "assistant"
}
] |
def x(self):
base, ext = path.splitext(self._input_filename)
return '%s.unique.%s.list' % (base, self.__get_method_abbrev())
| derive_list_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n base, ext = path.splitext(self._input_filename)\n return '%s.unique.%s.list' % (base, self.__get_method_abbrev())\n",
"role": "user"
},
{
"content": "derive_list_path",
"role": "assistant"
}
] |
def x(self):
base, ext = path.splitext(self._input_filename)
return '%s.unique.%s.rabund' % (base, self.__get_method_abbrev())
| derive_rank_abundance_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n base, ext = path.splitext(self._input_filename)\n return '%s.unique.%s.rabund' % (base, self.__get_method_abbrev())\n",
"role": "user"
},
{
"content": "derive_rank_abundance_path",
"role": "assistant"
}
] |
def x(self):
base, ext = path.splitext(self._input_filename)
return '%s.unique.%s.sabund' % (base, self.__get_method_abbrev())
| derive_species_abundance_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n base, ext = path.splitext(self._input_filename)\n return '%s.unique.%s.sabund' % (base, self.__get_method_abbrev())\n",
"role": "user"
},
{
"content": "derive_species_abundance_path",
"role": "assistant"
}
] |
def x(self, tmp_dir=None, prefix='tmp', suffix='.txt'):
return super(Mothur, self).getTmpFilename(tmp_dir=tmp_dir, prefix=
prefix, suffix=suffix, result_constructor=str)
| getTmpFilename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tmp_dir=None, prefix='tmp', suffix='.txt'):\n return super(Mothur, self).getTmpFilename(tmp_dir=tmp_dir, prefix=\n prefix, suffix=suffix, result_constructor=str)\n",
"role": "user"
},
{
"content": "getTmpFilename",
"role": "assistant"
}
] |
def x(self, data):
self._input_filename = self.getTmpFilename(self.WorkingDir, suffix='.fasta'
)
with open(self._input_filename, 'w') as f:
f.write(data)
return self._input_filename
| input_as_multiline_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n self._input_filename = self.getTmpFilename(self.WorkingDir, suffix='.fasta'\n )\n with open(self._input_filename, 'w') as f:\n f.write(data)\n return self._input_filename\n",
"role": "user"
},
{
"content": "input_as_multiline_string",
"role": "assistant"
}
] |
def x(self, data):
self._input_filename = self.getTmpFilename(self.WorkingDir, suffix='.fasta'
)
with open(self._input_filename, 'w') as f:
for line in data:
f.write(str(line).strip('\n'))
f.write('\n')
return self._input_filename
| input_as_lines | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n self._input_filename = self.getTmpFilename(self.WorkingDir, suffix='.fasta'\n )\n with open(self._input_filename, 'w') as f:\n for line in data:\n f.write(str(line).strip('\\n'))\n f.write('\\n')\n return self._input_filename\n",
"role": "user"
},
{
"content": "input_as_lines",
"role": "assistant"
}
] |
def x(self, data):
self._input_filename = self.getTmpFilename(self.WorkingDir, suffix='.fasta'
)
copyfile(data, self._input_filename)
return self._input_filename
| input_as_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n self._input_filename = self.getTmpFilename(self.WorkingDir, suffix='.fasta'\n )\n copyfile(data, self._input_filename)\n return self._input_filename\n",
"role": "user"
},
{
"content": "input_as_path",
"role": "assistant"
}
] |
def x(self, path):
self._curr_working_dir = path
try:
mkdir(self.WorkingDir)
except OSError:
pass
| set_WorkingDir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n self._curr_working_dir = path\n try:\n mkdir(self.WorkingDir)\n except OSError:\n pass\n",
"role": "user"
},
{
"content": "set_WorkingDir",
"role": "assistant"
}
] |
def x(self, opts):
params = [self.Parameters[x] for x in opts]
return ', '.join(filter(None, map(str, params)))
| format_function_arguments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, opts):\n params = [self.Parameters[x] for x in opts]\n return ', '.join(filter(None, map(str, params)))\n",
"role": "user"
},
{
"content": "format_function_arguments",
"role": "assistant"
}
] |
def x(self):
fasta = self._input_filename
required_params = ['reference', 'taxonomy']
for p in required_params:
if self.Parameters[p].Value is None:
raise ValueError('Must provide value for parameter %s' % p)
optional_params = ['ksize', 'cutoff', 'iters']
args = self._format_function_arguments(required_params + optional_params)
script = '#classify.seqs(fasta=%s, %s)' % (fasta, args)
return script
| compile_mothur_script | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n fasta = self._input_filename\n required_params = ['reference', 'taxonomy']\n for p in required_params:\n if self.Parameters[p].Value is None:\n raise ValueError('Must provide value for parameter %s' % p)\n optional_params = ['ksize', 'cutoff', 'iters']\n args = self._format_function_arguments(required_params + optional_params)\n script = '#classify.seqs(fasta=%s, %s)' % (fasta, args)\n return script\n",
"role": "user"
},
{
"content": "compile_mothur_script",
"role": "assistant"
}
] |
def x(self, parameter):
if isinstance(parameter, MethodParameter):
parameter = parameter.bind(alloy=self)
self._parameters[parameter.name] = parameter
for alias in parameter.aliases:
self._aliases[alias] = parameter
| add_parameter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parameter):\n if isinstance(parameter, MethodParameter):\n parameter = parameter.bind(alloy=self)\n self._parameters[parameter.name] = parameter\n for alias in parameter.aliases:\n self._aliases[alias] = parameter\n",
"role": "user"
},
{
"content": "add_parameter",
"role": "assistant"
}
] |
def x(self, parameter, overload=False):
if not isinstance(parameter, Parameter):
raise TypeError('`parameter` must be an instance of `Parameter`')
if hasattr(self, parameter.name):
item = getattr(self, parameter.name)
if not isinstance(item, Parameter):
raise ValueError('"{}" is already a class member or method.'.
format(parameter.name))
elif not overload:
raise ValueError(
'Parameter "{}" has already been added and overload is False.'
.format(parameter.name))
if parameter.name in self._parameters and not overload:
raise ValueError(
'Parameter "{}" has already been added and overload is False.'.
format(parameter.name))
for alias in parameter.aliases:
if alias in self._aliases and not overload:
raise ValueError(
'Alias "{}" has already been added and overload is False.'.
format(parameter.name))
self._add_parameter(parameter)
| add_parameter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parameter, overload=False):\n if not isinstance(parameter, Parameter):\n raise TypeError('`parameter` must be an instance of `Parameter`')\n if hasattr(self, parameter.name):\n item = getattr(self, parameter.name)\n if not isinstance(item, Parameter):\n raise ValueError('\"{}\" is already a class member or method.'.\n format(parameter.name))\n elif not overload:\n raise ValueError(\n 'Parameter \"{}\" has already been added and overload is False.'\n .format(parameter.name))\n if parameter.name in self._parameters and not overload:\n raise ValueError(\n 'Parameter \"{}\" has already been added and overload is False.'.\n format(parameter.name))\n for alias in parameter.aliases:\n if alias in self._aliases and not overload:\n raise ValueError(\n 'Alias \"{}\" has already been added and overload is False.'.\n format(parameter.name))\n self._add_parameter(parameter)\n",
"role": "user"
},
{
"content": "add_parameter",
"role": "assistant"
}
] |
def x(self, name, default=None):
if hasattr(self, name):
item = getattr(self, name)
if isinstance(item, Parameter):
return item
return default
| get_parameter | [
{
"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):\n if hasattr(self, name):\n item = getattr(self, name)\n if isinstance(item, Parameter):\n return item\n return default\n",
"role": "user"
},
{
"content": "get_parameter",
"role": "assistant"
}
] |
def x(self):
parameters = self._parameters.values()
for name in dir(self):
item = getattr(self, name)
if isinstance(item, Parameter):
if item.name not in self._parameters:
parameters.append(item)
return parameters
| get_unique_parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n parameters = self._parameters.values()\n for name in dir(self):\n item = getattr(self, name)\n if isinstance(item, Parameter):\n if item.name not in self._parameters:\n parameters.append(item)\n return parameters\n",
"role": "user"
},
{
"content": "get_unique_parameters",
"role": "assistant"
}
] |
def x(self, level: str) ->None:
if level == 'info':
to_set = logging.INFO
if level == 'debug':
to_set = logging.DEBUG
if level == 'error':
to_set = logging.ERROR
self.log.setLevel(to_set)
| set_log_level | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, level: str) ->None:\n if level == 'info':\n to_set = logging.INFO\n if level == 'debug':\n to_set = logging.DEBUG\n if level == 'error':\n to_set = logging.ERROR\n self.log.setLevel(to_set)\n",
"role": "user"
},
{
"content": "set_log_level",
"role": "assistant"
}
] |
def x(self, urls: List[str]) ->List:
if not urls:
raise Exception('No results were found')
session: FuturesSession = FuturesSession(max_workers=len(urls))
self.log.info('Bulk requesting: %d' % len(urls))
futures = [session.get(u, headers=gen_headers(), timeout=3) for u in urls]
done, incomplete = wait(futures)
results: List = list()
for response in done:
try:
results.append(response.result())
except Exception as err:
self.log.warn('Failed result: %s' % err)
return results
| request_bulk | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, urls: List[str]) ->List:\n if not urls:\n raise Exception('No results were found')\n session: FuturesSession = FuturesSession(max_workers=len(urls))\n self.log.info('Bulk requesting: %d' % len(urls))\n futures = [session.get(u, headers=gen_headers(), timeout=3) for u in urls]\n done, incomplete = wait(futures)\n results: List = list()\n for response in done:\n try:\n results.append(response.result())\n except Exception as err:\n self.log.warn('Failed result: %s' % err)\n return results\n",
"role": "user"
},
{
"content": "request_bulk",
"role": "assistant"
}
] |
def x(self, alloy):
param = MethodParameter(self.name, self.method, self.dependencies, self
.units, self.aliases, self._references)
param.alloy = alloy
return param
| bind | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, alloy):\n param = MethodParameter(self.name, self.method, self.dependencies, self\n .units, self.aliases, self._references)\n param.alloy = alloy\n return param\n",
"role": "user"
},
{
"content": "bind",
"role": "assistant"
}
] |
def x(seqs, moltype=DNA, params=None, accurate=False):
seq_collection = SequenceCollection(seqs, MolType=moltype)
int_map, int_keys = seq_collection.getIntMap()
int_map = SequenceCollection(int_map, MolType=moltype)
app = Mafft(InputHandler='_input_as_multiline_string', params=params)
moltype_string = moltype.label.upper()
app.Parameters[MOLTYPE_MAP[moltype_string]].on()
app.Parameters['--quiet'].on()
if accurate:
app.Parameters['--globalpair'].on()
app.Parameters['--maxiterate'].Value = 1000
res = app(int_map.toFasta())
alignment = dict(parse_fasta(res['StdOut']))
new_alignment = {}
for k, v in alignment.items():
new_alignment[int_keys[k]] = v
new_alignment = Alignment(new_alignment, MolType=moltype)
res.cleanUp()
del (seq_collection, int_map, int_keys, app, res, alignment)
return new_alignment
| align_unaligned_seqs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seqs, moltype=DNA, params=None, accurate=False):\n seq_collection = SequenceCollection(seqs, MolType=moltype)\n int_map, int_keys = seq_collection.getIntMap()\n int_map = SequenceCollection(int_map, MolType=moltype)\n app = Mafft(InputHandler='_input_as_multiline_string', params=params)\n moltype_string = moltype.label.upper()\n app.Parameters[MOLTYPE_MAP[moltype_string]].on()\n app.Parameters['--quiet'].on()\n if accurate:\n app.Parameters['--globalpair'].on()\n app.Parameters['--maxiterate'].Value = 1000\n res = app(int_map.toFasta())\n alignment = dict(parse_fasta(res['StdOut']))\n new_alignment = {}\n for k, v in alignment.items():\n new_alignment[int_keys[k]] = v\n new_alignment = Alignment(new_alignment, MolType=moltype)\n res.cleanUp()\n del (seq_collection, int_map, int_keys, app, res, alignment)\n return new_alignment\n",
"role": "user"
},
{
"content": "align_unaligned_seqs",
"role": "assistant"
}
] |
def x(seqs, aln, moltype, params=None, accurate=False):
seq_collection = SequenceCollection(seqs, MolType=moltype)
seq_int_map, seq_int_keys = seq_collection.getIntMap()
seq_int_map = SequenceCollection(seq_int_map, MolType=moltype)
aln = Alignment(aln, MolType=moltype)
aln_int_map, aln_int_keys = aln.getIntMap(prefix='seqn_')
aln_int_map = Alignment(aln_int_map, MolType=moltype)
seq_int_keys.update(aln_int_keys)
app = Mafft(InputHandler='_input_as_multiline_string', params=params,
SuppressStderr=True)
moltype_string = moltype.label.upper()
app.Parameters[MOLTYPE_MAP[moltype_string]].on()
app.Parameters['--quiet'].on()
app.Parameters['--seed'].on(app._tempfile_as_multiline_string(
aln_int_map.toFasta()))
if accurate:
app.Parameters['--globalpair'].on()
app.Parameters['--maxiterate'].Value = 1000
res = app(seq_int_map.toFasta())
alignment = dict(parse_fasta(res['StdOut']))
new_alignment = {}
for k, v in alignment.items():
key = k.replace('_seed_', '')
new_alignment[seq_int_keys[key]] = v
new_alignment = Alignment(new_alignment, MolType=moltype)
res.cleanUp()
remove(app.Parameters['--seed'].Value)
del (seq_collection, seq_int_map, seq_int_keys, aln, aln_int_map,
aln_int_keys, app, res, alignment)
return new_alignment
| add_seqs_to_alignment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seqs, aln, moltype, params=None, accurate=False):\n seq_collection = SequenceCollection(seqs, MolType=moltype)\n seq_int_map, seq_int_keys = seq_collection.getIntMap()\n seq_int_map = SequenceCollection(seq_int_map, MolType=moltype)\n aln = Alignment(aln, MolType=moltype)\n aln_int_map, aln_int_keys = aln.getIntMap(prefix='seqn_')\n aln_int_map = Alignment(aln_int_map, MolType=moltype)\n seq_int_keys.update(aln_int_keys)\n app = Mafft(InputHandler='_input_as_multiline_string', params=params,\n SuppressStderr=True)\n moltype_string = moltype.label.upper()\n app.Parameters[MOLTYPE_MAP[moltype_string]].on()\n app.Parameters['--quiet'].on()\n app.Parameters['--seed'].on(app._tempfile_as_multiline_string(\n aln_int_map.toFasta()))\n if accurate:\n app.Parameters['--globalpair'].on()\n app.Parameters['--maxiterate'].Value = 1000\n res = app(seq_int_map.toFasta())\n alignment = dict(parse_fasta(res['StdOut']))\n new_alignment = {}\n for k, v in alignment.items():\n key = k.replace('_seed_', '')\n new_alignment[seq_int_keys[key]] = v\n new_alignment = Alignment(new_alignment, MolType=moltype)\n res.cleanUp()\n remove(app.Parameters['--seed'].Value)\n del (seq_collection, seq_int_map, seq_int_keys, aln, aln_int_map,\n aln_int_keys, app, res, alignment)\n return new_alignment\n",
"role": "user"
},
{
"content": "add_seqs_to_alignment",
"role": "assistant"
}
] |
def x(aln1, aln2, moltype, params=None):
aln1 = Alignment(aln1, MolType=moltype)
aln1_int_map, aln1_int_keys = aln1.getIntMap()
aln1_int_map = Alignment(aln1_int_map, MolType=moltype)
aln2 = Alignment(aln2, MolType=moltype)
aln2_int_map, aln2_int_keys = aln2.getIntMap(prefix='seqn_')
aln2_int_map = Alignment(aln2_int_map, MolType=moltype)
aln1_int_keys.update(aln2_int_keys)
app = Mafft(InputHandler='_input_as_paths', params=params,
SuppressStderr=False)
app._command = 'mafft-profile'
aln1_path = app._tempfile_as_multiline_string(aln1_int_map.toFasta())
aln2_path = app._tempfile_as_multiline_string(aln2_int_map.toFasta())
filepaths = [aln1_path, aln2_path]
res = app(filepaths)
alignment = dict(parse_fasta(res['StdOut']))
new_alignment = {}
for k, v in alignment.items():
key = k.replace('_seed_', '')
new_alignment[aln1_int_keys[key]] = v
new_alignment = Alignment(new_alignment, MolType=moltype)
res.cleanUp()
remove(aln1_path)
remove(aln2_path)
remove('pre')
remove('trace')
del (aln1, aln1_int_map, aln1_int_keys, aln2, aln2_int_map,
aln2_int_keys, app, res, alignment)
return new_alignment
| align_two_alignments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aln1, aln2, moltype, params=None):\n aln1 = Alignment(aln1, MolType=moltype)\n aln1_int_map, aln1_int_keys = aln1.getIntMap()\n aln1_int_map = Alignment(aln1_int_map, MolType=moltype)\n aln2 = Alignment(aln2, MolType=moltype)\n aln2_int_map, aln2_int_keys = aln2.getIntMap(prefix='seqn_')\n aln2_int_map = Alignment(aln2_int_map, MolType=moltype)\n aln1_int_keys.update(aln2_int_keys)\n app = Mafft(InputHandler='_input_as_paths', params=params,\n SuppressStderr=False)\n app._command = 'mafft-profile'\n aln1_path = app._tempfile_as_multiline_string(aln1_int_map.toFasta())\n aln2_path = app._tempfile_as_multiline_string(aln2_int_map.toFasta())\n filepaths = [aln1_path, aln2_path]\n res = app(filepaths)\n alignment = dict(parse_fasta(res['StdOut']))\n new_alignment = {}\n for k, v in alignment.items():\n key = k.replace('_seed_', '')\n new_alignment[aln1_int_keys[key]] = v\n new_alignment = Alignment(new_alignment, MolType=moltype)\n res.cleanUp()\n remove(aln1_path)\n remove(aln2_path)\n remove('pre')\n remove('trace')\n del (aln1, aln1_int_map, aln1_int_keys, aln2, aln2_int_map,\n aln2_int_keys, app, res, alignment)\n return new_alignment\n",
"role": "user"
},
{
"content": "align_two_alignments",
"role": "assistant"
}
] |
def x(self, url, method='GET', getParmeters=None, postParameters=None,
files=None, extraHeaders={}, session={}):
headers = {}
if not postParameters:
postParameters = {}
for key, value in extraHeaders.iteritems():
if isinstance(value, basestring):
headers['X-Plugit-' + key] = value.encode('utf-8')
else:
headers['X-Plugit-' + key] = value
for key, value in session.iteritems():
headers['X-Plugitsession-' + key] = value
if 'Cookie' not in headers:
headers['Cookie'] = ''
headers['Cookie'] += key + '=' + str(value) + '; '
if method == 'POST':
if not files:
r = requests.post(self.baseURI + '/' + url, params=getParmeters,
data=postParameters, stream=True, headers=headers)
else:
from poster.encode import multipart_encode, MultipartParam
from poster.streaminghttp import register_openers
import urllib2
import urllib
register_openers()
data = []
for x in postParameters:
if isinstance(postParameters[x], list):
for elem in postParameters[x]:
data.append((x, elem))
else:
data.append((x, postParameters[x]))
for f in files:
data.append((f, MultipartParam(f, fileobj=open(files[f].
temporary_file_path(), 'rb'), filename=files[f].name)))
datagen, headers_multi = multipart_encode(data)
headers.update(headers_multi)
if getParmeters:
get_uri = '?' + urllib.urlencode(getParmeters)
else:
get_uri = ''
request = urllib2.Request(self.baseURI + '/' + url + get_uri,
datagen, headers)
re = urllib2.urlopen(request)
from requests import Response
r = Response()
r.status_code = re.getcode()
r.headers = dict(re.info())
r.encoding = 'application/json'
r.raw = re.read()
r._content = r.raw
return r
else:
r = requests.request(method.upper(), self.baseURI + '/' + url,
params=getParmeters, stream=True, headers=headers,
allow_redirects=True)
return r
| doQuery | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, method='GET', getParmeters=None, postParameters=None,\n files=None, extraHeaders={}, session={}):\n headers = {}\n if not postParameters:\n postParameters = {}\n for key, value in extraHeaders.iteritems():\n if isinstance(value, basestring):\n headers['X-Plugit-' + key] = value.encode('utf-8')\n else:\n headers['X-Plugit-' + key] = value\n for key, value in session.iteritems():\n headers['X-Plugitsession-' + key] = value\n if 'Cookie' not in headers:\n headers['Cookie'] = ''\n headers['Cookie'] += key + '=' + str(value) + '; '\n if method == 'POST':\n if not files:\n r = requests.post(self.baseURI + '/' + url, params=getParmeters,\n data=postParameters, stream=True, headers=headers)\n else:\n from poster.encode import multipart_encode, MultipartParam\n from poster.streaminghttp import register_openers\n import urllib2\n import urllib\n register_openers()\n data = []\n for x in postParameters:\n if isinstance(postParameters[x], list):\n for elem in postParameters[x]:\n data.append((x, elem))\n else:\n data.append((x, postParameters[x]))\n for f in files:\n data.append((f, MultipartParam(f, fileobj=open(files[f].\n temporary_file_path(), 'rb'), filename=files[f].name)))\n datagen, headers_multi = multipart_encode(data)\n headers.update(headers_multi)\n if getParmeters:\n get_uri = '?' + urllib.urlencode(getParmeters)\n else:\n get_uri = ''\n request = urllib2.Request(self.baseURI + '/' + url + get_uri,\n datagen, headers)\n re = urllib2.urlopen(request)\n from requests import Response\n r = Response()\n r.status_code = re.getcode()\n r.headers = dict(re.info())\n r.encoding = 'application/json'\n r.raw = re.read()\n r._content = r.raw\n return r\n else:\n r = requests.request(method.upper(), self.baseURI + '/' + url,\n params=getParmeters, stream=True, headers=headers,\n allow_redirects=True)\n return r\n",
"role": "user"
},
{
"content": "doQuery",
"role": "assistant"
}
] |
def x(self):
randomToken = ''.join(random.choice(string.ascii_uppercase + string.
ascii_lowercase + string.digits) for x in range(32))
r = self.doQuery('ping?data=' + randomToken)
if r.status_code == 200:
if r.json()['data'] == randomToken:
return True
return False
| ping | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n randomToken = ''.join(random.choice(string.ascii_uppercase + string.\n ascii_lowercase + string.digits) for x in range(32))\n r = self.doQuery('ping?data=' + randomToken)\n if r.status_code == 200:\n if r.json()['data'] == randomToken:\n return True\n return False\n",
"role": "user"
},
{
"content": "ping",
"role": "assistant"
}
] |
def x(self):
r = self.doQuery('version')
if r.status_code == 200:
data = r.json()
if data['result'] == 'Ok' and data['version'
] == self.PI_API_VERSION and data['protocol'] == self.PI_API_NAME:
return True
return False
| checkVersion | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n r = self.doQuery('version')\n if r.status_code == 200:\n data = r.json()\n if data['result'] == 'Ok' and data['version'\n ] == self.PI_API_VERSION and data['protocol'] == self.PI_API_NAME:\n return True\n return False\n",
"role": "user"
},
{
"content": "checkVersion",
"role": "assistant"
}
] |
def x(self, data, message):
r = self.doQuery('mail', method='POST', postParameters={'response_id':
str(data), 'message': str(message)})
if r.status_code == 200:
data = r.json()
return data['result'] == 'Ok'
return False
| newMail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, message):\n r = self.doQuery('mail', method='POST', postParameters={'response_id':\n str(data), 'message': str(message)})\n if r.status_code == 200:\n data = r.json()\n return data['result'] == 'Ok'\n return False\n",
"role": "user"
},
{
"content": "newMail",
"role": "assistant"
}
] |
def x(self, uri):
r = self.doQuery('media/' + uri)
if r.status_code == 200:
content_type = 'application/octet-stream'
if 'content-type' in r.headers:
content_type = r.headers['content-type']
cache_control = None
if 'cache-control' in r.headers:
cache_control = r.headers['cache-control']
return r.content, content_type, cache_control
else:
return None, None, None
| getMedia | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uri):\n r = self.doQuery('media/' + uri)\n if r.status_code == 200:\n content_type = 'application/octet-stream'\n if 'content-type' in r.headers:\n content_type = r.headers['content-type']\n cache_control = None\n if 'cache-control' in r.headers:\n cache_control = r.headers['cache-control']\n return r.content, content_type, cache_control\n else:\n return None, None, None\n",
"role": "user"
},
{
"content": "getMedia",
"role": "assistant"
}
] |
def x(self, uri):
action = urlparse(uri).path
mediaKey = self.cacheKey + '_meta_' + action
mediaKey = mediaKey.replace(' ', '__')
meta = cache.get(mediaKey, None)
if not meta:
r = self.doQuery('meta/' + uri)
if r.status_code == 200:
meta = r.json()
if 'expire' not in r.headers:
expire = 5 * 60
else:
expire = int((parser.parse(r.headers['expire']) - datetime.
datetime.now(tzutc())).total_seconds())
if expire > 0:
cache.set(mediaKey, meta, expire)
return meta
| getMeta | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uri):\n action = urlparse(uri).path\n mediaKey = self.cacheKey + '_meta_' + action\n mediaKey = mediaKey.replace(' ', '__')\n meta = cache.get(mediaKey, None)\n if not meta:\n r = self.doQuery('meta/' + uri)\n if r.status_code == 200:\n meta = r.json()\n if 'expire' not in r.headers:\n expire = 5 * 60\n else:\n expire = int((parser.parse(r.headers['expire']) - datetime.\n datetime.now(tzutc())).total_seconds())\n if expire > 0:\n cache.set(mediaKey, meta, expire)\n return meta\n",
"role": "user"
},
{
"content": "getMeta",
"role": "assistant"
}
] |
def x(self, uri, meta=None):
if not meta:
metaKey = self.cacheKey + '_templatesmeta_cache_' + uri
meta = cache.get(metaKey, None)
if not meta:
meta = self.getMeta(uri)
cache.set(metaKey, meta, 15)
if not meta:
return None
action = urlparse(uri).path
templateKey = self.cacheKey + '_templates_' + action + '_' + meta[
'template_tag']
template = cache.get(templateKey, None)
if not template:
r = self.doQuery('template/' + uri)
if r.status_code == 200:
template = r.content
cache.set(templateKey, template, None)
return template
| getTemplate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uri, meta=None):\n if not meta:\n metaKey = self.cacheKey + '_templatesmeta_cache_' + uri\n meta = cache.get(metaKey, None)\n if not meta:\n meta = self.getMeta(uri)\n cache.set(metaKey, meta, 15)\n if not meta:\n return None\n action = urlparse(uri).path\n templateKey = self.cacheKey + '_templates_' + action + '_' + meta[\n 'template_tag']\n template = cache.get(templateKey, None)\n if not template:\n r = self.doQuery('template/' + uri)\n if r.status_code == 200:\n template = r.content\n cache.set(templateKey, template, None)\n return template\n",
"role": "user"
},
{
"content": "getTemplate",
"role": "assistant"
}
] |
def x(offsetvectors, n):
delta_sets = {}
for vect in offsetvectors:
for instruments in iterutils.choices(sorted(vect), n):
delta_sets.setdefault(instruments, set()).add(tuple(vect[
instrument] - vect[instruments[0]] for instrument in
instruments))
return [offsetvector(zip(instruments, deltas)) for instruments,
delta_set in delta_sets.items() for deltas in delta_set]
| component_offsetvectors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(offsetvectors, n):\n delta_sets = {}\n for vect in offsetvectors:\n for instruments in iterutils.choices(sorted(vect), n):\n delta_sets.setdefault(instruments, set()).add(tuple(vect[\n instrument] - vect[instruments[0]] for instrument in\n instruments))\n return [offsetvector(zip(instruments, deltas)) for instruments,\n delta_set in delta_sets.items() for deltas in delta_set]\n",
"role": "user"
},
{
"content": "component_offsetvectors",
"role": "assistant"
}
] |
def x(self):
refkey = self.refkey
refoffset = self[refkey]
return dict(((refkey, key), self[key] - refoffset) for key in self)
| deltas | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n refkey = self.refkey\n refoffset = self[refkey]\n return dict(((refkey, key), self[key] - refoffset) for key in self)\n",
"role": "user"
},
{
"content": "deltas",
"role": "assistant"
}
] |
def x(self, other):
return offsetvector((key, offset) for key, offset in self.items() if
key in other).deltas == other.deltas
| contains | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n return offsetvector((key, offset) for key, offset in self.items() if \n key in other).deltas == other.deltas\n",
"role": "user"
},
{
"content": "contains",
"role": "assistant"
}
] |
def x(self, **kwargs):
for key, offset in sorted(kwargs.items()):
if key in self:
delta = offset - self[key]
for key in self.keys():
self[key] += delta
break
return self
| normalize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n for key, offset in sorted(kwargs.items()):\n if key in self:\n delta = offset - self[key]\n for key in self.keys():\n self[key] += delta\n break\n return self\n",
"role": "user"
},
{
"content": "normalize",
"role": "assistant"
}
] |
def x(cls, deltas):
return cls((key, value) for (refkey, key), value in deltas.items())
| fromdeltas | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, deltas):\n return cls((key, value) for (refkey, key), value in deltas.items())\n",
"role": "user"
},
{
"content": "fromdeltas",
"role": "assistant"
}
] |
def x(searchStr):
searchStr.replace('| ', ' ')
searchStr.replace('|', ' ')
searchStr.replace(', ', ' ')
searchStr.replace(',', ' ')
searchStr.rstrip()
searchStr = searchStr.strip("./?'!,")
searchStr = searchStr.replace(' ', '+')
if searchStr is None or searchStr == '':
print('No search parameters specified!')
return no_search_params
api_url = 'http://api.giphy.com/v1/gifs/search'
api_key = 'dc6zaTOxFJmzC'
payload = {'q': searchStr, 'limit': 1, 'api_key': api_key}
r = requests.get(api_url, params=payload)
parsed_json = json.loads(r.text)
if len(parsed_json['data']) == 0:
print("Couldn't find suitable match for gif! :(")
return -1
else:
imgURL = parsed_json['data'][0]['images']['fixed_height']['url']
return imgURL
| processGif | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(searchStr):\n searchStr.replace('| ', ' ')\n searchStr.replace('|', ' ')\n searchStr.replace(', ', ' ')\n searchStr.replace(',', ' ')\n searchStr.rstrip()\n searchStr = searchStr.strip(\"./?'!,\")\n searchStr = searchStr.replace(' ', '+')\n if searchStr is None or searchStr == '':\n print('No search parameters specified!')\n return no_search_params\n api_url = 'http://api.giphy.com/v1/gifs/search'\n api_key = 'dc6zaTOxFJmzC'\n payload = {'q': searchStr, 'limit': 1, 'api_key': api_key}\n r = requests.get(api_url, params=payload)\n parsed_json = json.loads(r.text)\n if len(parsed_json['data']) == 0:\n print(\"Couldn't find suitable match for gif! :(\")\n return -1\n else:\n imgURL = parsed_json['data'][0]['images']['fixed_height']['url']\n return imgURL\n",
"role": "user"
},
{
"content": "processGif",
"role": "assistant"
}
] |
def x(self, data):
self.reset_purified()
HTMLParser.feed(self, data)
return self.html()
| feed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n self.reset_purified()\n HTMLParser.feed(self, data)\n return self.html()\n",
"role": "user"
},
{
"content": "feed",
"role": "assistant"
}
] |
def x(self, tag, attrs):
self.log.debug(u'Encountered a start tag: {0} {1}'.format(tag, attrs))
if tag in self.sanitizelist:
self.level += 1
return
if self.isNotPurify or tag in self.whitelist_keys:
attrs = self.__attrs_str(tag, attrs)
attrs = ' ' + attrs if attrs else ''
tmpl = (u'<%s%s />' if tag in self.unclosedTags and self.
isStrictHtml else u'<%s%s>')
self.data.append(tmpl % (tag, attrs))
| handle_starttag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag, attrs):\n self.log.debug(u'Encountered a start tag: {0} {1}'.format(tag, attrs))\n if tag in self.sanitizelist:\n self.level += 1\n return\n if self.isNotPurify or tag in self.whitelist_keys:\n attrs = self.__attrs_str(tag, attrs)\n attrs = ' ' + attrs if attrs else ''\n tmpl = (u'<%s%s />' if tag in self.unclosedTags and self.\n isStrictHtml else u'<%s%s>')\n self.data.append(tmpl % (tag, attrs))\n",
"role": "user"
},
{
"content": "handle_starttag",
"role": "assistant"
}
] |
def x(self, tag):
self.log.debug(u'Encountered an end tag : {0}'.format(tag))
if tag in self.sanitizelist:
self.level -= 1
return
if tag in self.unclosedTags:
return
if self.isNotPurify or tag in self.whitelist_keys:
self.data.append(u'</%s>' % tag)
| handle_endtag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag):\n self.log.debug(u'Encountered an end tag : {0}'.format(tag))\n if tag in self.sanitizelist:\n self.level -= 1\n return\n if tag in self.unclosedTags:\n return\n if self.isNotPurify or tag in self.whitelist_keys:\n self.data.append(u'</%s>' % tag)\n",
"role": "user"
},
{
"content": "handle_endtag",
"role": "assistant"
}
] |
def x(self, data):
self.log.debug(u'Encountered some data : {0}'.format(data))
if not self.level:
self.data.append(data)
| handle_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n self.log.debug(u'Encountered some data : {0}'.format(data))\n if not self.level:\n self.data.append(data)\n",
"role": "user"
},
{
"content": "handle_data",
"role": "assistant"
}
] |
def x(self, name):
self.log.debug(u'Encountered entity : {0}'.format(name))
if not self.removeEntity:
self.data.append('&%s;' % name)
| handle_entityref | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n self.log.debug(u'Encountered entity : {0}'.format(name))\n if not self.removeEntity:\n self.data.append('&%s;' % name)\n",
"role": "user"
},
{
"content": "handle_entityref",
"role": "assistant"
}
] |
def x(self, whitelist=None):
self.whitelist = {}
self.sanitizelist = ['script', 'style']
if isinstance(whitelist, dict) and '*' in whitelist.keys():
self.isNotPurify = True
self.whitelist_keys = []
return
else:
self.isNotPurify = False
self.whitelist.update(whitelist or {})
self.whitelist_keys = self.whitelist.keys()
| set_whitelist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, whitelist=None):\n self.whitelist = {}\n self.sanitizelist = ['script', 'style']\n if isinstance(whitelist, dict) and '*' in whitelist.keys():\n self.isNotPurify = True\n self.whitelist_keys = []\n return\n else:\n self.isNotPurify = False\n self.whitelist.update(whitelist or {})\n self.whitelist_keys = self.whitelist.keys()\n",
"role": "user"
},
{
"content": "set_whitelist",
"role": "assistant"
}
] |
def x(self, tag, attrs):
enabled = self.whitelist.get(tag, ['*'])
all_attrs = '*' in enabled
items = []
for attr in attrs:
key = attr[0]
value = attr[1] or ''
if all_attrs or key in enabled:
items.append(u'%s="%s"' % (key, value))
return u' '.join(items)
| attrs_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag, attrs):\n enabled = self.whitelist.get(tag, ['*'])\n all_attrs = '*' in enabled\n items = []\n for attr in attrs:\n key = attr[0]\n value = attr[1] or ''\n if all_attrs or key in enabled:\n items.append(u'%s=\"%s\"' % (key, value))\n return u' '.join(items)\n",
"role": "user"
},
{
"content": "attrs_str",
"role": "assistant"
}
] |
def x(val):
if isinstance(val, integer_types):
hex_str = '%x' % val
if len(hex_str) % 2:
hex_str = '0' + hex_str
return hex_str
return hexlify(val)
| hex_from | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val):\n if isinstance(val, integer_types):\n hex_str = '%x' % val\n if len(hex_str) % 2:\n hex_str = '0' + hex_str\n return hex_str\n return hexlify(val)\n",
"role": "user"
},
{
"content": "hex_from",
"role": "assistant"
}
] |
def x(val):
if isinstance(val, integer_types):
val = int_to_bytes(val)
return b64encode(val).decode('ascii')
| b64_from | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val):\n if isinstance(val, integer_types):\n val = int_to_bytes(val)\n return b64encode(val).decode('ascii')\n",
"role": "user"
},
{
"content": "b64_from",
"role": "assistant"
}
] |
def x(output_format):
if output_format == 'wiki':
ttx = '== '
xtt = ' =='
tx = ''
xt = ''
capx = "'''"
xcap = "'''"
rx = '|'
xr = '|'
rspx = '|<|'
xrsp = '>'
cx = '|'
xc = '|'
hlx = '['
hxl = ' '
xhl = ']'
elif output_format == 'html':
ttx = '<b>'
xtt = '</b><hr>'
tx = '<table border = "1">'
xt = '</table><br><br>'
capx = '<caption>'
xcap = '</caption>'
rx = '<tr>'
xr = '</tr>'
rspx = '<td rowspan='
xrsp = '>'
cx = '<td>'
xc = '</td>'
hlx = '<a href="'
hxl = '">'
xhl = '</a>'
else:
raise ValueError('unrecognized output_format %s' % output_format)
return (ttx, xtt, tx, xt, capx, xcap, rx, xr, cx, xc, rspx, xrsp, hlx,
hxl, xhl)
| set_output_format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output_format):\n if output_format == 'wiki':\n ttx = '== '\n xtt = ' =='\n tx = ''\n xt = ''\n capx = \"'''\"\n xcap = \"'''\"\n rx = '|'\n xr = '|'\n rspx = '|<|'\n xrsp = '>'\n cx = '|'\n xc = '|'\n hlx = '['\n hxl = ' '\n xhl = ']'\n elif output_format == 'html':\n ttx = '<b>'\n xtt = '</b><hr>'\n tx = '<table border = \"1\">'\n xt = '</table><br><br>'\n capx = '<caption>'\n xcap = '</caption>'\n rx = '<tr>'\n xr = '</tr>'\n rspx = '<td rowspan='\n xrsp = '>'\n cx = '<td>'\n xc = '</td>'\n hlx = '<a href=\"'\n hxl = '\">'\n xhl = '</a>'\n else:\n raise ValueError('unrecognized output_format %s' % output_format)\n return (ttx, xtt, tx, xt, capx, xcap, rx, xr, cx, xc, rspx, xrsp, hlx,\n hxl, xhl)\n",
"role": "user"
},
{
"content": "set_output_format",
"role": "assistant"
}
] |
def x(val, decimal_places=2):
if isinstance(val, float) and val != 0.0:
if val >= 10.0 ** -(decimal_places - 1):
conv_str = ''.join(['%.', str(decimal_places), 'f'])
else:
conv_str = ''.join(['%.', str(decimal_places), 'e'])
val = float(conv_str % val)
return val
| smart_round | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val, decimal_places=2):\n if isinstance(val, float) and val != 0.0:\n if val >= 10.0 ** -(decimal_places - 1):\n conv_str = ''.join(['%.', str(decimal_places), 'f'])\n else:\n conv_str = ''.join(['%.', str(decimal_places), 'e'])\n val = float(conv_str % val)\n return val\n",
"role": "user"
},
{
"content": "smart_round",
"role": "assistant"
}
] |
def x(val, hlx, hxl, xhl):
if '<a href="' in str(val) and hlx != '<a href="':
val = val.replace('<a href="', hlx).replace('">', hxl, 1).replace(
'</a>', xhl)
return val
| format_hyperlink | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val, hlx, hxl, xhl):\n if '<a href=\"' in str(val) and hlx != '<a href=\"':\n val = val.replace('<a href=\"', hlx).replace('\">', hxl, 1).replace(\n '</a>', xhl)\n return val\n",
"role": "user"
},
{
"content": "format_hyperlink",
"role": "assistant"
}
] |
def x(val, round_floats=False, decimal_places=2, format_links=False, hlx='',
hxl='', xhl=''):
if round_floats:
val = smart_round(val, decimal_places=decimal_places)
if format_links:
val = format_hyperlink(val, hlx, hxl, xhl)
return val
| format_cell | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val, round_floats=False, decimal_places=2, format_links=False, hlx='',\n hxl='', xhl=''):\n if round_floats:\n val = smart_round(val, decimal_places=decimal_places)\n if format_links:\n val = format_hyperlink(val, hlx, hxl, xhl)\n return val\n",
"role": "user"
},
{
"content": "format_cell",
"role": "assistant"
}
] |
def x(val):
return re.sub('_', ' ', re.sub('(_Px_)', '(', re.sub('(_xP_)', ')', str
(val))))
| format_header_cell | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val):\n return re.sub('_', ' ', re.sub('(_Px_)', '(', re.sub('(_xP_)', ')', str\n (val))))\n",
"role": "user"
},
{
"content": "format_header_cell",
"role": "assistant"
}
] |
def x(row, column_name, cat_time_ns=True):
column_name_ns = re.sub('_time', '_time_ns', column_name)
try:
rowattrs = [attr for attr in row.__slots__]
except AttributeError:
rowattrs = [attr for attr in row.__dict__.iterkeys()]
if cat_time_ns and '_time' in column_name and column_name_ns in rowattrs:
return int(getattr(row, column_name)) + 10 ** -9.0 * int(getattr(
row, column_name_ns))
else:
return getattr(row, column_name)
| get_row_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(row, column_name, cat_time_ns=True):\n column_name_ns = re.sub('_time', '_time_ns', column_name)\n try:\n rowattrs = [attr for attr in row.__slots__]\n except AttributeError:\n rowattrs = [attr for attr in row.__dict__.iterkeys()]\n if cat_time_ns and '_time' in column_name and column_name_ns in rowattrs:\n return int(getattr(row, column_name)) + 10 ** -9.0 * int(getattr(\n row, column_name_ns))\n else:\n return getattr(row, column_name)\n",
"role": "user"
},
{
"content": "get_row_data",
"role": "assistant"
}
] |
def x(xmldoc, output, output_format, tableList=[], columnList=[],
round_floats=True, decimal_places=2, format_links=True, title=None,
print_table_names=True, unique_rows=False, row_span_columns=[],
rspan_break_columns=[]):
if tableList == []:
tableList = [tb.getAttribute('Name') for tb in xmldoc.childNodes[0]
.getElementsByTagName(u'Table')]
if output is None:
output = sys.stdout
(ttx, xtt, tx, xt, capx, xcap, rx, xr, cx, xc, rspx, xrsp, hlx, hxl, xhl
) = set_output_format(output_format)
if title is not None:
print >> output, '%s%s%s' % (ttx, str(title), xtt)
for table_name in tableList:
this_table = table.get_table(xmldoc, table_name)
if columnList == []:
col_names = [col.getAttribute('Name').split(':')[-1] for col in
this_table.getElementsByTagName(u'Column')]
else:
requested_columns = [col.split(':')[-1] for col in columnList if
not (':' in col and col.split(':')[0] != table_name)]
requested_columns = sorted(set(requested_columns), key=
requested_columns.index)
actual_columns = [actual_column.getAttribute('Name').split(':')
[-1] for actual_column in this_table.getElementsByTagName(
u'Column')]
col_names = [col for col in requested_columns if col in
actual_columns]
rspan_indices = [n for n, col in enumerate(col_names) if col in
row_span_columns or ':'.join([table_name, col]) in row_span_columns
]
break_indices = [n for n, col in enumerate(col_names) if col in
rspan_break_columns or ':'.join([table_name, col]) in
rspan_break_columns]
print >> output, tx
if print_table_names:
print >> output, '%s%s%s' % (capx, table_name, xcap)
print >> output, '%s%s%s%s%s' % (rx, cx, (xc + cx).join(
format_header_cell(val) for val in col_names), xc, xr)
out_table = []
last_row = ''
for row in this_table:
out_row = [str(format_cell(get_row_data(row, col_name),
round_floats=round_floats, decimal_places=decimal_places,
format_links=format_links, hlx=hlx, hxl=hxl, xhl=xhl)) for
col_name in col_names]
if unique_rows and out_row == last_row:
continue
out_table.append(out_row)
last_row = out_row
rspan_count = {}
for mm, row in enumerate(out_table[::-1]):
this_row_idx = len(out_table) - (mm + 1)
next_row_idx = this_row_idx - 1
rspan_ok = rspan_indices != [] and this_row_idx != 0
if rspan_ok:
for jj in break_indices:
rspan_ok = out_table[this_row_idx][jj] == out_table[
next_row_idx][jj]
if not rspan_ok:
break
for nn, val in enumerate(row):
if rspan_ok and nn in rspan_indices:
if val == out_table[next_row_idx][nn]:
out_table[this_row_idx][nn] = ''
if (this_row_idx, nn) in rspan_count:
rspan_count[next_row_idx, nn] = rspan_count[
this_row_idx, nn] + 1
del rspan_count[this_row_idx, nn]
else:
rspan_count[next_row_idx, nn] = 2
elif (this_row_idx, nn) in rspan_count:
out_table[this_row_idx][nn] = ''.join([rspx, str(
rspan_count[this_row_idx, nn]), xrsp, str(val), xc]
)
else:
out_table[this_row_idx][nn] = ''.join([cx, str(val),
xc])
continue
if (this_row_idx, nn) in rspan_count:
out_table[this_row_idx][nn] = ''.join([rspx, str(
rspan_count[this_row_idx, nn]), xrsp, str(val), xc])
else:
out_table[this_row_idx][nn] = ''.join([cx, str(val), xc])
for row in out_table:
print >> output, '%s%s%s' % (rx, ''.join(row), xr)
print >> output, xt
| print_tables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xmldoc, output, output_format, tableList=[], columnList=[],\n round_floats=True, decimal_places=2, format_links=True, title=None,\n print_table_names=True, unique_rows=False, row_span_columns=[],\n rspan_break_columns=[]):\n if tableList == []:\n tableList = [tb.getAttribute('Name') for tb in xmldoc.childNodes[0]\n .getElementsByTagName(u'Table')]\n if output is None:\n output = sys.stdout\n (ttx, xtt, tx, xt, capx, xcap, rx, xr, cx, xc, rspx, xrsp, hlx, hxl, xhl\n ) = set_output_format(output_format)\n if title is not None:\n print >> output, '%s%s%s' % (ttx, str(title), xtt)\n for table_name in tableList:\n this_table = table.get_table(xmldoc, table_name)\n if columnList == []:\n col_names = [col.getAttribute('Name').split(':')[-1] for col in\n this_table.getElementsByTagName(u'Column')]\n else:\n requested_columns = [col.split(':')[-1] for col in columnList if\n not (':' in col and col.split(':')[0] != table_name)]\n requested_columns = sorted(set(requested_columns), key=\n requested_columns.index)\n actual_columns = [actual_column.getAttribute('Name').split(':')\n [-1] for actual_column in this_table.getElementsByTagName(\n u'Column')]\n col_names = [col for col in requested_columns if col in\n actual_columns]\n rspan_indices = [n for n, col in enumerate(col_names) if col in\n row_span_columns or ':'.join([table_name, col]) in row_span_columns\n ]\n break_indices = [n for n, col in enumerate(col_names) if col in\n rspan_break_columns or ':'.join([table_name, col]) in\n rspan_break_columns]\n print >> output, tx\n if print_table_names:\n print >> output, '%s%s%s' % (capx, table_name, xcap)\n print >> output, '%s%s%s%s%s' % (rx, cx, (xc + cx).join(\n format_header_cell(val) for val in col_names), xc, xr)\n out_table = []\n last_row = ''\n for row in this_table:\n out_row = [str(format_cell(get_row_data(row, col_name),\n round_floats=round_floats, decimal_places=decimal_places,\n format_links=format_links, hlx=hlx, hxl=hxl, xhl=xhl)) for\n col_name in col_names]\n if unique_rows and out_row == last_row:\n continue\n out_table.append(out_row)\n last_row = out_row\n rspan_count = {}\n for mm, row in enumerate(out_table[::-1]):\n this_row_idx = len(out_table) - (mm + 1)\n next_row_idx = this_row_idx - 1\n rspan_ok = rspan_indices != [] and this_row_idx != 0\n if rspan_ok:\n for jj in break_indices:\n rspan_ok = out_table[this_row_idx][jj] == out_table[\n next_row_idx][jj]\n if not rspan_ok:\n break\n for nn, val in enumerate(row):\n if rspan_ok and nn in rspan_indices:\n if val == out_table[next_row_idx][nn]:\n out_table[this_row_idx][nn] = ''\n if (this_row_idx, nn) in rspan_count:\n rspan_count[next_row_idx, nn] = rspan_count[\n this_row_idx, nn] + 1\n del rspan_count[this_row_idx, nn]\n else:\n rspan_count[next_row_idx, nn] = 2\n elif (this_row_idx, nn) in rspan_count:\n out_table[this_row_idx][nn] = ''.join([rspx, str(\n rspan_count[this_row_idx, nn]), xrsp, str(val), xc]\n )\n else:\n out_table[this_row_idx][nn] = ''.join([cx, str(val),\n xc])\n continue\n if (this_row_idx, nn) in rspan_count:\n out_table[this_row_idx][nn] = ''.join([rspx, str(\n rspan_count[this_row_idx, nn]), xrsp, str(val), xc])\n else:\n out_table[this_row_idx][nn] = ''.join([cx, str(val), xc])\n for row in out_table:\n print >> output, '%s%s%s' % (rx, ''.join(row), xr)\n print >> output, xt\n",
"role": "user"
},
{
"content": "print_tables",
"role": "assistant"
}
] |
def x():
(date) = (branch) = (tag) = (author) = (committer) = (status) = (
builder_name) = (build_date) = ''
id = '1.1.0'
try:
v = gvcsi.generate_git_version_info()
id, date, branch, tag, author = v.id, v.date, b.branch, v.tag, v.author
committer, status = v.committer, v.status
build_date = time.strftime('%Y-%m-%d %H:%M:%S +0000', time.gmtime())
retcode, builder_name = gvcsi.call_out(('git', 'config', 'user.name'))
if retcode:
builder_name = 'Unknown User'
retcode, builder_email = gvcsi.call_out(('git', 'config', 'user.email')
)
if retcode:
builder_email = ''
builder = '%s <%s>' % (builder_name, builder_email)
except:
pass
sed_cmd = ('sed', '-e', 's/@ID@/%s/' % id, '-e', 's/@DATE@/%s/' % date,
'-e', 's/@BRANCH@/%s/' % branch, '-e', 's/@TAG@/%s/' % tag, '-e',
's/@AUTHOR@/%s/' % author, '-e', 's/@COMMITTER@/%s/' % committer,
'-e', 's/@STATUS@/%s/' % status, '-e', 's/@BUILDER@/%s/' %
builder_name, '-e', 's/@BUILD_DATE@/%s/' % build_date,
'misc/git_version.py.in')
sed_retcode = subprocess.call(sed_cmd, stdout=open(
'pycbc_glue/git_version.py', 'w'))
if sed_retcode:
raise gvcsi.GitInvocationError
return id
| write_build_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n (date) = (branch) = (tag) = (author) = (committer) = (status) = (\n builder_name) = (build_date) = ''\n id = '1.1.0'\n try:\n v = gvcsi.generate_git_version_info()\n id, date, branch, tag, author = v.id, v.date, b.branch, v.tag, v.author\n committer, status = v.committer, v.status\n build_date = time.strftime('%Y-%m-%d %H:%M:%S +0000', time.gmtime())\n retcode, builder_name = gvcsi.call_out(('git', 'config', 'user.name'))\n if retcode:\n builder_name = 'Unknown User'\n retcode, builder_email = gvcsi.call_out(('git', 'config', 'user.email')\n )\n if retcode:\n builder_email = ''\n builder = '%s <%s>' % (builder_name, builder_email)\n except:\n pass\n sed_cmd = ('sed', '-e', 's/@ID@/%s/' % id, '-e', 's/@DATE@/%s/' % date,\n '-e', 's/@BRANCH@/%s/' % branch, '-e', 's/@TAG@/%s/' % tag, '-e', \n 's/@AUTHOR@/%s/' % author, '-e', 's/@COMMITTER@/%s/' % committer,\n '-e', 's/@STATUS@/%s/' % status, '-e', 's/@BUILDER@/%s/' %\n builder_name, '-e', 's/@BUILD_DATE@/%s/' % build_date,\n 'misc/git_version.py.in')\n sed_retcode = subprocess.call(sed_cmd, stdout=open(\n 'pycbc_glue/git_version.py', 'w'))\n if sed_retcode:\n raise gvcsi.GitInvocationError\n return id\n",
"role": "user"
},
{
"content": "write_build_info",
"role": "assistant"
}
] |
def x(self, val):
padding = len(int_to_bytes(self._prime))
padded = int_to_bytes(val).rjust(padding, b'\x00')
return padded
| pad | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, val):\n padding = len(int_to_bytes(self._prime))\n padded = int_to_bytes(val).rjust(padding, b'\\x00')\n return padded\n",
"role": "user"
},
{
"content": "pad",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
joiner = kwargs.get('joiner', '').encode('utf-8')
as_bytes = kwargs.get('as_bytes', False)
def x(arg):
if isinstance(arg, integer_types):
arg = int_to_bytes(arg)
if PY3:
if isinstance(arg, str):
arg = arg.encode('utf-8')
return arg
return str(arg)
digest = joiner.join(map(conv, args))
hash_obj = self._hash_func(digest)
if as_bytes:
return hash_obj.digest()
return int_from_hex(hash_obj.hexdigest())
| hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n joiner = kwargs.get('joiner', '').encode('utf-8')\n as_bytes = kwargs.get('as_bytes', False)\n\n def x(arg):\n if isinstance(arg, integer_types):\n arg = int_to_bytes(arg)\n if PY3:\n if isinstance(arg, str):\n arg = arg.encode('utf-8')\n return arg\n return str(arg)\n digest = joiner.join(map(conv, args))\n hash_obj = self._hash_func(digest)\n if as_bytes:\n return hash_obj.digest()\n return int_from_hex(hash_obj.hexdigest())\n",
"role": "user"
},
{
"content": "hash",
"role": "assistant"
}
] |
def x(self, bits_len=None):
bits_len = bits_len or self._bits_random
return random().getrandbits(bits_len)
| generate_random | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bits_len=None):\n bits_len = bits_len or self._bits_random\n return random().getrandbits(bits_len)\n",
"role": "user"
},
{
"content": "generate_random",
"role": "assistant"
}
] |
def x(self, server_public, client_public):
return self.hash(self.pad(client_public), self.pad(server_public))
| get_common_secret | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, server_public, client_public):\n return self.hash(self.pad(client_public), self.pad(server_public))\n",
"role": "user"
},
{
"content": "get_common_secret",
"role": "assistant"
}
] |
def x(self, password_hash, server_public, client_private, common_secret):
password_verifier = self.get_common_password_verifier(password_hash)
return pow(server_public - self._mult * password_verifier,
client_private + common_secret * password_hash, self._prime)
| get_client_premaster_secret | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, password_hash, server_public, client_private, common_secret):\n password_verifier = self.get_common_password_verifier(password_hash)\n return pow(server_public - self._mult * password_verifier, \n client_private + common_secret * password_hash, self._prime)\n",
"role": "user"
},
{
"content": "get_client_premaster_secret",
"role": "assistant"
}
] |
def x(self, password_verifier, server_private, client_public, common_secret):
return pow(client_public * pow(password_verifier, common_secret, self.
_prime), server_private, self._prime)
| get_server_premaster_secret | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, password_verifier, server_private, client_public, common_secret):\n return pow(client_public * pow(password_verifier, common_secret, self.\n _prime), server_private, self._prime)\n",
"role": "user"
},
{
"content": "get_server_premaster_secret",
"role": "assistant"
}
] |
def x(self, password_verifier, server_private):
return (self._mult * password_verifier + pow(self._gen, server_private,
self._prime)) % self._prime
| get_server_public | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, password_verifier, server_private):\n return (self._mult * password_verifier + pow(self._gen, server_private,\n self._prime)) % self._prime\n",
"role": "user"
},
{
"content": "get_server_public",
"role": "assistant"
}
] |
def x(self, salt):
password = self._password
if password is None:
raise SRPException(
'User password should be in context for this scenario.')
return self.hash(salt, self.hash(self._user, password, joiner=':'))
| get_common_password_hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, salt):\n password = self._password\n if password is None:\n raise SRPException(\n 'User password should be in context for this scenario.')\n return self.hash(salt, self.hash(self._user, password, joiner=':'))\n",
"role": "user"
},
{
"content": "get_common_password_hash",
"role": "assistant"
}
] |
def x(self, session_key, salt, server_public, client_public):
h = self.hash
prove = h(h(self._prime) ^ h(self._gen), h(self._user), salt,
client_public, server_public, session_key, as_bytes=True)
return prove
| get_common_session_key_proof | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session_key, salt, server_public, client_public):\n h = self.hash\n prove = h(h(self._prime) ^ h(self._gen), h(self._user), salt,\n client_public, server_public, session_key, as_bytes=True)\n return prove\n",
"role": "user"
},
{
"content": "get_common_session_key_proof",
"role": "assistant"
}
] |
def x(self, session_key, session_key_proof, client_public):
return self.hash(client_public, session_key_proof, session_key,
as_bytes=True)
| get_common_session_key_proof_hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session_key, session_key_proof, client_public):\n return self.hash(client_public, session_key_proof, session_key,\n as_bytes=True)\n",
"role": "user"
},
{
"content": "get_common_session_key_proof_hash",
"role": "assistant"
}
] |
def x(self, base64=False):
salt = self.generate_salt()
verifier = self.get_common_password_verifier(self.
get_common_password_hash(salt))
verifier = value_encode(verifier, base64)
salt = value_encode(salt, base64)
return self._user, verifier, salt
| get_user_data_triplet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, base64=False):\n salt = self.generate_salt()\n verifier = self.get_common_password_verifier(self.\n get_common_password_hash(salt))\n verifier = value_encode(verifier, base64)\n salt = value_encode(salt, base64)\n return self._user, verifier, salt\n",
"role": "user"
},
{
"content": "get_user_data_triplet",
"role": "assistant"
}
] |
def x(self, filename):
if filename not in self.__input_files:
self.__input_files.append(filename)
| add_input_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n if filename not in self.__input_files:\n self.__input_files.append(filename)\n",
"role": "user"
},
{
"content": "add_input_file",
"role": "assistant"
}
] |
def x(self, filename):
if filename not in self.__output_files:
self.__output_files.append(filename)
| add_output_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n if filename not in self.__output_files:\n self.__output_files.append(filename)\n",
"role": "user"
},
{
"content": "add_output_file",
"role": "assistant"
}
] |
def x(self, filename):
if filename not in self.__checkpoint_files:
self.__checkpoint_files.append(filename)
| add_checkpoint_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n if filename not in self.__checkpoint_files:\n self.__checkpoint_files.append(filename)\n",
"role": "user"
},
{
"content": "add_checkpoint_file",
"role": "assistant"
}
] |
def x(self, filename):
self.__arguments.append(filename)
if filename not in self.__input_files:
self.__input_files.append(filename)
| add_file_arg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n self.__arguments.append(filename)\n if filename not in self.__input_files:\n self.__input_files.append(filename)\n",
"role": "user"
},
{
"content": "add_file_arg",
"role": "assistant"
}
] |
def x(self, opt):
if self.__options.has_key(opt):
return self.__options[opt]
return None
| get_opt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, opt):\n if self.__options.has_key(opt):\n return self.__options[opt]\n return None\n",
"role": "user"
},
{
"content": "get_opt",
"role": "assistant"
}
] |
def x(self, opt, filename):
self.__options[opt] = filename
if filename not in self.__input_files:
self.__input_files.append(filename)
| add_file_opt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, opt, filename):\n self.__options[opt] = filename\n if filename not in self.__input_files:\n self.__input_files.append(filename)\n",
"role": "user"
},
{
"content": "add_file_opt",
"role": "assistant"
}
] |
def x(self, cp, section):
for opt in cp.options(section):
arg = string.strip(cp.get(section, opt))
self.__options[opt] = arg
| add_ini_opts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cp, section):\n for opt in cp.options(section):\n arg = string.strip(cp.get(section, opt))\n self.__options[opt] = arg\n",
"role": "user"
},
{
"content": "add_ini_opts",
"role": "assistant"
}
] |
def x(self, site):
self.__grid_site = str(site)
if site != 'local':
self.set_executable_installed(False)
| set_grid_site | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, site):\n self.__grid_site = str(site)\n if site != 'local':\n self.set_executable_installed(False)\n",
"role": "user"
},
{
"content": "set_grid_site",
"role": "assistant"
}
] |
def x(self, opt, short=False):
if opt not in self.__var_opts:
self.__var_opts.append(opt)
macro = self.__bad_macro_chars.sub('', opt)
if short:
self.add_short_opt(opt, '$(macro' + macro + ')')
else:
self.add_opt(opt, '$(macro' + macro + ')')
| add_var_opt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, opt, short=False):\n if opt not in self.__var_opts:\n self.__var_opts.append(opt)\n macro = self.__bad_macro_chars.sub('', opt)\n if short:\n self.add_short_opt(opt, '$(macro' + macro + ')')\n else:\n self.add_opt(opt, '$(macro' + macro + ')')\n",
"role": "user"
},
{
"content": "add_var_opt",
"role": "assistant"
}
] |
def x(self, command):
if command not in self.__var_cmds:
self.__var_cmds.append(command)
macro = self.__bad_macro_chars.sub('', command)
self.add_condor_cmd(command, '$(macro' + macro + ')')
| add_var_condor_cmd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command):\n if command not in self.__var_cmds:\n self.__var_cmds.append(command)\n macro = self.__bad_macro_chars.sub('', command)\n self.add_condor_cmd(command, '$(macro' + macro + ')')\n",
"role": "user"
},
{
"content": "add_var_condor_cmd",
"role": "assistant"
}
] |
def x(self, namespace, key, value):
self.__pegasus_profile.append((str(namespace), str(key), str(value)))
| add_pegasus_profile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace, key, value):\n self.__pegasus_profile.append((str(namespace), str(key), str(value)))\n",
"role": "user"
},
{
"content": "add_pegasus_profile",
"role": "assistant"
}
] |
def x(self, filename):
if filename not in self.__input_files:
self.__input_files.append(filename)
if not isinstance(self.job(), CondorDAGManJob):
if self.job().get_universe() == 'grid':
self.add_input_macro(filename)
| add_input_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n if filename not in self.__input_files:\n self.__input_files.append(filename)\n if not isinstance(self.job(), CondorDAGManJob):\n if self.job().get_universe() == 'grid':\n self.add_input_macro(filename)\n",
"role": "user"
},
{
"content": "add_input_file",
"role": "assistant"
}
] |
def x(self, filename):
if filename not in self.__output_files:
self.__output_files.append(filename)
if not isinstance(self.job(), CondorDAGManJob):
if self.job().get_universe() == 'grid':
self.add_output_macro(filename)
| add_output_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n if filename not in self.__output_files:\n self.__output_files.append(filename)\n if not isinstance(self.job(), CondorDAGManJob):\n if self.job().get_universe() == 'grid':\n self.add_output_macro(filename)\n",
"role": "user"
},
{
"content": "add_output_file",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.