source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(o, *args, **kwargs):
if isinstance(o, basestring):
fname = o
else:
if not is_pandas_df(o):
o = pandas.DataFrame(o)
fname = tempfile.NamedTemporaryFile().name
o.to_csv(fname, sep=',', encoding='utf-8', index=False)
kwargs['sep'] = esc(',')
read_csv_stmt = GGStatement('read.csv', esc(fname), *args, **kwargs).r
return GGData('data = {}'.format(read_csv_stmt), fname=fname)
| data_py | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(o, *args, **kwargs):\n if isinstance(o, basestring):\n fname = o\n else:\n if not is_pandas_df(o):\n o = pandas.DataFrame(o)\n fname = tempfile.NamedTemporaryFile().name\n o.to_csv(fname, sep=',', encoding='utf-8', index=False)\n kwargs['sep'] = esc(',')\n read_csv_stmt = GGStatement('read.csv', esc(fname), *args, **kwargs).r\n return GGData('data = {}'.format(read_csv_stmt), fname=fname)\n",
"role": "user"
},
{
"content": "data_py",
"role": "assistant"
}
] |
def x(width, height):
aspect_ratio = height / (1.0 * width)
return R_IMAGE_SIZE, round(aspect_ratio * R_IMAGE_SIZE, 2)
| size_r_img_inches | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(width, height):\n aspect_ratio = height / (1.0 * width)\n return R_IMAGE_SIZE, round(aspect_ratio * R_IMAGE_SIZE, 2)\n",
"role": "user"
},
{
"content": "size_r_img_inches",
"role": "assistant"
}
] |
def x(prog, quiet):
FNULL = open(os.devnull, 'w') if quiet else None
try:
input_proc = subprocess.Popen(['echo', prog], stdout=subprocess.PIPE)
status = subprocess.call('R --no-save --quiet', stdin=input_proc.
stdout, stdout=FNULL, stderr=subprocess.STDOUT, shell=True)
if status != 0:
raise ValueError(
'ggplot2 bridge failed for program: {}. Check for an error'
.format(prog))
finally:
if FNULL is not None:
FNULL.close()
| execute_r | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prog, quiet):\n FNULL = open(os.devnull, 'w') if quiet else None\n try:\n input_proc = subprocess.Popen(['echo', prog], stdout=subprocess.PIPE)\n status = subprocess.call('R --no-save --quiet', stdin=input_proc.\n stdout, stdout=FNULL, stderr=subprocess.STDOUT, shell=True)\n if status != 0:\n raise ValueError(\n 'ggplot2 bridge failed for program: {}. Check for an error'\n .format(prog))\n finally:\n if FNULL is not None:\n FNULL.close()\n",
"role": "user"
},
{
"content": "execute_r",
"role": "assistant"
}
] |
def x():
ggplot = make_ggplot2_binding('ggplot')
def x(data, *args, **kwargs):
data_var = data
if not isinstance(data, basestring):
data_var = 'data'
else:
data = None
stmt = ggplot(data_var, *args, **kwargs)
stmt.data = data
return stmt
return _ggplot
| make_master_binding | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ggplot = make_ggplot2_binding('ggplot')\n\n def x(data, *args, **kwargs):\n data_var = data\n if not isinstance(data, basestring):\n data_var = 'data'\n else:\n data = None\n stmt = ggplot(data_var, *args, **kwargs)\n stmt.data = data\n return stmt\n return _ggplot\n",
"role": "user"
},
{
"content": "make_master_binding",
"role": "assistant"
}
] |
def x(self):
r_args = [_to_r(self.args), _to_r(self.kwargs)]
r_args = ','.join([x for x in r_args if x != ''])
return '{}({})'.format(self.name, r_args)
| r | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n r_args = [_to_r(self.args), _to_r(self.kwargs)]\n r_args = ','.join([x for x in r_args if x != ''])\n return '{}({})'.format(self.name, r_args)\n",
"role": "user"
},
{
"content": "r",
"role": "assistant"
}
] |
def x(precision, with_z):
logger = logging.getLogger('geobuf')
stdin = click.get_text_stream('stdin')
sink = click.get_binary_stream('stdout')
try:
data = json.load(stdin)
pbf = geobuf.encode(data, precision if precision >= 0 else 6, 3 if
with_z else 2)
sink.write(pbf)
sys.exit(0)
except Exception:
logger.exception('Failed. Exception caught')
sys.exit(1)
| encode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(precision, with_z):\n logger = logging.getLogger('geobuf')\n stdin = click.get_text_stream('stdin')\n sink = click.get_binary_stream('stdout')\n try:\n data = json.load(stdin)\n pbf = geobuf.encode(data, precision if precision >= 0 else 6, 3 if\n with_z else 2)\n sink.write(pbf)\n sys.exit(0)\n except Exception:\n logger.exception('Failed. Exception caught')\n sys.exit(1)\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x():
logger = logging.getLogger('geobuf')
stdin = click.get_binary_stream('stdin')
sink = click.get_text_stream('stdout')
try:
pbf = stdin.read()
data = geobuf.decode(pbf)
json.dump(data, sink)
sys.exit(0)
except Exception:
logger.exception('Failed. Exception caught')
sys.exit(1)
| decode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n logger = logging.getLogger('geobuf')\n stdin = click.get_binary_stream('stdin')\n sink = click.get_text_stream('stdout')\n try:\n pbf = stdin.read()\n data = geobuf.decode(pbf)\n json.dump(data, sink)\n sys.exit(0)\n except Exception:\n logger.exception('Failed. Exception caught')\n sys.exit(1)\n",
"role": "user"
},
{
"content": "decode",
"role": "assistant"
}
] |
def x(code, bits_per_char=6):
if code < 0:
raise ValueError('Only positive ints are allowed!')
if bits_per_char == 6:
return _encode_int64(code)
if bits_per_char == 4:
return _encode_int16(code)
if bits_per_char == 2:
return _encode_int4(code)
raise ValueError('`bits_per_char` must be in {6, 4, 2}')
| encode_int | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(code, bits_per_char=6):\n if code < 0:\n raise ValueError('Only positive ints are allowed!')\n if bits_per_char == 6:\n return _encode_int64(code)\n if bits_per_char == 4:\n return _encode_int16(code)\n if bits_per_char == 2:\n return _encode_int4(code)\n raise ValueError('`bits_per_char` must be in {6, 4, 2}')\n",
"role": "user"
},
{
"content": "encode_int",
"role": "assistant"
}
] |
def x(tag, bits_per_char=6):
if bits_per_char == 6:
return _decode_int64(tag)
if bits_per_char == 4:
return _decode_int16(tag)
if bits_per_char == 2:
return _decode_int4(tag)
raise ValueError('`bits_per_char` must be in {6, 4, 2}')
| decode_int | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag, bits_per_char=6):\n if bits_per_char == 6:\n return _decode_int64(tag)\n if bits_per_char == 4:\n return _decode_int16(tag)\n if bits_per_char == 2:\n return _decode_int4(tag)\n raise ValueError('`bits_per_char` must be in {6, 4, 2}')\n",
"role": "user"
},
{
"content": "decode_int",
"role": "assistant"
}
] |
def x(lng, lat, precision=10, bits_per_char=6):
assert _LNG_INTERVAL[0] <= lng <= _LNG_INTERVAL[1]
assert _LAT_INTERVAL[0] <= lat <= _LAT_INTERVAL[1]
assert precision > 0
assert bits_per_char in (2, 4, 6)
bits = precision * bits_per_char
level = bits >> 1
dim = 1 << level
x, y = _coord2int(lng, lat, dim)
if CYTHON_AVAILABLE and bits <= MAX_BITS:
code = xy2hash_cython(x, y, dim)
else:
code = _xy2hash(x, y, dim)
return encode_int(code, bits_per_char).rjust(precision, '0')
| encode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lng, lat, precision=10, bits_per_char=6):\n assert _LNG_INTERVAL[0] <= lng <= _LNG_INTERVAL[1]\n assert _LAT_INTERVAL[0] <= lat <= _LAT_INTERVAL[1]\n assert precision > 0\n assert bits_per_char in (2, 4, 6)\n bits = precision * bits_per_char\n level = bits >> 1\n dim = 1 << level\n x, y = _coord2int(lng, lat, dim)\n if CYTHON_AVAILABLE and bits <= MAX_BITS:\n code = xy2hash_cython(x, y, dim)\n else:\n code = _xy2hash(x, y, dim)\n return encode_int(code, bits_per_char).rjust(precision, '0')\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(code, bits_per_char=6):
assert bits_per_char in (2, 4, 6)
if len(code) == 0:
return 0.0, 0.0
lng, lat, _lng_err, _lat_err = decode_exactly(code, bits_per_char)
return lng, lat
| decode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(code, bits_per_char=6):\n assert bits_per_char in (2, 4, 6)\n if len(code) == 0:\n return 0.0, 0.0\n lng, lat, _lng_err, _lat_err = decode_exactly(code, bits_per_char)\n return lng, lat\n",
"role": "user"
},
{
"content": "decode",
"role": "assistant"
}
] |
def x(code, bits_per_char=6):
assert bits_per_char in (2, 4, 6)
if len(code) == 0:
return 0.0, 0.0, _LNG_INTERVAL[1], _LAT_INTERVAL[1]
bits = len(code) * bits_per_char
level = bits >> 1
dim = 1 << level
code_int = decode_int(code, bits_per_char)
if CYTHON_AVAILABLE and bits <= MAX_BITS:
x, y = hash2xy_cython(code_int, dim)
else:
x, y = _hash2xy(code_int, dim)
lng, lat = _int2coord(x, y, dim)
lng_err, lat_err = _lvl_error(level)
return lng + lng_err, lat + lat_err, lng_err, lat_err
| decode_exactly | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(code, bits_per_char=6):\n assert bits_per_char in (2, 4, 6)\n if len(code) == 0:\n return 0.0, 0.0, _LNG_INTERVAL[1], _LAT_INTERVAL[1]\n bits = len(code) * bits_per_char\n level = bits >> 1\n dim = 1 << level\n code_int = decode_int(code, bits_per_char)\n if CYTHON_AVAILABLE and bits <= MAX_BITS:\n x, y = hash2xy_cython(code_int, dim)\n else:\n x, y = _hash2xy(code_int, dim)\n lng, lat = _int2coord(x, y, dim)\n lng_err, lat_err = _lvl_error(level)\n return lng + lng_err, lat + lat_err, lng_err, lat_err\n",
"role": "user"
},
{
"content": "decode_exactly",
"role": "assistant"
}
] |
def x(lng, lat, dim):
assert dim >= 1
lat_y = (lat + _LAT_INTERVAL[1]) / 180.0 * dim
lng_x = (lng + _LNG_INTERVAL[1]) / 360.0 * dim
return min(dim - 1, int(floor(lng_x))), min(dim - 1, int(floor(lat_y)))
| coord2int | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lng, lat, dim):\n assert dim >= 1\n lat_y = (lat + _LAT_INTERVAL[1]) / 180.0 * dim\n lng_x = (lng + _LNG_INTERVAL[1]) / 360.0 * dim\n return min(dim - 1, int(floor(lng_x))), min(dim - 1, int(floor(lat_y)))\n",
"role": "user"
},
{
"content": "coord2int",
"role": "assistant"
}
] |
def x(x, y, dim):
assert dim >= 1
assert x < dim
assert y < dim
lng = x / dim * 360 - 180
lat = y / dim * 180 - 90
return lng, lat
| int2coord | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, dim):\n assert dim >= 1\n assert x < dim\n assert y < dim\n lng = x / dim * 360 - 180\n lat = y / dim * 180 - 90\n return lng, lat\n",
"role": "user"
},
{
"content": "int2coord",
"role": "assistant"
}
] |
def x(x, y, dim):
d = 0
lvl = dim >> 1
while lvl > 0:
rx = int(x & lvl > 0)
ry = int(y & lvl > 0)
d += lvl * lvl * (3 * rx ^ ry)
x, y = _rotate(lvl, x, y, rx, ry)
lvl >>= 1
return d
| xy2hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, dim):\n d = 0\n lvl = dim >> 1\n while lvl > 0:\n rx = int(x & lvl > 0)\n ry = int(y & lvl > 0)\n d += lvl * lvl * (3 * rx ^ ry)\n x, y = _rotate(lvl, x, y, rx, ry)\n lvl >>= 1\n return d\n",
"role": "user"
},
{
"content": "xy2hash",
"role": "assistant"
}
] |
def x(hashcode, dim):
assert hashcode <= dim * dim - 1
x = y = 0
lvl = 1
while lvl < dim:
rx = 1 & hashcode >> 1
ry = 1 & (hashcode ^ rx)
x, y = _rotate(lvl, x, y, rx, ry)
x += lvl * rx
y += lvl * ry
hashcode >>= 2
lvl <<= 1
return x, y
| hash2xy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hashcode, dim):\n assert hashcode <= dim * dim - 1\n x = y = 0\n lvl = 1\n while lvl < dim:\n rx = 1 & hashcode >> 1\n ry = 1 & (hashcode ^ rx)\n x, y = _rotate(lvl, x, y, rx, ry)\n x += lvl * rx\n y += lvl * ry\n hashcode >>= 2\n lvl <<= 1\n return x, y\n",
"role": "user"
},
{
"content": "hash2xy",
"role": "assistant"
}
] |
def x(n, x, y, rx, ry):
if ry == 0:
if rx == 1:
x = n - 1 - x
y = n - 1 - y
return y, x
return x, y
| rotate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n, x, y, rx, ry):\n if ry == 0:\n if rx == 1:\n x = n - 1 - x\n y = n - 1 - y\n return y, x\n return x, y\n",
"role": "user"
},
{
"content": "rotate",
"role": "assistant"
}
] |
def x(code, bits_per_char=6):
lng, lat, lng_err, lat_err = decode_exactly(code, bits_per_char)
precision = len(code)
north = lat + 2 * lat_err
south = lat - 2 * lat_err
east = lng + 2 * lng_err
if east > 180:
east -= 360
west = lng - 2 * lng_err
if west < -180:
west += 360
neighbours_dict = {'east': encode(east, lat, precision, bits_per_char),
'west': encode(west, lat, precision, bits_per_char)}
if north <= 90:
neighbours_dict.update({'north': encode(lng, north, precision,
bits_per_char), 'north-east': encode(east, north, precision,
bits_per_char), 'north-west': encode(west, north, precision,
bits_per_char)})
if south >= -90:
neighbours_dict.update({'south': encode(lng, south, precision,
bits_per_char), 'south-east': encode(east, south, precision,
bits_per_char), 'south-west': encode(west, south, precision,
bits_per_char)})
return neighbours_dict
| neighbours | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(code, bits_per_char=6):\n lng, lat, lng_err, lat_err = decode_exactly(code, bits_per_char)\n precision = len(code)\n north = lat + 2 * lat_err\n south = lat - 2 * lat_err\n east = lng + 2 * lng_err\n if east > 180:\n east -= 360\n west = lng - 2 * lng_err\n if west < -180:\n west += 360\n neighbours_dict = {'east': encode(east, lat, precision, bits_per_char),\n 'west': encode(west, lat, precision, bits_per_char)}\n if north <= 90:\n neighbours_dict.update({'north': encode(lng, north, precision,\n bits_per_char), 'north-east': encode(east, north, precision,\n bits_per_char), 'north-west': encode(west, north, precision,\n bits_per_char)})\n if south >= -90:\n neighbours_dict.update({'south': encode(lng, south, precision,\n bits_per_char), 'south-east': encode(east, south, precision,\n bits_per_char), 'south-west': encode(west, south, precision,\n bits_per_char)})\n return neighbours_dict\n",
"role": "user"
},
{
"content": "neighbours",
"role": "assistant"
}
] |
def x(code, bits_per_char=6):
lng, lat, lng_err, lat_err = decode_exactly(code, bits_per_char)
return {'type': 'Feature', 'properties': {'code': code, 'lng': lng,
'lat': lat, 'lng_err': lng_err, 'lat_err': lat_err, 'bits_per_char':
bits_per_char}, 'bbox': (lng - lng_err, lat - lat_err, lng +
lng_err, lat + lat_err), 'geometry': {'type': 'Polygon',
'coordinates': [[(lng - lng_err, lat - lat_err), (lng + lng_err,
lat - lat_err), (lng + lng_err, lat + lat_err), (lng - lng_err, lat +
lat_err), (lng - lng_err, lat - lat_err)]]}}
| rectangle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(code, bits_per_char=6):\n lng, lat, lng_err, lat_err = decode_exactly(code, bits_per_char)\n return {'type': 'Feature', 'properties': {'code': code, 'lng': lng,\n 'lat': lat, 'lng_err': lng_err, 'lat_err': lat_err, 'bits_per_char':\n bits_per_char}, 'bbox': (lng - lng_err, lat - lat_err, lng +\n lng_err, lat + lat_err), 'geometry': {'type': 'Polygon',\n 'coordinates': [[(lng - lng_err, lat - lat_err), (lng + lng_err, \n lat - lat_err), (lng + lng_err, lat + lat_err), (lng - lng_err, lat +\n lat_err), (lng - lng_err, lat - lat_err)]]}}\n",
"role": "user"
},
{
"content": "rectangle",
"role": "assistant"
}
] |
def x(precision, bits_per_char=6):
bits = precision * bits_per_char
coords = []
for i in range(1 << bits):
code = encode_int(i, bits_per_char).rjust(precision, '0')
coords += [decode(code, bits_per_char)]
return {'type': 'Feature', 'properties': {}, 'geometry': {'type':
'LineString', 'coordinates': coords}}
| hilbert_curve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(precision, bits_per_char=6):\n bits = precision * bits_per_char\n coords = []\n for i in range(1 << bits):\n code = encode_int(i, bits_per_char).rjust(precision, '0')\n coords += [decode(code, bits_per_char)]\n return {'type': 'Feature', 'properties': {}, 'geometry': {'type':\n 'LineString', 'coordinates': coords}}\n",
"role": "user"
},
{
"content": "hilbert_curve",
"role": "assistant"
}
] |
def x(expected, received):
if expected:
if not received or expected != received:
return False
elif received:
return False
return True
| isSignatureValid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expected, received):\n if expected:\n if not received or expected != received:\n return False\n elif received:\n return False\n return True\n",
"role": "user"
},
{
"content": "isSignatureValid",
"role": "assistant"
}
] |
def x(self, callback):
if self._disconnectCBs is None:
self._disconnectCBs = []
self._disconnectCBs.append(callback)
| notifyOnDisconnect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback):\n if self._disconnectCBs is None:\n self._disconnectCBs = []\n self._disconnectCBs.append(callback)\n",
"role": "user"
},
{
"content": "notifyOnDisconnect",
"role": "assistant"
}
] |
def x(self, reason):
if self._disconnectCBs:
for cb in self._disconnectCBs:
cb(self, reason)
| connectionLost | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reason):\n if self._disconnectCBs:\n for cb in self._disconnectCBs:\n cb(self, reason)\n",
"role": "user"
},
{
"content": "connectionLost",
"role": "assistant"
}
] |
def x(self, signalName, callback, interface=None):
iface = None
signal = None
for i in self.interfaces:
if interface and not i.name == interface:
continue
if signalName in i.signals:
signal = i.signals[signalName]
iface = i
break
def x(sig_msg):
if isSignatureValid(signal.sig, sig_msg.signature):
if sig_msg.body:
callback(*sig_msg.body)
else:
callback()
if iface is None:
raise AttributeError(
'Requested signal "%s" is not a member of any of the supported interfaces'
% (signalName,))
d = self.objHandler.conn.addMatch(callback_caller, mtype='signal', path
=self.objectPath, member=signalName, interface=iface.name)
def x(rule_id):
if self._signalRules is None:
self._signalRules = set()
self._signalRules.add(rule_id)
return rule_id
d.addCallback(on_ok)
return d
| notifyOnSignal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, signalName, callback, interface=None):\n iface = None\n signal = None\n for i in self.interfaces:\n if interface and not i.name == interface:\n continue\n if signalName in i.signals:\n signal = i.signals[signalName]\n iface = i\n break\n\n def x(sig_msg):\n if isSignatureValid(signal.sig, sig_msg.signature):\n if sig_msg.body:\n callback(*sig_msg.body)\n else:\n callback()\n if iface is None:\n raise AttributeError(\n 'Requested signal \"%s\" is not a member of any of the supported interfaces'\n % (signalName,))\n d = self.objHandler.conn.addMatch(callback_caller, mtype='signal', path\n =self.objectPath, member=signalName, interface=iface.name)\n\n def x(rule_id):\n if self._signalRules is None:\n self._signalRules = set()\n self._signalRules.add(rule_id)\n return rule_id\n d.addCallback(on_ok)\n return d\n",
"role": "user"
},
{
"content": "notifyOnSignal",
"role": "assistant"
}
] |
def x(self, rule_id):
if self._signalRules and rule_id in self._signalRules:
self.objHandler.conn.delMatch(rule_id)
self._signalRules.remove(rule_id)
| cancelSignalNotification | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rule_id):\n if self._signalRules and rule_id in self._signalRules:\n self.objHandler.conn.delMatch(rule_id)\n self._signalRules.remove(rule_id)\n",
"role": "user"
},
{
"content": "cancelSignalNotification",
"role": "assistant"
}
] |
def x(self, methodName, *args, **kwargs):
expectReply = kwargs.get('expectReply', True)
autoStart = kwargs.get('autoStart', True)
timeout = kwargs.get('timeout', None)
interface = kwargs.get('interface', None)
m = None
for i in self.interfaces:
if interface and not interface == i.name:
continue
m = i.methods.get(methodName, None)
if m:
break
if m is None:
raise AttributeError(
'Requested method "%s" is not a member of any of the supported interfaces'
% (methodName,))
if len(args) != m.nargs:
raise TypeError('%s.%s takes %d arguments (%d given)' % (i.name,
methodName, m.nargs, len(args)))
return self.objHandler.conn.callRemote(self.objectPath, methodName,
interface=i.name, destination=self.busName, signature=m.sigIn, body
=args, expectReply=expectReply, autoStart=autoStart, timeout=
timeout, returnSignature=m.sigOut)
| callRemote | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, methodName, *args, **kwargs):\n expectReply = kwargs.get('expectReply', True)\n autoStart = kwargs.get('autoStart', True)\n timeout = kwargs.get('timeout', None)\n interface = kwargs.get('interface', None)\n m = None\n for i in self.interfaces:\n if interface and not interface == i.name:\n continue\n m = i.methods.get(methodName, None)\n if m:\n break\n if m is None:\n raise AttributeError(\n 'Requested method \"%s\" is not a member of any of the supported interfaces'\n % (methodName,))\n if len(args) != m.nargs:\n raise TypeError('%s.%s takes %d arguments (%d given)' % (i.name,\n methodName, m.nargs, len(args)))\n return self.objHandler.conn.callRemote(self.objectPath, methodName,\n interface=i.name, destination=self.busName, signature=m.sigIn, body\n =args, expectReply=expectReply, autoStart=autoStart, timeout=\n timeout, returnSignature=m.sigOut)\n",
"role": "user"
},
{
"content": "callRemote",
"role": "assistant"
}
] |
def x(self, reason):
for wref in self._weakProxies.valuerefs():
p = wref()
if p is not None:
p.connectionLost(reason)
| connectionLost | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reason):\n for wref in self._weakProxies.valuerefs():\n p = wref()\n if p is not None:\n p.connectionLost(reason)\n",
"role": "user"
},
{
"content": "connectionLost",
"role": "assistant"
}
] |
def x(self, dbusObject):
o = IDBusObject(dbusObject)
self.exports[o.getObjectPath()] = o
o.setObjectHandler(self)
i = {}
for iface in o.getInterfaces():
i[iface.name] = o.getAllProperties(iface.name)
msig = message.SignalMessage(o.getObjectPath(), 'InterfacesAdded',
'org.freedesktop.DBus.ObjectManager', signature='sa{sa{sv}}', body=
[o.getObjectPath(), i])
self.conn.sendMessage(msig)
| exportObject | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dbusObject):\n o = IDBusObject(dbusObject)\n self.exports[o.getObjectPath()] = o\n o.setObjectHandler(self)\n i = {}\n for iface in o.getInterfaces():\n i[iface.name] = o.getAllProperties(iface.name)\n msig = message.SignalMessage(o.getObjectPath(), 'InterfacesAdded',\n 'org.freedesktop.DBus.ObjectManager', signature='sa{sa{sv}}', body=\n [o.getObjectPath(), i])\n self.conn.sendMessage(msig)\n",
"role": "user"
},
{
"content": "exportObject",
"role": "assistant"
}
] |
def x(self, objectPath):
d = {}
for p in sorted(self.exports.keys()):
if not p.startswith(objectPath) or p == objectPath:
continue
o = self.exports[p]
i = {}
d[p] = i
for iface in o.getInterfaces():
i[iface.name] = o.getAllProperties(iface.name)
return d
| getManagedObjects | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, objectPath):\n d = {}\n for p in sorted(self.exports.keys()):\n if not p.startswith(objectPath) or p == objectPath:\n continue\n o = self.exports[p]\n i = {}\n d[p] = i\n for iface in o.getInterfaces():\n i[iface.name] = o.getAllProperties(iface.name)\n return d\n",
"role": "user"
},
{
"content": "getManagedObjects",
"role": "assistant"
}
] |
def x(self, msg, errName, errMsg):
r = message.ErrorMessage(errName, msg.serial, body=[errMsg], signature=
's', destination=msg.sender)
self.conn.sendMessage(r)
| send_err | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg, errName, errMsg):\n r = message.ErrorMessage(errName, msg.serial, body=[errMsg], signature=\n 's', destination=msg.sender)\n self.conn.sendMessage(r)\n",
"role": "user"
},
{
"content": "send_err",
"role": "assistant"
}
] |
def x(self, msg):
if msg.interface == 'org.freedesktop.DBus.Peer' and msg.member == 'Ping':
r = message.MethodReturnMessage(msg.serial, destination=msg.sender)
self.conn.sendMessage(r)
return
if (msg.interface == 'org.freedesktop.DBus.Introspectable' and msg.
member == 'Introspect'):
xml = introspection.generateIntrospectionXML(msg.path, self.exports)
if xml is not None:
r = message.MethodReturnMessage(msg.serial, body=[xml],
destination=msg.sender, signature='s')
self.conn.sendMessage(r)
return
o = self.exports.get(msg.path, None)
if o is None:
self._send_err(msg, 'org.freedesktop.DBus.Error.UnknownObject',
'%s is not an object provided by this process.' % msg.path)
return
if (msg.interface == 'org.freedesktop.DBus.ObjectManager' and msg.
member == 'GetManagedObjects'):
i_and_p = self.getManagedObjects(o.getObjectPath())
r = message.MethodReturnMessage(msg.serial, body=[i_and_p],
destination=msg.sender, signature='a{oa{sa{sv}}}')
self.conn.sendMessage(r)
return
i = None
for x in o.getInterfaces():
if msg.interface:
if x.name == msg.interface:
i = x
break
elif msg.member in x.methods:
i = x
break
m = None
if i:
m = i.methods.get(msg.member, None)
if m is None:
self._send_err(msg, 'org.freedesktop.DBus.Error.UnknownMethod',
'Method "%s" with signature "%s" on interface "%s" doesn\'t exist'
% (msg.member, msg.signature or '', msg.interface or '(null)'))
return
msig = msg.signature if msg.signature is not None else ''
esig = m.sigIn if m.sigIn is not None else ''
if esig != msig:
self._send_err(msg, 'org.freedesktop.DBus.Error.InvalidArgs',
'Call to %s has wrong args (%s, expected %s)' % (msg.member,
msg.signature or '', m.sigIn or ''))
return
d = defer.maybeDeferred(o.executeMethod, i, msg.member, msg.body, msg.
sender)
if msg.expectReply:
def x(return_values):
if isinstance(return_values, (list, tuple)):
if m.nret == 1:
return_values = [return_values]
else:
return_values = [return_values]
r = message.MethodReturnMessage(msg.serial, body=return_values,
destination=msg.sender, signature=m.sigOut)
self.conn.sendMessage(r)
def x(err):
e = err.value
errMsg = err.getErrorMessage()
name = None
if hasattr(e, 'dbusErrorName'):
name = e.dbusErrorName
if name is None:
name = 'org.txdbus.PythonException.' + e.__class__.__name__
try:
marshal.validateErrorName(name)
except error.MarshallingError:
errMsg = '!!(Invalid error name "%s")!! ' % name + errMsg
name = 'org.txdbus.InvalidErrorName'
r = message.ErrorMessage(name, msg.serial, body=[errMsg],
signature='s', destination=msg.sender)
self.conn.sendMessage(r)
d.addCallback(send_reply)
d.addErrback(send_error)
| handleMethodCallMessage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n if msg.interface == 'org.freedesktop.DBus.Peer' and msg.member == 'Ping':\n r = message.MethodReturnMessage(msg.serial, destination=msg.sender)\n self.conn.sendMessage(r)\n return\n if (msg.interface == 'org.freedesktop.DBus.Introspectable' and msg.\n member == 'Introspect'):\n xml = introspection.generateIntrospectionXML(msg.path, self.exports)\n if xml is not None:\n r = message.MethodReturnMessage(msg.serial, body=[xml],\n destination=msg.sender, signature='s')\n self.conn.sendMessage(r)\n return\n o = self.exports.get(msg.path, None)\n if o is None:\n self._send_err(msg, 'org.freedesktop.DBus.Error.UnknownObject', \n '%s is not an object provided by this process.' % msg.path)\n return\n if (msg.interface == 'org.freedesktop.DBus.ObjectManager' and msg.\n member == 'GetManagedObjects'):\n i_and_p = self.getManagedObjects(o.getObjectPath())\n r = message.MethodReturnMessage(msg.serial, body=[i_and_p],\n destination=msg.sender, signature='a{oa{sa{sv}}}')\n self.conn.sendMessage(r)\n return\n i = None\n for x in o.getInterfaces():\n if msg.interface:\n if x.name == msg.interface:\n i = x\n break\n elif msg.member in x.methods:\n i = x\n break\n m = None\n if i:\n m = i.methods.get(msg.member, None)\n if m is None:\n self._send_err(msg, 'org.freedesktop.DBus.Error.UnknownMethod', \n 'Method \"%s\" with signature \"%s\" on interface \"%s\" doesn\\'t exist'\n % (msg.member, msg.signature or '', msg.interface or '(null)'))\n return\n msig = msg.signature if msg.signature is not None else ''\n esig = m.sigIn if m.sigIn is not None else ''\n if esig != msig:\n self._send_err(msg, 'org.freedesktop.DBus.Error.InvalidArgs', \n 'Call to %s has wrong args (%s, expected %s)' % (msg.member, \n msg.signature or '', m.sigIn or ''))\n return\n d = defer.maybeDeferred(o.executeMethod, i, msg.member, msg.body, msg.\n sender)\n if msg.expectReply:\n\n def x(return_values):\n if isinstance(return_values, (list, tuple)):\n if m.nret == 1:\n return_values = [return_values]\n else:\n return_values = [return_values]\n r = message.MethodReturnMessage(msg.serial, body=return_values,\n destination=msg.sender, signature=m.sigOut)\n self.conn.sendMessage(r)\n\n def x(err):\n e = err.value\n errMsg = err.getErrorMessage()\n name = None\n if hasattr(e, 'dbusErrorName'):\n name = e.dbusErrorName\n if name is None:\n name = 'org.txdbus.PythonException.' + e.__class__.__name__\n try:\n marshal.validateErrorName(name)\n except error.MarshallingError:\n errMsg = '!!(Invalid error name \"%s\")!! ' % name + errMsg\n name = 'org.txdbus.InvalidErrorName'\n r = message.ErrorMessage(name, msg.serial, body=[errMsg],\n signature='s', destination=msg.sender)\n self.conn.sendMessage(r)\n d.addCallback(send_reply)\n d.addErrback(send_error)\n",
"role": "user"
},
{
"content": "handleMethodCallMessage",
"role": "assistant"
}
] |
def x(self, busName, objectPath, interfaces=None, replaceKnownInterfaces=False
):
weak_id = busName, objectPath, interfaces
need_introspection = False
required_interfaces = set()
if interfaces is not None:
ifl = []
if not isinstance(interfaces, list):
interfaces = [interfaces]
for i in interfaces:
if isinstance(i, interface.DBusInterface):
ifl.append(i)
required_interfaces.add(i.name)
else:
required_interfaces.add(i)
if i in interface.DBusInterface.knownInterfaces:
ifl.append(interface.DBusInterface.knownInterfaces[i])
else:
need_introspection = True
if not need_introspection:
return defer.succeed(RemoteDBusObject(self, busName, objectPath,
ifl))
d = self.conn.introspectRemoteObject(busName, objectPath,
replaceKnownInterfaces)
def x(ifaces):
missing = required_interfaces - {q.name for q in ifaces}
if missing:
raise error.IntrospectionFailed(
'Introspection failed to find interfaces: ' + ','.join(missing)
)
prox = RemoteDBusObject(self, busName, objectPath, ifaces)
self._weakProxies[weak_id] = prox
return prox
d.addCallback(ok)
return d
| getRemoteObject | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, busName, objectPath, interfaces=None, replaceKnownInterfaces=False\n ):\n weak_id = busName, objectPath, interfaces\n need_introspection = False\n required_interfaces = set()\n if interfaces is not None:\n ifl = []\n if not isinstance(interfaces, list):\n interfaces = [interfaces]\n for i in interfaces:\n if isinstance(i, interface.DBusInterface):\n ifl.append(i)\n required_interfaces.add(i.name)\n else:\n required_interfaces.add(i)\n if i in interface.DBusInterface.knownInterfaces:\n ifl.append(interface.DBusInterface.knownInterfaces[i])\n else:\n need_introspection = True\n if not need_introspection:\n return defer.succeed(RemoteDBusObject(self, busName, objectPath,\n ifl))\n d = self.conn.introspectRemoteObject(busName, objectPath,\n replaceKnownInterfaces)\n\n def x(ifaces):\n missing = required_interfaces - {q.name for q in ifaces}\n if missing:\n raise error.IntrospectionFailed(\n 'Introspection failed to find interfaces: ' + ','.join(missing)\n )\n prox = RemoteDBusObject(self, busName, objectPath, ifaces)\n self._weakProxies[weak_id] = prox\n return prox\n d.addCallback(ok)\n return d\n",
"role": "user"
},
{
"content": "getRemoteObject",
"role": "assistant"
}
] |
def x(self, m):
if m.nargs == -1:
m.nargs = len([a for a in marshal.genCompleteTypes(m.sigIn)])
m.nret = len([a for a in marshal.genCompleteTypes(m.sigOut)])
self.methods[m.name] = m
self._xml = None
| addMethod | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, m):\n if m.nargs == -1:\n m.nargs = len([a for a in marshal.genCompleteTypes(m.sigIn)])\n m.nret = len([a for a in marshal.genCompleteTypes(m.sigOut)])\n self.methods[m.name] = m\n self._xml = None\n",
"role": "user"
},
{
"content": "addMethod",
"role": "assistant"
}
] |
def x(self, s):
if s.nargs == -1:
s.nargs = len([a for a in marshal.genCompleteTypes(s.sig)])
self.signals[s.name] = s
self._xml = None
| addSignal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s):\n if s.nargs == -1:\n s.nargs = len([a for a in marshal.genCompleteTypes(s.sig)])\n self.signals[s.name] = s\n self._xml = None\n",
"role": "user"
},
{
"content": "addSignal",
"role": "assistant"
}
] |
def x(reactor, busAddress='session'):
from txdbus import endpoints
f = DBusClientFactory()
d = f.getConnection()
eplist = endpoints.getDBusEndpoints(reactor, busAddress)
eplist.reverse()
def x(err):
if eplist:
eplist.pop().connect(f).addErrback(try_next_ep)
else:
d.errback(ConnectError(string=
'Failed to connect to any bus address. Last error: ' + err.
getErrorMessage()))
if eplist:
try_next_ep(None)
else:
d.errback(ConnectError(string=
'Failed to connect to any bus address. No valid bus addresses found'
))
return d
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reactor, busAddress='session'):\n from txdbus import endpoints\n f = DBusClientFactory()\n d = f.getConnection()\n eplist = endpoints.getDBusEndpoints(reactor, busAddress)\n eplist.reverse()\n\n def x(err):\n if eplist:\n eplist.pop().connect(f).addErrback(try_next_ep)\n else:\n d.errback(ConnectError(string=\n 'Failed to connect to any bus address. Last error: ' + err.\n getErrorMessage()))\n if eplist:\n try_next_ep(None)\n else:\n d.errback(ConnectError(string=\n 'Failed to connect to any bus address. No valid bus addresses found'\n ))\n return d\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self):
self.router = router.MessageRouter()
self.match_rules = {}
self.objHandler = objects.DBusObjectHandler(self)
self._pendingCalls = {}
self._dcCallbacks = []
d = self.callRemote('/Hello', 'Hello', interface='org.freedesktop.DBus',
destination='org.freedesktop.DBus')
d.addCallbacks(self._cbGotHello, lambda err: self.factory._failed(err))
| connectionAuthenticated | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.router = router.MessageRouter()\n self.match_rules = {}\n self.objHandler = objects.DBusObjectHandler(self)\n self._pendingCalls = {}\n self._dcCallbacks = []\n d = self.callRemote('/Hello', 'Hello', interface='org.freedesktop.DBus',\n destination='org.freedesktop.DBus')\n d.addCallbacks(self._cbGotHello, lambda err: self.factory._failed(err))\n",
"role": "user"
},
{
"content": "connectionAuthenticated",
"role": "assistant"
}
] |
def x(self, busName):
self.busName = busName
self.factory._ok(self)
| cbGotHello | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, busName):\n self.busName = busName\n self.factory._ok(self)\n",
"role": "user"
},
{
"content": "cbGotHello",
"role": "assistant"
}
] |
def x(self, reason):
if self.busName is None:
return
for cb in self._dcCallbacks:
cb(self, reason)
for d, timeout in self._pendingCalls.values():
if timeout:
timeout.cancel()
d.errback(reason)
self._pendingCalls = {}
self.objHandler.connectionLost(reason)
| connectionLost | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reason):\n if self.busName is None:\n return\n for cb in self._dcCallbacks:\n cb(self, reason)\n for d, timeout in self._pendingCalls.values():\n if timeout:\n timeout.cancel()\n d.errback(reason)\n self._pendingCalls = {}\n self.objHandler.connectionLost(reason)\n",
"role": "user"
},
{
"content": "connectionLost",
"role": "assistant"
}
] |
def x(self, busName, objectPath, interfaces=None, replaceKnownInterfaces=False
):
return self.objHandler.getRemoteObject(busName, objectPath, interfaces,
replaceKnownInterfaces)
| getRemoteObject | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, busName, objectPath, interfaces=None, replaceKnownInterfaces=False\n ):\n return self.objHandler.getRemoteObject(busName, objectPath, interfaces,\n replaceKnownInterfaces)\n",
"role": "user"
},
{
"content": "getRemoteObject",
"role": "assistant"
}
] |
def x(self, rule_id):
rule = self.match_rules[rule_id]
d = self.callRemote('/org/freedesktop/DBus', 'RemoveMatch', interface=
'org.freedesktop.DBus', destination='org.freedesktop.DBus', body=[
rule], signature='s')
def x(_):
del self.match_rules[rule_id]
self.router.delMatch(rule_id)
d.addCallback(ok)
return d
| delMatch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rule_id):\n rule = self.match_rules[rule_id]\n d = self.callRemote('/org/freedesktop/DBus', 'RemoveMatch', interface=\n 'org.freedesktop.DBus', destination='org.freedesktop.DBus', body=[\n rule], signature='s')\n\n def x(_):\n del self.match_rules[rule_id]\n self.router.delMatch(rule_id)\n d.addCallback(ok)\n return d\n",
"role": "user"
},
{
"content": "delMatch",
"role": "assistant"
}
] |
def x(self, callback, mtype=None, sender=None, interface=None, member=None,
path=None, path_namespace=None, destination=None, arg=None, arg_path=
None, arg0namespace=None):
l = []
def x(k, v):
if v is not None:
l.append("%s='%s'" % (k, v))
add('type', mtype)
add('sender', sender)
add('interface', interface)
add('member', member)
add('path', path)
add('path_namespace', path_namespace)
add('destination', destination)
if arg:
for idx, v in arg:
add('arg%d' % (idx,), v)
if arg_path:
for idx, v in arg_path:
add('arg%dpath' % (idx,), v)
add('arg0namespace', arg0namespace)
rule = ','.join(l)
d = self.callRemote('/org/freedesktop/DBus', 'AddMatch', interface=
'org.freedesktop.DBus', destination='org.freedesktop.DBus', body=[
rule], signature='s')
def x(_):
rule_id = self.router.addMatch(callback, mtype, sender, interface,
member, path, path_namespace, destination, arg, arg_path,
arg0namespace)
self.match_rules[rule_id] = rule
return rule_id
d.addCallbacks(ok)
return d
| addMatch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback, mtype=None, sender=None, interface=None, member=None,\n path=None, path_namespace=None, destination=None, arg=None, arg_path=\n None, arg0namespace=None):\n l = []\n\n def x(k, v):\n if v is not None:\n l.append(\"%s='%s'\" % (k, v))\n add('type', mtype)\n add('sender', sender)\n add('interface', interface)\n add('member', member)\n add('path', path)\n add('path_namespace', path_namespace)\n add('destination', destination)\n if arg:\n for idx, v in arg:\n add('arg%d' % (idx,), v)\n if arg_path:\n for idx, v in arg_path:\n add('arg%dpath' % (idx,), v)\n add('arg0namespace', arg0namespace)\n rule = ','.join(l)\n d = self.callRemote('/org/freedesktop/DBus', 'AddMatch', interface=\n 'org.freedesktop.DBus', destination='org.freedesktop.DBus', body=[\n rule], signature='s')\n\n def x(_):\n rule_id = self.router.addMatch(callback, mtype, sender, interface,\n member, path, path_namespace, destination, arg, arg_path,\n arg0namespace)\n self.match_rules[rule_id] = rule\n return rule_id\n d.addCallbacks(ok)\n return d\n",
"role": "user"
},
{
"content": "addMatch",
"role": "assistant"
}
] |
def x(self, busName):
d = self.callRemote('/org/freedesktop/DBus', 'GetNameOwner', interface=
'org.freedesktop.DBus', signature='s', body=[busName], destination=
'org.freedesktop.DBus')
return d
| getNameOwner | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, busName):\n d = self.callRemote('/org/freedesktop/DBus', 'GetNameOwner', interface=\n 'org.freedesktop.DBus', signature='s', body=[busName], destination=\n 'org.freedesktop.DBus')\n return d\n",
"role": "user"
},
{
"content": "getNameOwner",
"role": "assistant"
}
] |
def x(self, newName, allowReplacement=False, replaceExisting=False,
doNotQueue=True, errbackUnlessAcquired=True):
flags = 0
if allowReplacement:
flags |= 1
if replaceExisting:
flags |= 2
if doNotQueue:
flags |= 4
d = self.callRemote('/org/freedesktop/DBus', 'RequestName', interface=
'org.freedesktop.DBus', signature='su', body=[newName, flags],
destination='org.freedesktop.DBus')
def x(r):
if errbackUnlessAcquired and not (r == NAME_ACQUIRED or r ==
NAME_ALREADY_OWNER):
raise error.FailedToAcquireName(newName, r)
return r
d.addCallback(on_result)
return d
| requestBusName | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, newName, allowReplacement=False, replaceExisting=False,\n doNotQueue=True, errbackUnlessAcquired=True):\n flags = 0\n if allowReplacement:\n flags |= 1\n if replaceExisting:\n flags |= 2\n if doNotQueue:\n flags |= 4\n d = self.callRemote('/org/freedesktop/DBus', 'RequestName', interface=\n 'org.freedesktop.DBus', signature='su', body=[newName, flags],\n destination='org.freedesktop.DBus')\n\n def x(r):\n if errbackUnlessAcquired and not (r == NAME_ACQUIRED or r ==\n NAME_ALREADY_OWNER):\n raise error.FailedToAcquireName(newName, r)\n return r\n d.addCallback(on_result)\n return d\n",
"role": "user"
},
{
"content": "requestBusName",
"role": "assistant"
}
] |
def x(self, busName, objectPath, replaceKnownInterfaces=False):
d = self.callRemote(objectPath, 'Introspect', interface=
'org.freedesktop.DBus.Introspectable', destination=busName)
def x(xml_str):
return introspection.getInterfacesFromXML(xml_str,
replaceKnownInterfaces)
def x(e):
raise error.IntrospectionFailed('Introspection Failed: ' + e.
getErrorMessage())
d.addCallbacks(ok, err)
return d
| introspectRemoteObject | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, busName, objectPath, replaceKnownInterfaces=False):\n d = self.callRemote(objectPath, 'Introspect', interface=\n 'org.freedesktop.DBus.Introspectable', destination=busName)\n\n def x(xml_str):\n return introspection.getInterfacesFromXML(xml_str,\n replaceKnownInterfaces)\n\n def x(e):\n raise error.IntrospectionFailed('Introspection Failed: ' + e.\n getErrorMessage())\n d.addCallbacks(ok, err)\n return d\n",
"role": "user"
},
{
"content": "introspectRemoteObject",
"role": "assistant"
}
] |
def x(self, msg, returnSignature):
if msg is None:
return None
if returnSignature != _NO_CHECK_RETURN:
if not returnSignature:
if msg.signature:
raise error.RemoteError('Unexpected return value signature')
elif not msg.signature or msg.signature != returnSignature:
msg = 'Expected "%s". Received "%s"' % (str(returnSignature),
str(msg.signature))
raise error.RemoteError('Unexpected return value signature: %s' %
(msg,))
if msg.body is None or len(msg.body) == 0:
return None
if len(msg.body) == 1 and not msg.signature[0] == '(':
return msg.body[0]
else:
return msg.body
| cbCvtReply | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg, returnSignature):\n if msg is None:\n return None\n if returnSignature != _NO_CHECK_RETURN:\n if not returnSignature:\n if msg.signature:\n raise error.RemoteError('Unexpected return value signature')\n elif not msg.signature or msg.signature != returnSignature:\n msg = 'Expected \"%s\". Received \"%s\"' % (str(returnSignature),\n str(msg.signature))\n raise error.RemoteError('Unexpected return value signature: %s' %\n (msg,))\n if msg.body is None or len(msg.body) == 0:\n return None\n if len(msg.body) == 1 and not msg.signature[0] == '(':\n return msg.body[0]\n else:\n return msg.body\n",
"role": "user"
},
{
"content": "cbCvtReply",
"role": "assistant"
}
] |
def x(self, objectPath, methodName, interface=None, destination=None,
signature=None, body=None, expectReply=True, autoStart=True, timeout=
None, returnSignature=_NO_CHECK_RETURN):
try:
mcall = message.MethodCallMessage(objectPath, methodName, interface
=interface, destination=destination, signature=signature, body=
body, expectReply=expectReply, autoStart=autoStart, oobFDs=self
._toBeSentFDs)
d = self.callRemoteMessage(mcall, timeout)
d.addCallback(self._cbCvtReply, returnSignature)
return d
except Exception:
return defer.fail()
| callRemote | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, objectPath, methodName, interface=None, destination=None,\n signature=None, body=None, expectReply=True, autoStart=True, timeout=\n None, returnSignature=_NO_CHECK_RETURN):\n try:\n mcall = message.MethodCallMessage(objectPath, methodName, interface\n =interface, destination=destination, signature=signature, body=\n body, expectReply=expectReply, autoStart=autoStart, oobFDs=self\n ._toBeSentFDs)\n d = self.callRemoteMessage(mcall, timeout)\n d.addCallback(self._cbCvtReply, returnSignature)\n return d\n except Exception:\n return defer.fail()\n",
"role": "user"
},
{
"content": "callRemote",
"role": "assistant"
}
] |
def x(self, serial, d):
del self._pendingCalls[serial]
d.errback(error.TimeOut('Method call timed out'))
| onMethodTimeout | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, serial, d):\n del self._pendingCalls[serial]\n d.errback(error.TimeOut('Method call timed out'))\n",
"role": "user"
},
{
"content": "onMethodTimeout",
"role": "assistant"
}
] |
def x(self, mcall, timeout=None):
assert isinstance(mcall, message.MethodCallMessage)
if mcall.expectReply:
d = defer.Deferred()
if timeout:
timeout = reactor.callLater(timeout, self._onMethodTimeout,
mcall.serial, d)
self._pendingCalls[mcall.serial] = d, timeout
self.sendMessage(mcall)
return d
else:
self.sendMessage(mcall)
return defer.succeed(None)
| callRemoteMessage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mcall, timeout=None):\n assert isinstance(mcall, message.MethodCallMessage)\n if mcall.expectReply:\n d = defer.Deferred()\n if timeout:\n timeout = reactor.callLater(timeout, self._onMethodTimeout,\n mcall.serial, d)\n self._pendingCalls[mcall.serial] = d, timeout\n self.sendMessage(mcall)\n return d\n else:\n self.sendMessage(mcall)\n return defer.succeed(None)\n",
"role": "user"
},
{
"content": "callRemoteMessage",
"role": "assistant"
}
] |
def x(self, mret):
d, timeout = self._pendingCalls.get(mret.reply_serial, (None, None))
if timeout:
timeout.cancel()
if d:
del self._pendingCalls[mret.reply_serial]
d.callback(mret)
| methodReturnReceived | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mret):\n d, timeout = self._pendingCalls.get(mret.reply_serial, (None, None))\n if timeout:\n timeout.cancel()\n if d:\n del self._pendingCalls[mret.reply_serial]\n d.callback(mret)\n",
"role": "user"
},
{
"content": "methodReturnReceived",
"role": "assistant"
}
] |
def x(self, merr):
d, timeout = self._pendingCalls.get(merr.reply_serial, (None, None))
if timeout:
timeout.cancel()
if d:
del self._pendingCalls[merr.reply_serial]
e = error.RemoteError(merr.error_name)
e.message = ''
e.values = []
if merr.body:
if isinstance(merr.body[0], six.string_types):
e.message = merr.body[0]
e.values = merr.body
d.errback(e)
| errorReceived | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, merr):\n d, timeout = self._pendingCalls.get(merr.reply_serial, (None, None))\n if timeout:\n timeout.cancel()\n if d:\n del self._pendingCalls[merr.reply_serial]\n e = error.RemoteError(merr.error_name)\n e.message = ''\n e.values = []\n if merr.body:\n if isinstance(merr.body[0], six.string_types):\n e.message = merr.body[0]\n e.values = merr.body\n d.errback(e)\n",
"role": "user"
},
{
"content": "errorReceived",
"role": "assistant"
}
] |
def x(reactor, client=True):
env = os.environ.get('DBUS_SESSION_BUS_ADDRESS', None)
if env is None:
raise Exception('DBus Session environment variable not set')
return getDBusEndpoints(reactor, env, client)
| getDBusEnvEndpoints | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reactor, client=True):\n env = os.environ.get('DBUS_SESSION_BUS_ADDRESS', None)\n if env is None:\n raise Exception('DBus Session environment variable not set')\n return getDBusEndpoints(reactor, env, client)\n",
"role": "user"
},
{
"content": "getDBusEnvEndpoints",
"role": "assistant"
}
] |
def x(reactor, busAddress, client=True):
if busAddress == 'session':
addrString = os.environ.get('DBUS_SESSION_BUS_ADDRESS', None)
if addrString is None:
raise Exception('DBus Session environment variable not set')
elif busAddress == 'system':
addrString = os.environ.get('DBUS_SYSTEM_BUS_ADDRESS',
'unix:path=/var/run/dbus/system_bus_socket')
else:
addrString = busAddress
epl = []
for ep_addr in addrString.split(';'):
d = {}
kind = None
ep = None
for c in ep_addr.split(','):
if c.startswith('unix:'):
kind = 'unix'
c = c[5:]
elif c.startswith('tcp:'):
kind = 'tcp'
c = c[4:]
elif c.startswith('nonce-tcp:'):
kind = 'tcp'
c = c[10:]
d['nonce-tcp'] = True
elif c.startswith('launchd:'):
kind = 'launchd'
c = c[7:]
if '=' in c:
k, v = c.split('=')
d[k] = v
if kind == 'unix':
if 'path' in d:
path = d['path']
elif 'tmpdir' in d:
path = d['tmpdir'] + '/dbus-' + str(os.getpid())
elif 'abstract' in d:
path = '\x00' + d['abstract']
if client:
ep = UNIXClientEndpoint(reactor, path=path)
else:
ep = UNIXServerEndpoint(reactor, address=path)
elif kind == 'tcp':
if client:
ep = TCP4ClientEndpoint(reactor, d['host'], int(d['port']))
else:
ep = TCP4ServerEndpoint(reactor, int(d['port']), interface=
d['host'])
if ep:
ep.dbus_args = d
epl.append(ep)
return epl
| getDBusEndpoints | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reactor, busAddress, client=True):\n if busAddress == 'session':\n addrString = os.environ.get('DBUS_SESSION_BUS_ADDRESS', None)\n if addrString is None:\n raise Exception('DBus Session environment variable not set')\n elif busAddress == 'system':\n addrString = os.environ.get('DBUS_SYSTEM_BUS_ADDRESS',\n 'unix:path=/var/run/dbus/system_bus_socket')\n else:\n addrString = busAddress\n epl = []\n for ep_addr in addrString.split(';'):\n d = {}\n kind = None\n ep = None\n for c in ep_addr.split(','):\n if c.startswith('unix:'):\n kind = 'unix'\n c = c[5:]\n elif c.startswith('tcp:'):\n kind = 'tcp'\n c = c[4:]\n elif c.startswith('nonce-tcp:'):\n kind = 'tcp'\n c = c[10:]\n d['nonce-tcp'] = True\n elif c.startswith('launchd:'):\n kind = 'launchd'\n c = c[7:]\n if '=' in c:\n k, v = c.split('=')\n d[k] = v\n if kind == 'unix':\n if 'path' in d:\n path = d['path']\n elif 'tmpdir' in d:\n path = d['tmpdir'] + '/dbus-' + str(os.getpid())\n elif 'abstract' in d:\n path = '\\x00' + d['abstract']\n if client:\n ep = UNIXClientEndpoint(reactor, path=path)\n else:\n ep = UNIXServerEndpoint(reactor, address=path)\n elif kind == 'tcp':\n if client:\n ep = TCP4ClientEndpoint(reactor, d['host'], int(d['port']))\n else:\n ep = TCP4ServerEndpoint(reactor, int(d['port']), interface=\n d['host'])\n if ep:\n ep.dbus_args = d\n epl.append(ep)\n return epl\n",
"role": "user"
},
{
"content": "getDBusEndpoints",
"role": "assistant"
}
] |
def x(p):
if not p.startswith('/'):
raise MarshallingError('Object paths must begin with a "/"')
if len(p) > 1 and p[-1] == '/':
raise MarshallingError('Object paths may not end with "/"')
if '//' in p:
raise MarshallingError('"//" is not allowed in object paths"')
if invalid_obj_path_re.search(p):
raise MarshallingError('Invalid characters contained in object path')
| validateObjectPath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if not p.startswith('/'):\n raise MarshallingError('Object paths must begin with a \"/\"')\n if len(p) > 1 and p[-1] == '/':\n raise MarshallingError('Object paths may not end with \"/\"')\n if '//' in p:\n raise MarshallingError('\"//\" is not allowed in object paths\"')\n if invalid_obj_path_re.search(p):\n raise MarshallingError('Invalid characters contained in object path')\n",
"role": "user"
},
{
"content": "validateObjectPath",
"role": "assistant"
}
] |
def x(n):
try:
if '.' not in n:
raise Exception('At least two components required')
if '..' in n:
raise Exception('".." not allowed in interface names')
if len(n) > 255:
raise Exception('Name exceeds maximum length of 255')
if n[0] == '.':
raise Exception('Names may not begin with a "."')
if n[0].isdigit():
raise Exception('Names may not begin with a digit')
if if_re.search(n):
raise Exception(
'Names contains a character outside the set [A-Za-z0-9_.]')
if dot_digit_re.search(n):
raise Exception(
'No components of an interface name may begin with a digit')
except Exception as e:
raise MarshallingError('Invalid interface name "%s": %s' % (n, str(e)))
| validateInterfaceName | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n):\n try:\n if '.' not in n:\n raise Exception('At least two components required')\n if '..' in n:\n raise Exception('\"..\" not allowed in interface names')\n if len(n) > 255:\n raise Exception('Name exceeds maximum length of 255')\n if n[0] == '.':\n raise Exception('Names may not begin with a \".\"')\n if n[0].isdigit():\n raise Exception('Names may not begin with a digit')\n if if_re.search(n):\n raise Exception(\n 'Names contains a character outside the set [A-Za-z0-9_.]')\n if dot_digit_re.search(n):\n raise Exception(\n 'No components of an interface name may begin with a digit')\n except Exception as e:\n raise MarshallingError('Invalid interface name \"%s\": %s' % (n, str(e)))\n",
"role": "user"
},
{
"content": "validateInterfaceName",
"role": "assistant"
}
] |
def x(n):
try:
if '.' not in n:
raise Exception('At least two components required')
if '..' in n:
raise Exception('".." not allowed in bus names')
if len(n) > 255:
raise Exception('Name exceeds maximum length of 255')
if n[0] == '.':
raise Exception('Names may not begin with a "."')
if n[0].isdigit():
raise Exception('Names may not begin with a digit')
if bus_re.search(n):
raise Exception(
'Names contains a character outside the set [A-Za-z0-9_.\\-:]')
if not n[0] == ':' and dot_digit_re.search(n):
raise Exception(
'No coponents of an interface name may begin with a digit')
except Exception as e:
raise MarshallingError('Invalid bus name "%s": %s' % (n, str(e)))
| validateBusName | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n):\n try:\n if '.' not in n:\n raise Exception('At least two components required')\n if '..' in n:\n raise Exception('\"..\" not allowed in bus names')\n if len(n) > 255:\n raise Exception('Name exceeds maximum length of 255')\n if n[0] == '.':\n raise Exception('Names may not begin with a \".\"')\n if n[0].isdigit():\n raise Exception('Names may not begin with a digit')\n if bus_re.search(n):\n raise Exception(\n 'Names contains a character outside the set [A-Za-z0-9_.\\\\-:]')\n if not n[0] == ':' and dot_digit_re.search(n):\n raise Exception(\n 'No coponents of an interface name may begin with a digit')\n except Exception as e:\n raise MarshallingError('Invalid bus name \"%s\": %s' % (n, str(e)))\n",
"role": "user"
},
{
"content": "validateBusName",
"role": "assistant"
}
] |
def x(n):
try:
if len(n) < 1:
raise Exception('Name must be at least one byte in length')
if len(n) > 255:
raise Exception('Name exceeds maximum length of 255')
if n[0].isdigit():
raise Exception('Names may not begin with a digit')
if mbr_re.search(n):
raise Exception(
'Names contains a character outside the set [A-Za-z0-9_]')
except Exception as e:
raise MarshallingError('Invalid member name "%s": %s' % (n, str(e)))
| validateMemberName | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n):\n try:\n if len(n) < 1:\n raise Exception('Name must be at least one byte in length')\n if len(n) > 255:\n raise Exception('Name exceeds maximum length of 255')\n if n[0].isdigit():\n raise Exception('Names may not begin with a digit')\n if mbr_re.search(n):\n raise Exception(\n 'Names contains a character outside the set [A-Za-z0-9_]')\n except Exception as e:\n raise MarshallingError('Invalid member name \"%s\": %s' % (n, str(e)))\n",
"role": "user"
},
{
"content": "validateMemberName",
"role": "assistant"
}
] |
def x(self, fd):
f = os.fdopen(fd, 'rb')
result = len(f.read())
f.close()
return result
| dbus_lenFD | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fd):\n f = os.fdopen(fd, 'rb')\n result = len(f.read())\n f.close()\n return result\n",
"role": "user"
},
{
"content": "dbus_lenFD",
"role": "assistant"
}
] |
def x(self, fd, byte_count):
f = os.fdopen(fd, 'rb')
result = f.read(byte_count)
f.close()
return bytearray(result)
| dbus_readBytesFD | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fd, byte_count):\n f = os.fdopen(fd, 'rb')\n result = f.read(byte_count)\n f.close()\n return bytearray(result)\n",
"role": "user"
},
{
"content": "dbus_readBytesFD",
"role": "assistant"
}
] |
def x(self, fd1, fd2, byte_count):
result = bytearray()
for fd in (fd1, fd2):
f = os.fdopen(fd, 'rb')
result.extend(f.read(byte_count))
f.close()
return result
| dbus_readBytesTwoFDs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fd1, fd2, byte_count):\n result = bytearray()\n for fd in (fd1, fd2):\n f = os.fdopen(fd, 'rb')\n result.extend(f.read(byte_count))\n f.close()\n return result\n",
"role": "user"
},
{
"content": "dbus_readBytesTwoFDs",
"role": "assistant"
}
] |
def x(objectPath, exportedObjects):
l = [_dtd_decl]
l.append('<node name="%s">' % (objectPath,))
obj = exportedObjects.get(objectPath, None)
if obj is not None:
for i in obj.getInterfaces():
l.append(i.introspectionXml)
l.append(_intro)
if not objectPath.endswith('/'):
objectPath += '/'
matches = []
for path in exportedObjects.keys():
if path.startswith(objectPath):
path = path[len(objectPath):].partition('/')[0]
if path not in matches:
matches.append(path)
if obj is None and not matches:
return None
for m in matches:
l.append('<node name="%s"/>' % m)
l.append('</node>')
return '\n'.join(l)
| generateIntrospectionXML | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(objectPath, exportedObjects):\n l = [_dtd_decl]\n l.append('<node name=\"%s\">' % (objectPath,))\n obj = exportedObjects.get(objectPath, None)\n if obj is not None:\n for i in obj.getInterfaces():\n l.append(i.introspectionXml)\n l.append(_intro)\n if not objectPath.endswith('/'):\n objectPath += '/'\n matches = []\n for path in exportedObjects.keys():\n if path.startswith(objectPath):\n path = path[len(objectPath):].partition('/')[0]\n if path not in matches:\n matches.append(path)\n if obj is None and not matches:\n return None\n for m in matches:\n l.append('<node name=\"%s\"/>' % m)\n l.append('</node>')\n return '\\n'.join(l)\n",
"role": "user"
},
{
"content": "generateIntrospectionXML",
"role": "assistant"
}
] |
def x(xmlStr, replaceKnownInterfaces=False):
handler = IntrospectionHandler(replaceKnownInterfaces)
xmlStr = xmlStr.strip()
if xmlStr.startswith('<!DOCTYPE'):
xmlStr = xmlStr[xmlStr.find('>') + 1:]
p = xml.sax.make_parser()
p.setFeature(xml.sax.handler.feature_validation, False)
p.setFeature(xml.sax.handler.feature_external_ges, False)
p.setContentHandler(handler)
p.parse(cStringIO(xmlStr))
return handler.interfaces
| getInterfacesFromXML | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xmlStr, replaceKnownInterfaces=False):\n handler = IntrospectionHandler(replaceKnownInterfaces)\n xmlStr = xmlStr.strip()\n if xmlStr.startswith('<!DOCTYPE'):\n xmlStr = xmlStr[xmlStr.find('>') + 1:]\n p = xml.sax.make_parser()\n p.setFeature(xml.sax.handler.feature_validation, False)\n p.setFeature(xml.sax.handler.feature_external_ges, False)\n p.setContentHandler(handler)\n p.parse(cStringIO(xmlStr))\n return handler.interfaces\n",
"role": "user"
},
{
"content": "getInterfacesFromXML",
"role": "assistant"
}
] |
def x(self, proto):
proto.uniqueName = ':1.%d' % (self.next_id,)
self.next_id += 1
self.clients[proto.uniqueName] = proto
| clientConnected | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, proto):\n proto.uniqueName = ':1.%d' % (self.next_id,)\n self.next_id += 1\n self.clients[proto.uniqueName] = proto\n",
"role": "user"
},
{
"content": "clientConnected",
"role": "assistant"
}
] |
def x(self, proto):
for rule_id in proto.matchRules:
self.router.delMatch(rule_id)
for busName in proto.busNames.keys():
self.dbus_ReleaseName(busName, proto.uniqueName)
if proto.uniqueName:
del self.clients[proto.uniqueName]
| clientDisconnected | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, proto):\n for rule_id in proto.matchRules:\n self.router.delMatch(rule_id)\n for busName in proto.busNames.keys():\n self.dbus_ReleaseName(busName, proto.uniqueName)\n if proto.uniqueName:\n del self.clients[proto.uniqueName]\n",
"role": "user"
},
{
"content": "clientDisconnected",
"role": "assistant"
}
] |
def x(self, msg):
if msg._messageType in (1, 2):
assert msg.destination, 'Failed to specify a message destination'
if msg.destination is not None:
if msg.destination[0] == ':':
p = self.clients.get(msg.destination, None)
else:
p = self.busNames.get(msg.destination, None)
if p:
p = p[0]
if p:
p.sendMessage(msg)
else:
log.msg('Invalid bus name in msg.destination: ' + msg.destination)
else:
self.router.routeMessage(msg)
| sendMessage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n if msg._messageType in (1, 2):\n assert msg.destination, 'Failed to specify a message destination'\n if msg.destination is not None:\n if msg.destination[0] == ':':\n p = self.clients.get(msg.destination, None)\n else:\n p = self.busNames.get(msg.destination, None)\n if p:\n p = p[0]\n if p:\n p.sendMessage(msg)\n else:\n log.msg('Invalid bus name in msg.destination: ' + msg.destination)\n else:\n self.router.routeMessage(msg)\n",
"role": "user"
},
{
"content": "sendMessage",
"role": "assistant"
}
] |
def x(self, p, member, signature=None, body=None, path=
'/org/freedesktop/DBus', interface='org.freedesktop.DBus'):
if not isinstance(body, (list, tuple)):
body = [body]
s = message.SignalMessage(path, member, interface, p.uniqueName,
signature, body)
p.sendMessage(s)
| sendSignal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p, member, signature=None, body=None, path=\n '/org/freedesktop/DBus', interface='org.freedesktop.DBus'):\n if not isinstance(body, (list, tuple)):\n body = [body]\n s = message.SignalMessage(path, member, interface, p.uniqueName,\n signature, body)\n p.sendMessage(s)\n",
"role": "user"
},
{
"content": "sendSignal",
"role": "assistant"
}
] |
def x(self, member, signature=None, body=None, path='/org/freedesktop/DBus',
interface='org.freedesktop.DBus'):
if not isinstance(body, (list, tuple)):
body = [body]
s = message.SignalMessage(path, member, interface, None, signature, body)
self.router.routeMessage(s)
| broadcastSignal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, member, signature=None, body=None, path='/org/freedesktop/DBus',\n interface='org.freedesktop.DBus'):\n if not isinstance(body, (list, tuple)):\n body = [body]\n s = message.SignalMessage(path, member, interface, None, signature, body)\n self.router.routeMessage(s)\n",
"role": "user"
},
{
"content": "broadcastSignal",
"role": "assistant"
}
] |
def x(rawMessage, oobFDs):
lendian = rawMessage[0] == b'l'[0]
nheader, hval = marshal.unmarshal(_headerFormat, rawMessage, 0, lendian,
oobFDs)
messageType = hval[1]
if messageType not in _mtype:
raise error.MarshallingError('Unknown Message Type: ' + str(
messageType))
m = object.__new__(_mtype[messageType])
m.rawHeader = rawMessage[:nheader]
npad = nheader % 8 and 8 - nheader % 8 or 0
m.rawPadding = rawMessage[nheader:nheader + npad]
m.rawBody = rawMessage[nheader + npad:]
m.serial = hval[5]
for code, v in hval[6]:
try:
setattr(m, _hcode[code], v)
except KeyError:
pass
if m.signature:
nbytes, m.body = marshal.unmarshal(m.signature, m.rawBody, lendian=
lendian, oobFDs=oobFDs)
return m
| parseMessage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rawMessage, oobFDs):\n lendian = rawMessage[0] == b'l'[0]\n nheader, hval = marshal.unmarshal(_headerFormat, rawMessage, 0, lendian,\n oobFDs)\n messageType = hval[1]\n if messageType not in _mtype:\n raise error.MarshallingError('Unknown Message Type: ' + str(\n messageType))\n m = object.__new__(_mtype[messageType])\n m.rawHeader = rawMessage[:nheader]\n npad = nheader % 8 and 8 - nheader % 8 or 0\n m.rawPadding = rawMessage[nheader:nheader + npad]\n m.rawBody = rawMessage[nheader + npad:]\n m.serial = hval[5]\n for code, v in hval[6]:\n try:\n setattr(m, _hcode[code], v)\n except KeyError:\n pass\n if m.signature:\n nbytes, m.body = marshal.unmarshal(m.signature, m.rawBody, lendian=\n lendian, oobFDs=oobFDs)\n return m\n",
"role": "user"
},
{
"content": "parseMessage",
"role": "assistant"
}
] |
def x(self, newSerial=True, oobFDs=None):
flags = 0
if not self.expectReply:
flags |= 1
if not self.autoStart:
flags |= 2
_headerAttrs = self._headerAttrs
if self.signature:
binBody = b''.join(marshal.marshal(self.signature, self.body,
oobFDs=oobFDs)[1])
if oobFDs:
_headerAttrs = list(self._headerAttrs)
_headerAttrs.append(('unix_fds', 9, False))
self.unix_fds = len(oobFDs)
else:
binBody = b''
self.headers = []
for attr_name, code, _ in _headerAttrs:
hval = getattr(self, attr_name, None)
if hval is not None:
if attr_name == 'path':
hval = marshal.ObjectPath(hval)
elif attr_name == 'signature':
hval = marshal.Signature(hval)
elif attr_name == 'unix_fds':
hval = marshal.UInt32(hval)
self.headers.append([code, hval])
self.bodyLength = len(binBody)
if newSerial:
self.serial = DBusMessage._nextSerial
DBusMessage._nextSerial += 1
binHeader = b''.join(marshal.marshal(_headerFormat, [self.endian, self.
_messageType, flags, self._protocolVersion, self.bodyLength, self.
serial, self.headers], lendian=self.endian == ord('l'))[1])
headerPadding = marshal.pad['header'](len(binHeader))
self.rawHeader = binHeader
self.rawPadding = headerPadding
self.rawBody = binBody
self.rawMessage = b''.join([binHeader, headerPadding, binBody])
if len(self.rawMessage) > self._maxMsgLen:
raise error.MarshallingError(
'Marshalled message exceeds maximum message size of %d' % (self
._maxMsgLen,))
| marshal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, newSerial=True, oobFDs=None):\n flags = 0\n if not self.expectReply:\n flags |= 1\n if not self.autoStart:\n flags |= 2\n _headerAttrs = self._headerAttrs\n if self.signature:\n binBody = b''.join(marshal.marshal(self.signature, self.body,\n oobFDs=oobFDs)[1])\n if oobFDs:\n _headerAttrs = list(self._headerAttrs)\n _headerAttrs.append(('unix_fds', 9, False))\n self.unix_fds = len(oobFDs)\n else:\n binBody = b''\n self.headers = []\n for attr_name, code, _ in _headerAttrs:\n hval = getattr(self, attr_name, None)\n if hval is not None:\n if attr_name == 'path':\n hval = marshal.ObjectPath(hval)\n elif attr_name == 'signature':\n hval = marshal.Signature(hval)\n elif attr_name == 'unix_fds':\n hval = marshal.UInt32(hval)\n self.headers.append([code, hval])\n self.bodyLength = len(binBody)\n if newSerial:\n self.serial = DBusMessage._nextSerial\n DBusMessage._nextSerial += 1\n binHeader = b''.join(marshal.marshal(_headerFormat, [self.endian, self.\n _messageType, flags, self._protocolVersion, self.bodyLength, self.\n serial, self.headers], lendian=self.endian == ord('l'))[1])\n headerPadding = marshal.pad['header'](len(binHeader))\n self.rawHeader = binHeader\n self.rawPadding = headerPadding\n self.rawBody = binBody\n self.rawMessage = b''.join([binHeader, headerPadding, binBody])\n if len(self.rawMessage) > self._maxMsgLen:\n raise error.MarshallingError(\n 'Marshalled message exceeds maximum message size of %d' % (self\n ._maxMsgLen,))\n",
"role": "user"
},
{
"content": "marshal",
"role": "assistant"
}
] |
def x(self, plaintext):
if not isinstance(plaintext, int):
raise ValueError('Plaintext must be an integer value')
if not self.in_range.contains(plaintext):
raise OutOfRangeError('Plaintext is not within the input range')
return self.encrypt_recursive(plaintext, self.in_range, self.out_range)
| encrypt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, plaintext):\n if not isinstance(plaintext, int):\n raise ValueError('Plaintext must be an integer value')\n if not self.in_range.contains(plaintext):\n raise OutOfRangeError('Plaintext is not within the input range')\n return self.encrypt_recursive(plaintext, self.in_range, self.out_range)\n",
"role": "user"
},
{
"content": "encrypt",
"role": "assistant"
}
] |
def x(self, ciphertext):
if not isinstance(ciphertext, int):
raise ValueError('Ciphertext must be an integer value')
if not self.out_range.contains(ciphertext):
raise OutOfRangeError('Ciphertext is not within the output range')
return self.decrypt_recursive(ciphertext, self.in_range, self.out_range)
| decrypt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ciphertext):\n if not isinstance(ciphertext, int):\n raise ValueError('Ciphertext must be an integer value')\n if not self.out_range.contains(ciphertext):\n raise OutOfRangeError('Ciphertext is not within the output range')\n return self.decrypt_recursive(ciphertext, self.in_range, self.out_range)\n",
"role": "user"
},
{
"content": "decrypt",
"role": "assistant"
}
] |
def x(self, data):
data = str(data).encode()
hmac_obj = hmac.HMAC(self.key, digestmod=hashlib.sha256)
hmac_obj.update(data)
assert hmac_obj.digest_size == 32
digest = hmac_obj.digest()
aes_algo = algorithms.AES(digest)
aes_cipher = Cipher(aes_algo, mode=CTR(b'\x00' * 16), backend=
default_backend())
encryptor = aes_cipher.encryptor()
while True:
encrypted_bytes = encryptor.update(b'\x00' * 16)
bits = util.str_to_bitstring(encrypted_bytes)
for bit in bits:
yield bit
| tape_gen | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n data = str(data).encode()\n hmac_obj = hmac.HMAC(self.key, digestmod=hashlib.sha256)\n hmac_obj.update(data)\n assert hmac_obj.digest_size == 32\n digest = hmac_obj.digest()\n aes_algo = algorithms.AES(digest)\n aes_cipher = Cipher(aes_algo, mode=CTR(b'\\x00' * 16), backend=\n default_backend())\n encryptor = aes_cipher.encryptor()\n while True:\n encrypted_bytes = encryptor.update(b'\\x00' * 16)\n bits = util.str_to_bitstring(encrypted_bytes)\n for bit in bits:\n yield bit\n",
"role": "user"
},
{
"content": "tape_gen",
"role": "assistant"
}
] |
def x(block_size=32):
random_seq = os.urandom(block_size)
random_key = base64.b64encode(random_seq)
return random_key
| generate_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block_size=32):\n random_seq = os.urandom(block_size)\n random_key = base64.b64encode(random_seq)\n return random_key\n",
"role": "user"
},
{
"content": "generate_key",
"role": "assistant"
}
] |
def x(byte):
assert 0 <= byte <= 255
bits = [int(x) for x in list(bin(byte + 256)[3:])]
return bits
| byte_to_bitstring | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(byte):\n assert 0 <= byte <= 255\n bits = [int(x) for x in list(bin(byte + 256)[3:])]\n return bits\n",
"role": "user"
},
{
"content": "byte_to_bitstring",
"role": "assistant"
}
] |
def x(data):
assert isinstance(data, bytes), 'Data must be an instance of bytes'
byte_list = data_to_byte_list(data)
bit_list = [bit for data_byte in byte_list for bit in byte_to_bitstring
(data_byte)]
return bit_list
| str_to_bitstring | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n assert isinstance(data, bytes), 'Data must be an instance of bytes'\n byte_list = data_to_byte_list(data)\n bit_list = [bit for data_byte in byte_list for bit in byte_to_bitstring\n (data_byte)]\n return bit_list\n",
"role": "user"
},
{
"content": "str_to_bitstring",
"role": "assistant"
}
] |
def x(in_range, out_range, nsample, seed_coins):
in_size = in_range.size()
out_size = out_range.size()
assert in_size > 0 and out_size > 0
assert in_size <= out_size
assert out_range.contains(nsample)
nsample_index = nsample - out_range.start + 1
if in_size == out_size:
return in_range.start + nsample_index - 1
in_sample_num = HGD.rhyper(nsample_index, in_size, out_size - in_size,
seed_coins)
if in_sample_num == 0:
return in_range.start
else:
in_sample = in_range.start + in_sample_num - 1
assert in_range.contains(in_sample)
return in_sample
| sample_hgd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(in_range, out_range, nsample, seed_coins):\n in_size = in_range.size()\n out_size = out_range.size()\n assert in_size > 0 and out_size > 0\n assert in_size <= out_size\n assert out_range.contains(nsample)\n nsample_index = nsample - out_range.start + 1\n if in_size == out_size:\n return in_range.start + nsample_index - 1\n in_sample_num = HGD.rhyper(nsample_index, in_size, out_size - in_size,\n seed_coins)\n if in_sample_num == 0:\n return in_range.start\n else:\n in_sample = in_range.start + in_sample_num - 1\n assert in_range.contains(in_sample)\n return in_sample\n",
"role": "user"
},
{
"content": "sample_hgd",
"role": "assistant"
}
] |
def x(in_range, seed_coins):
if isinstance(seed_coins, list):
seed_coins.append(None)
seed_coins = iter(seed_coins)
cur_range = in_range.copy()
assert cur_range.size() != 0
while cur_range.size() > 1:
mid = (cur_range.start + cur_range.end) // 2
bit = next(seed_coins)
if bit == 0:
cur_range.end = mid
elif bit == 1:
cur_range.start = mid + 1
elif bit is None:
raise NotEnoughCoinsError()
else:
raise InvalidCoinError()
assert cur_range.size() == 1
return cur_range.start
| sample_uniform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(in_range, seed_coins):\n if isinstance(seed_coins, list):\n seed_coins.append(None)\n seed_coins = iter(seed_coins)\n cur_range = in_range.copy()\n assert cur_range.size() != 0\n while cur_range.size() > 1:\n mid = (cur_range.start + cur_range.end) // 2\n bit = next(seed_coins)\n if bit == 0:\n cur_range.end = mid\n elif bit == 1:\n cur_range.start = mid + 1\n elif bit is None:\n raise NotEnoughCoinsError()\n else:\n raise InvalidCoinError()\n assert cur_range.size() == 1\n return cur_range.start\n",
"role": "user"
},
{
"content": "sample_uniform",
"role": "assistant"
}
] |
def x(factory, *args, **kwargs):
downloader = factory(*args, **kwargs)
if downloader.scheme == 'https':
from twisted.internet import ssl
contextFactory = ssl.ClientContextFactory()
reactor.connectSSL(downloader.host, downloader.port, downloader,
contextFactory)
else:
reactor.connectTCP(downloader.host, downloader.port, downloader)
return downloader
| downloadPage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(factory, *args, **kwargs):\n downloader = factory(*args, **kwargs)\n if downloader.scheme == 'https':\n from twisted.internet import ssl\n contextFactory = ssl.ClientContextFactory()\n reactor.connectSSL(downloader.host, downloader.port, downloader,\n contextFactory)\n else:\n reactor.connectTCP(downloader.host, downloader.port, downloader)\n return downloader\n",
"role": "user"
},
{
"content": "downloadPage",
"role": "assistant"
}
] |
def x(self, fields, files):
boundary = mimetools.choose_boundary()
crlf = '\r\n'
l = []
for k, v in fields:
l.append('--' + boundary)
l.append('Content-Disposition: form-data; name="%s"' % k)
l.append('')
l.append(v)
for k, f, v in files:
l.append('--' + boundary)
l.append('Content-Disposition: form-data; name="%s"; filename="%s"' %
(k, f))
l.append('Content-Type: %s' % self.__getContentType(f))
l.append('')
l.append(v)
l.append('--' + boundary + '--')
l.append('')
body = crlf.join(l)
return boundary, body
| encodeMultipart | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fields, files):\n boundary = mimetools.choose_boundary()\n crlf = '\\r\\n'\n l = []\n for k, v in fields:\n l.append('--' + boundary)\n l.append('Content-Disposition: form-data; name=\"%s\"' % k)\n l.append('')\n l.append(v)\n for k, f, v in files:\n l.append('--' + boundary)\n l.append('Content-Disposition: form-data; name=\"%s\"; filename=\"%s\"' %\n (k, f))\n l.append('Content-Type: %s' % self.__getContentType(f))\n l.append('')\n l.append(v)\n l.append('--' + boundary + '--')\n l.append('')\n body = crlf.join(l)\n return boundary, body\n",
"role": "user"
},
{
"content": "encodeMultipart",
"role": "assistant"
}
] |
def x(self, c):
def x(r):
self.gotHeaders(c.response_headers)
return r
return c.deferred.addBoth(handle_headers)
| clientDefer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, c):\n\n def x(r):\n self.gotHeaders(c.response_headers)\n return r\n return c.deferred.addBoth(handle_headers)\n",
"role": "user"
},
{
"content": "clientDefer",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
logger.debug('download page: %r, %r', args, kwargs)
return self.__clientDefer(downloadPage(*args, **kwargs))
| doDownloadPage | [
{
"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 logger.debug('download page: %r, %r', args, kwargs)\n return self.__clientDefer(downloadPage(*args, **kwargs))\n",
"role": "user"
},
{
"content": "doDownloadPage",
"role": "assistant"
}
] |
def x(self, delegate=None):
parser = txml.Users(delegate)
return self.__downloadPage('/account/verify_credentials.xml', parser)
| verify_credentials | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, delegate=None):\n parser = txml.Users(delegate)\n return self.__downloadPage('/account/verify_credentials.xml', parser)\n",
"role": "user"
},
{
"content": "verify_credentials",
"role": "assistant"
}
] |
def x(self, status, source=None, params={}):
params = params.copy()
params['status'] = status
if source:
params['source'] = source
return self.__parsed_post(self.__post('/statuses/update.xml', params),
txml.parseUpdateResponse)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status, source=None, params={}):\n params = params.copy()\n params['status'] = status\n if source:\n params['source'] = source\n return self.__parsed_post(self.__post('/statuses/update.xml', params),\n txml.parseUpdateResponse)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, id, delegate):
parser = txml.Statuses(delegate)
return self.__postPage('/statuses/retweet/%s.xml' % id, parser)
| retweet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, delegate):\n parser = txml.Statuses(delegate)\n return self.__postPage('/statuses/retweet/%s.xml' % id, parser)\n",
"role": "user"
},
{
"content": "retweet",
"role": "assistant"
}
] |
def x(self, delegate, params={}, extra_args=None):
return self.__get('/statuses/friends_timeline.xml', delegate, params,
txml.Statuses, extra_args=extra_args)
| friends | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, delegate, params={}, extra_args=None):\n return self.__get('/statuses/friends_timeline.xml', delegate, params,\n txml.Statuses, extra_args=extra_args)\n",
"role": "user"
},
{
"content": "friends",
"role": "assistant"
}
] |
def x(self, delegate, params={}, extra_args=None):
return self.__get('/statuses/home_timeline.xml', delegate, params, txml
.Statuses, extra_args=extra_args)
| home_timeline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, delegate, params={}, extra_args=None):\n return self.__get('/statuses/home_timeline.xml', delegate, params, txml\n .Statuses, extra_args=extra_args)\n",
"role": "user"
},
{
"content": "home_timeline",
"role": "assistant"
}
] |
def x(self, delegate, user=None, params={}, extra_args=None):
if user:
params['id'] = user
return self.__get('/statuses/user_timeline.xml', delegate, params, txml
.Statuses, extra_args=extra_args)
| user_timeline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, delegate, user=None, params={}, extra_args=None):\n if user:\n params['id'] = user\n return self.__get('/statuses/user_timeline.xml', delegate, params, txml\n .Statuses, extra_args=extra_args)\n",
"role": "user"
},
{
"content": "user_timeline",
"role": "assistant"
}
] |
def x(self, delegate, params={}, extra_args=None):
return self.__get('/statuses/public_timeline.atom', delegate, params,
extra_args=extra_args)
| public_timeline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, delegate, params={}, extra_args=None):\n return self.__get('/statuses/public_timeline.atom', delegate, params,\n extra_args=extra_args)\n",
"role": "user"
},
{
"content": "public_timeline",
"role": "assistant"
}
] |
def x(self, delegate, params={}, extra_args=None):
return self.__get('/direct_messages.xml', delegate, params, txml.Direct,
extra_args=extra_args)
| direct_messages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, delegate, params={}, extra_args=None):\n return self.__get('/direct_messages.xml', delegate, params, txml.Direct,\n extra_args=extra_args)\n",
"role": "user"
},
{
"content": "direct_messages",
"role": "assistant"
}
] |
def x(self, text, user=None, delegate=None, screen_name=None, user_id=None,
params={}):
params = params.copy()
if user is not None:
params['user'] = user
if user_id is not None:
params['user_id'] = user_id
if screen_name is not None:
params['screen_name'] = screen_name
params['text'] = text
parser = txml.Direct(delegate)
return self.__postPage('/direct_messages/new.xml', parser, params)
| send_direct_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, user=None, delegate=None, screen_name=None, user_id=None,\n params={}):\n params = params.copy()\n if user is not None:\n params['user'] = user\n if user_id is not None:\n params['user_id'] = user_id\n if screen_name is not None:\n params['screen_name'] = screen_name\n params['text'] = text\n parser = txml.Direct(delegate)\n return self.__postPage('/direct_messages/new.xml', parser, params)\n",
"role": "user"
},
{
"content": "send_direct_message",
"role": "assistant"
}
] |
def x(self, delegate, params={}, extra_args=None):
return self.__get('/statuses/replies.atom', delegate, params,
extra_args=extra_args)
| replies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, delegate, params={}, extra_args=None):\n return self.__get('/statuses/replies.atom', delegate, params,\n extra_args=extra_args)\n",
"role": "user"
},
{
"content": "replies",
"role": "assistant"
}
] |
def x(self, user, delegate):
parser = txml.Users(delegate)
return self.__postPage('/friendships/create/%s.xml' % user, parser)
| follow_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, delegate):\n parser = txml.Users(delegate)\n return self.__postPage('/friendships/create/%s.xml' % user, parser)\n",
"role": "user"
},
{
"content": "follow_user",
"role": "assistant"
}
] |
def x(self, user, delegate):
parser = txml.Users(delegate)
return self.__postPage('/friendships/destroy/%s.xml' % user, parser)
| unfollow_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, delegate):\n parser = txml.Users(delegate)\n return self.__postPage('/friendships/destroy/%s.xml' % user, parser)\n",
"role": "user"
},
{
"content": "unfollow_user",
"role": "assistant"
}
] |
def x(self, delegate, user=None, params={}, extra_args=None, page_delegate=None
):
if user:
url = '/statuses/friends/' + user + '.xml'
else:
url = '/statuses/friends.xml'
return self.__get_maybe_paging(url, delegate, params, txml.
PagedUserList, extra_args, page_delegate)
| list_friends | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, delegate, user=None, params={}, extra_args=None, page_delegate=None\n ):\n if user:\n url = '/statuses/friends/' + user + '.xml'\n else:\n url = '/statuses/friends.xml'\n return self.__get_maybe_paging(url, delegate, params, txml.\n PagedUserList, extra_args, page_delegate)\n",
"role": "user"
},
{
"content": "list_friends",
"role": "assistant"
}
] |
def x(self, user):
url = '/users/show/%s.xml' % user
d = defer.Deferred()
self.__downloadPage(url, txml.Users(lambda u: d.callback(u))).addErrback(
lambda e: d.errback(e))
return d
| show_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user):\n url = '/users/show/%s.xml' % user\n d = defer.Deferred()\n self.__downloadPage(url, txml.Users(lambda u: d.callback(u))).addErrback(\n lambda e: d.errback(e))\n return d\n",
"role": "user"
},
{
"content": "show_user",
"role": "assistant"
}
] |
def x(self, query, delegate, args=None, extra_args=None):
if args is None:
args = {}
args['q'] = query
return self.__doDownloadPage(self.search_url + '?' + self._urlencode(
args), txml.Feed(delegate, extra_args), agent=self.agent)
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, delegate, args=None, extra_args=None):\n if args is None:\n args = {}\n args['q'] = query\n return self.__doDownloadPage(self.search_url + '?' + self._urlencode(\n args), txml.Feed(delegate, extra_args), agent=self.agent)\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self):
service.Service.startService(self)
self._toState('idle')
try:
self.connect()
except NoConsumerError:
pass
| startService | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n service.Service.startService(self)\n self._toState('idle')\n try:\n self.connect()\n except NoConsumerError:\n pass\n",
"role": "user"
},
{
"content": "startService",
"role": "assistant"
}
] |
def x(self, forceReconnect=False):
if self._state == 'stopped':
raise Error('This service is not running. Not connecting.')
if self._state == 'connected':
if forceReconnect:
self._toState('disconnecting')
return True
else:
raise ConnectError('Already connected.')
elif self._state == 'aborting':
raise ConnectError('Aborting connection in progress.')
elif self._state == 'disconnecting':
raise ConnectError('Disconnect in progress.')
elif self._state == 'connecting':
if forceReconnect:
self._toState('aborting')
return True
else:
raise ConnectError('Connect in progress.')
if self.delegate is None:
if self._state != 'idle':
self._toState('idle')
raise NoConsumerError()
if self._state == 'waiting':
if self._reconnectDelayedCall.called:
self._reconnectDelayedCall = None
pass
else:
self._reconnectDelayedCall.reset(0)
return True
self._toState('connecting')
return True
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, forceReconnect=False):\n if self._state == 'stopped':\n raise Error('This service is not running. Not connecting.')\n if self._state == 'connected':\n if forceReconnect:\n self._toState('disconnecting')\n return True\n else:\n raise ConnectError('Already connected.')\n elif self._state == 'aborting':\n raise ConnectError('Aborting connection in progress.')\n elif self._state == 'disconnecting':\n raise ConnectError('Disconnect in progress.')\n elif self._state == 'connecting':\n if forceReconnect:\n self._toState('aborting')\n return True\n else:\n raise ConnectError('Connect in progress.')\n if self.delegate is None:\n if self._state != 'idle':\n self._toState('idle')\n raise NoConsumerError()\n if self._state == 'waiting':\n if self._reconnectDelayedCall.called:\n self._reconnectDelayedCall = None\n pass\n else:\n self._reconnectDelayedCall.reset(0)\n return True\n self._toState('connecting')\n return True\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, protocol):
self._errorState = None
def x(result):
self.protocol = None
if self._state == 'stopped':
pass
else:
if isinstance(result, failure.Failure):
reason = result
else:
reason = None
self._toState('disconnected', reason)
self.protocol = protocol
d = protocol.deferred
d.addBoth(cb)
| makeConnection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, protocol):\n self._errorState = None\n\n def x(result):\n self.protocol = None\n if self._state == 'stopped':\n pass\n else:\n if isinstance(result, failure.Failure):\n reason = result\n else:\n reason = None\n self._toState('disconnected', reason)\n self.protocol = protocol\n d = protocol.deferred\n d.addBoth(cb)\n",
"role": "user"
},
{
"content": "makeConnection",
"role": "assistant"
}
] |
def x(self, errorState):
def x():
if self.noisy:
log.msg('Reconnecting now.')
self.connect()
backOff = self.backOffs[errorState]
if self._errorState != errorState or self._delay is None:
self._errorState = errorState
self._delay = backOff['initial']
else:
self._delay = min(backOff['max'], self._delay * backOff['factor'])
if self._delay == 0:
connect()
else:
self._reconnectDelayedCall = self.reactor.callLater(self._delay,
connect)
self._toState('waiting')
| reconnect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, errorState):\n\n def x():\n if self.noisy:\n log.msg('Reconnecting now.')\n self.connect()\n backOff = self.backOffs[errorState]\n if self._errorState != errorState or self._delay is None:\n self._errorState = errorState\n self._delay = backOff['initial']\n else:\n self._delay = min(backOff['max'], self._delay * backOff['factor'])\n if self._delay == 0:\n connect()\n else:\n self._reconnectDelayedCall = self.reactor.callLater(self._delay,\n connect)\n self._toState('waiting')\n",
"role": "user"
},
{
"content": "reconnect",
"role": "assistant"
}
] |
def x(self, state, *args, **kwargs):
try:
method = getattr(self, '_state_%s' % state)
except AttributeError:
raise ValueError('No such state %r' % state)
log.msg('%s: to state %r' % (self.__class__.__name__, state))
self._state = state
method(*args, **kwargs)
| toState | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, state, *args, **kwargs):\n try:\n method = getattr(self, '_state_%s' % state)\n except AttributeError:\n raise ValueError('No such state %r' % state)\n log.msg('%s: to state %r' % (self.__class__.__name__, state))\n self._state = state\n method(*args, **kwargs)\n",
"role": "user"
},
{
"content": "toState",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.