source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self):
a = self.area * 2
return [a / self.a, a / self.b, a / self.c]
|
altitudes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n a = self.area * 2\n return [a / self.a, a / self.b, a / self.c]\n",
"role": "user"
},
{
"content": "altitudes",
"role": "assistant"
}
] |
def x(self):
if not nearly_eq(self.a, self.b):
return False
if not nearly_eq(self.b, self.c):
return False
return nearly_eq(self.a, self.c)
|
isEquilateral
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not nearly_eq(self.a, self.b):\n return False\n if not nearly_eq(self.b, self.c):\n return False\n return nearly_eq(self.a, self.c)\n",
"role": "user"
},
{
"content": "isEquilateral",
"role": "assistant"
}
] |
def x(self, side='AB', inplace=False):
try:
flipset = {'AB': (self.B.xyz, self.A.xyz, self.C.xyz), 'BC': (self.
A.xyz, self.C.xyz, self.B.xyz), 'AC': (self.C.xyz, self.B.xyz,
self.A.xyz)}[side]
except KeyError as e:
raise KeyError(str(e))
if inplace:
self.ABC = flipset
return self
return Triangle(flipset)
|
swap
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, side='AB', inplace=False):\n try:\n flipset = {'AB': (self.B.xyz, self.A.xyz, self.C.xyz), 'BC': (self.\n A.xyz, self.C.xyz, self.B.xyz), 'AC': (self.C.xyz, self.B.xyz,\n self.A.xyz)}[side]\n except KeyError as e:\n raise KeyError(str(e))\n if inplace:\n self.ABC = flipset\n return self\n return Triangle(flipset)\n",
"role": "user"
},
{
"content": "swap",
"role": "assistant"
}
] |
def x(self, other):
otherType = type(other)
if issubclass(otherType, Triangle):
for s in self.segments.values():
for q in other.segments.values():
if s.doesIntersect(q):
return True
return False
if issubclass(otherType, Line):
for s in self.segments.values():
if s.doesIntersect(other):
return True
return False
msg = "expecting Line or Triangle subclasses, got '{}'"
raise TypeError(msg.format(otherType))
|
doesIntersect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n otherType = type(other)\n if issubclass(otherType, Triangle):\n for s in self.segments.values():\n for q in other.segments.values():\n if s.doesIntersect(q):\n return True\n return False\n if issubclass(otherType, Line):\n for s in self.segments.values():\n if s.doesIntersect(other):\n return True\n return False\n msg = \"expecting Line or Triangle subclasses, got '{}'\"\n raise TypeError(msg.format(otherType))\n",
"role": "user"
},
{
"content": "doesIntersect",
"role": "assistant"
}
] |
def x(self):
return sum([a.distance(b) for a, b in self.pairs()])
|
perimeter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return sum([a.distance(b) for a, b in self.pairs()])\n",
"role": "user"
},
{
"content": "perimeter",
"role": "assistant"
}
] |
def x(data, fast=False, norm=False, bounds=None, size=3, step=1,
window_size=None, float_descriptors=False, verbose=False, matlab_style=True
):
if not matlab_style:
import warnings
warnings.warn(
'matlab_style=False gets different results than matlab, not sure why or how incorrect they are.'
)
order = 'F' if matlab_style else 'C'
data = as_float_image(data, dtype=np.float32, order=order)
if data.ndim != 2:
raise TypeError('data should be a 2d array')
if window_size is not None:
assert np.isscalar(window_size) and window_size >= 0
M, N = data.shape
dsift_p = vl_dsift_new_basic(M, N, step, size)
try:
dsift = dsift_p.contents
if bounds is not None:
if matlab_style:
y0, x0, y1, x1 = bounds
else:
x0, y0, x1, y1 = bounds
dsift.boundMinX = int(max(x0, 0))
dsift.boundMinY = int(max(y0, 0))
dsift.boundMaxX = int(min(x1, M - 1))
dsift.boundMaxY = int(min(y1, N - 1))
_vl_dsift_update_buffers(dsift_p)
dsift.useFlatWindow = fast
if window_size is not None:
dsift.windowSize = window_size
descr_size = dsift.descrSize
num_frames = dsift.numFrames
geom = dsift.geom
if verbose:
pr = lambda *a, **k: print('vl_dsift:', *a, **k)
pr('image size [W, H] = [{}, {}]'.format(N, M))
x0 = dsift.boundMinX + 1
y0 = dsift.boundMinY + 1
x1 = dsift.boundMaxX + 1
y1 = dsift.boundMaxY + 1
bound_args = [y0, x0, y1, x1] if matlab_style else [x0, y0, x1, y1]
pr('bounds: [minX,minY,maxX,maxY] = [{}, {}, {}, {}]'
.format(*bound_args))
pr('subsampling steps: stepX={}, stepY={}'.format(dsift.stepX,
dsift.stepY))
pr('num bins: [numBinT, numBinX, numBinY] = [{}, {}, {}]'
.format(geom.numBinT, geom.numBinX, geom.numBinY))
pr('descriptor size: {}'.format(descr_size))
pr('bin sizes: [binSizeX, binSizeY] = [{}, {}]'.format(
geom.binSizeX, geom.binSizeY))
pr('flat window: {}'.format(bool(fast)))
pr('window size: {}'.format(dsift.windowSize))
pr('num of features: {}'.format(num_frames))
vl_dsift_process(dsift_p, data)
frames_p = cast(dsift.frames, c_double_p)
frames_p_a = npc.as_array(frames_p, shape=(num_frames, 4))
cols = [1, 0] if matlab_style else [0, 1]
if norm:
cols.append(3)
frames = np.require(frames_p_a[:, cols], requirements=['C', 'O'])
descrs_p = npc.as_array(dsift.descrs, shape=(num_frames, descr_size))
descrs = descrs_p * 512
assert descrs.flags.owndata
np.minimum(descrs, 255, out=descrs)
if not float_descriptors:
descrs = descrs.astype(np.uint8)
if matlab_style:
new_order = np.empty(descr_size, dtype=int)
vl_dsift_transpose_descriptor(new_order, np.arange(descr_size),
geom.numBinT, geom.numBinX, geom.numBinY)
descrs = descrs[:, new_order]
return frames, descrs
finally:
vl_dsift_delete(dsift_p)
|
vl_dsift
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, fast=False, norm=False, bounds=None, size=3, step=1,\n window_size=None, float_descriptors=False, verbose=False, matlab_style=True\n ):\n if not matlab_style:\n import warnings\n warnings.warn(\n 'matlab_style=False gets different results than matlab, not sure why or how incorrect they are.'\n )\n order = 'F' if matlab_style else 'C'\n data = as_float_image(data, dtype=np.float32, order=order)\n if data.ndim != 2:\n raise TypeError('data should be a 2d array')\n if window_size is not None:\n assert np.isscalar(window_size) and window_size >= 0\n M, N = data.shape\n dsift_p = vl_dsift_new_basic(M, N, step, size)\n try:\n dsift = dsift_p.contents\n if bounds is not None:\n if matlab_style:\n y0, x0, y1, x1 = bounds\n else:\n x0, y0, x1, y1 = bounds\n dsift.boundMinX = int(max(x0, 0))\n dsift.boundMinY = int(max(y0, 0))\n dsift.boundMaxX = int(min(x1, M - 1))\n dsift.boundMaxY = int(min(y1, N - 1))\n _vl_dsift_update_buffers(dsift_p)\n dsift.useFlatWindow = fast\n if window_size is not None:\n dsift.windowSize = window_size\n descr_size = dsift.descrSize\n num_frames = dsift.numFrames\n geom = dsift.geom\n if verbose:\n pr = lambda *a, **k: print('vl_dsift:', *a, **k)\n pr('image size [W, H] = [{}, {}]'.format(N, M))\n x0 = dsift.boundMinX + 1\n y0 = dsift.boundMinY + 1\n x1 = dsift.boundMaxX + 1\n y1 = dsift.boundMaxY + 1\n bound_args = [y0, x0, y1, x1] if matlab_style else [x0, y0, x1, y1]\n pr('bounds: [minX,minY,maxX,maxY] = [{}, {}, {}, {}]'\n .format(*bound_args))\n pr('subsampling steps: stepX={}, stepY={}'.format(dsift.stepX,\n dsift.stepY))\n pr('num bins: [numBinT, numBinX, numBinY] = [{}, {}, {}]'\n .format(geom.numBinT, geom.numBinX, geom.numBinY))\n pr('descriptor size: {}'.format(descr_size))\n pr('bin sizes: [binSizeX, binSizeY] = [{}, {}]'.format(\n geom.binSizeX, geom.binSizeY))\n pr('flat window: {}'.format(bool(fast)))\n pr('window size: {}'.format(dsift.windowSize))\n pr('num of features: {}'.format(num_frames))\n vl_dsift_process(dsift_p, data)\n frames_p = cast(dsift.frames, c_double_p)\n frames_p_a = npc.as_array(frames_p, shape=(num_frames, 4))\n cols = [1, 0] if matlab_style else [0, 1]\n if norm:\n cols.append(3)\n frames = np.require(frames_p_a[:, cols], requirements=['C', 'O'])\n descrs_p = npc.as_array(dsift.descrs, shape=(num_frames, descr_size))\n descrs = descrs_p * 512\n assert descrs.flags.owndata\n np.minimum(descrs, 255, out=descrs)\n if not float_descriptors:\n descrs = descrs.astype(np.uint8)\n if matlab_style:\n new_order = np.empty(descr_size, dtype=int)\n vl_dsift_transpose_descriptor(new_order, np.arange(descr_size),\n geom.numBinT, geom.numBinX, geom.numBinY)\n descrs = descrs[:, new_order]\n return frames, descrs\n finally:\n vl_dsift_delete(dsift_p)\n",
"role": "user"
},
{
"content": "vl_dsift",
"role": "assistant"
}
] |
def x(img):
T = np.linalg.inv(np.array([[1.0, 0.956, 0.621], [1.0, -0.272, -0.647],
[1.0, -1.106, 1.703]]))
r_c, g_c, b_c = T[0]
r, g, b = np.rollaxis(as_float_image(img), axis=-1)
return r_c * r + g_c * g + b_c * b
|
rgb2gray
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(img):\n T = np.linalg.inv(np.array([[1.0, 0.956, 0.621], [1.0, -0.272, -0.647],\n [1.0, -1.106, 1.703]]))\n r_c, g_c, b_c = T[0]\n r, g, b = np.rollaxis(as_float_image(img), axis=-1)\n return r_c * r + g_c * g + b_c * b\n",
"role": "user"
},
{
"content": "rgb2gray",
"role": "assistant"
}
] |
def x(arr):
arr = np.asanyarray(arr)
if arr.ndim != 3 or arr.shape[2] != 3:
raise ValueError('the input array must have a shape == (.,.,3)')
arr = as_float_image(arr)
out = np.empty_like(arr)
out_v = arr.max(-1)
delta = arr.ptp(-1)
old_settings = np.seterr(invalid='ignore')
out_s = delta / out_v
out_s[delta == 0.0] = 0.0
idx = arr[:, :, 0] == out_v
out[idx, 0] = (arr[idx, 1] - arr[idx, 2]) / delta[idx]
idx = arr[:, :, 1] == out_v
out[idx, 0] = 2.0 + (arr[idx, 2] - arr[idx, 0]) / delta[idx]
idx = arr[:, :, 2] == out_v
out[idx, 0] = 4.0 + (arr[idx, 0] - arr[idx, 1]) / delta[idx]
out_h = out[:, :, 0] / 6.0 % 1.0
out_h[delta == 0.0] = 0.0
np.seterr(**old_settings)
out[:, :, 0] = out_h
out[:, :, 1] = out_s
out[:, :, 2] = out_v
out[np.isnan(out)] = 0
return out
|
rgb2hsv
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arr):\n arr = np.asanyarray(arr)\n if arr.ndim != 3 or arr.shape[2] != 3:\n raise ValueError('the input array must have a shape == (.,.,3)')\n arr = as_float_image(arr)\n out = np.empty_like(arr)\n out_v = arr.max(-1)\n delta = arr.ptp(-1)\n old_settings = np.seterr(invalid='ignore')\n out_s = delta / out_v\n out_s[delta == 0.0] = 0.0\n idx = arr[:, :, 0] == out_v\n out[idx, 0] = (arr[idx, 1] - arr[idx, 2]) / delta[idx]\n idx = arr[:, :, 1] == out_v\n out[idx, 0] = 2.0 + (arr[idx, 2] - arr[idx, 0]) / delta[idx]\n idx = arr[:, :, 2] == out_v\n out[idx, 0] = 4.0 + (arr[idx, 0] - arr[idx, 1]) / delta[idx]\n out_h = out[:, :, 0] / 6.0 % 1.0\n out_h[delta == 0.0] = 0.0\n np.seterr(**old_settings)\n out[:, :, 0] = out_h\n out[:, :, 1] = out_s\n out[:, :, 2] = out_v\n out[np.isnan(out)] = 0\n return out\n",
"role": "user"
},
{
"content": "rgb2hsv",
"role": "assistant"
}
] |
def x(response):
try:
root = ET.fromstring(response.text)
except ET.ParseError:
raise ResponseParseError(
'Unexpected response format, could not parse XML. Response: {}'
.format(response.text))
return root
|
parse_command_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(response):\n try:\n root = ET.fromstring(response.text)\n except ET.ParseError:\n raise ResponseParseError(\n 'Unexpected response format, could not parse XML. Response: {}'\n .format(response.text))\n return root\n",
"role": "user"
},
{
"content": "parse_command_response",
"role": "assistant"
}
] |
def x(error):
errinf = ErrorInfo(error.get('id'), None)
if error.text is not None:
errinf.message = error.text
else:
desc = error.find('./desc')
if desc is not None:
errinf.message = desc.text
return errinf
|
parse_error_tree
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(error):\n errinf = ErrorInfo(error.get('id'), None)\n if error.text is not None:\n errinf.message = error.text\n else:\n desc = error.find('./desc')\n if desc is not None:\n errinf.message = desc.text\n return errinf\n",
"role": "user"
},
{
"content": "parse_error_tree",
"role": "assistant"
}
] |
def x(self):
target = DeviceTarget(self.device_id)
return self._fssapi.get_file(target, self.path)[self.device_id]
|
get_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n target = DeviceTarget(self.device_id)\n return self._fssapi.get_file(target, self.path)[self.device_id]\n",
"role": "user"
},
{
"content": "get_data",
"role": "assistant"
}
] |
def x(self):
target = DeviceTarget(self.device_id)
return self._fssapi.delete_file(target, self.path)[self.device_id]
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n target = DeviceTarget(self.device_id)\n return self._fssapi.delete_file(target, self.path)[self.device_id]\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self):
target = DeviceTarget(self.device_id)
return self._fssapi.list_files(target, self.path)[self.device_id]
|
list_contents
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n target = DeviceTarget(self.device_id)\n return self._fssapi.list_files(target, self.path)[self.device_id]\n",
"role": "user"
},
{
"content": "list_contents",
"role": "assistant"
}
] |
def x(cls, response, device_id=None, fssapi=None, **kwargs):
if response.tag != cls.command_name:
raise ResponseParseError(
'Received response of type {}, LsCommand can only parse responses of type {}'
.format(response.tag, cls.command_name))
if fssapi is None:
raise FileSystemServiceException(
'fssapi is required to parse an LsCommand response')
if device_id is None:
raise FileSystemServiceException(
'device_id is required to parse an LsCommand response')
error = response.find('./error')
if error is not None:
return _parse_error_tree(error)
hash_type = response.get('hash')
dirs = []
files = []
for myfile in response.findall('./file'):
fi = FileInfo(fssapi, device_id, myfile.get('path'), int(myfile.get
('last_modified')), int(myfile.get('size')), myfile.get('hash'),
hash_type)
files.append(fi)
for mydir in response.findall('./dir'):
di = DirectoryInfo(fssapi, device_id, mydir.get('path'), int(mydir.
get('last_modified')))
dirs.append(di)
return LsInfo(directories=dirs, files=files)
|
parse_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, response, device_id=None, fssapi=None, **kwargs):\n if response.tag != cls.command_name:\n raise ResponseParseError(\n 'Received response of type {}, LsCommand can only parse responses of type {}'\n .format(response.tag, cls.command_name))\n if fssapi is None:\n raise FileSystemServiceException(\n 'fssapi is required to parse an LsCommand response')\n if device_id is None:\n raise FileSystemServiceException(\n 'device_id is required to parse an LsCommand response')\n error = response.find('./error')\n if error is not None:\n return _parse_error_tree(error)\n hash_type = response.get('hash')\n dirs = []\n files = []\n for myfile in response.findall('./file'):\n fi = FileInfo(fssapi, device_id, myfile.get('path'), int(myfile.get\n ('last_modified')), int(myfile.get('size')), myfile.get('hash'),\n hash_type)\n files.append(fi)\n for mydir in response.findall('./dir'):\n di = DirectoryInfo(fssapi, device_id, mydir.get('path'), int(mydir.\n get('last_modified')))\n dirs.append(di)\n return LsInfo(directories=dirs, files=files)\n",
"role": "user"
},
{
"content": "parse_response",
"role": "assistant"
}
] |
def x(cls, response, **kwargs):
if response.tag != cls.command_name:
raise ResponseParseError(
'Received response of type {}, GetCommand can only parse responses of type {}'
.format(response.tag, cls.command_name))
error = response.find('./error')
if error is not None:
return _parse_error_tree(error)
text = response.find('./data').text
if text:
return base64.b64decode(six.b(text))
else:
return six.b('')
|
parse_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, response, **kwargs):\n if response.tag != cls.command_name:\n raise ResponseParseError(\n 'Received response of type {}, GetCommand can only parse responses of type {}'\n .format(response.tag, cls.command_name))\n error = response.find('./error')\n if error is not None:\n return _parse_error_tree(error)\n text = response.find('./data').text\n if text:\n return base64.b64decode(six.b(text))\n else:\n return six.b('')\n",
"role": "user"
},
{
"content": "parse_response",
"role": "assistant"
}
] |
def x(cls, response, **kwargs):
if response.tag != cls.command_name:
raise ResponseParseError(
'Received response of type {}, PutCommand can only parse responses of type {}'
.format(response.tag, cls.command_name))
error = response.find('./error')
if error is not None:
return _parse_error_tree(error)
return None
|
parse_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, response, **kwargs):\n if response.tag != cls.command_name:\n raise ResponseParseError(\n 'Received response of type {}, PutCommand can only parse responses of type {}'\n .format(response.tag, cls.command_name))\n error = response.find('./error')\n if error is not None:\n return _parse_error_tree(error)\n return None\n",
"role": "user"
},
{
"content": "parse_response",
"role": "assistant"
}
] |
def x(self, target, command_block):
root = _parse_command_response(self._sci_api.send_sci('file_system',
target, command_block.get_command_string()))
out_dict = {}
for device in root.findall('./file_system/device'):
device_id = device.get('id')
results = []
for command in device.find('./commands'):
for command_class in FILE_SYSTEM_COMMANDS:
if command_class.command_name == command.tag.lower():
results.append(command_class.parse_response(command,
fssapi=self, device_id=device_id))
out_dict[device_id] = results
return out_dict
|
send_command_block
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, command_block):\n root = _parse_command_response(self._sci_api.send_sci('file_system',\n target, command_block.get_command_string()))\n out_dict = {}\n for device in root.findall('./file_system/device'):\n device_id = device.get('id')\n results = []\n for command in device.find('./commands'):\n for command_class in FILE_SYSTEM_COMMANDS:\n if command_class.command_name == command.tag.lower():\n results.append(command_class.parse_response(command,\n fssapi=self, device_id=device_id))\n out_dict[device_id] = results\n return out_dict\n",
"role": "user"
},
{
"content": "send_command_block",
"role": "assistant"
}
] |
def x(self, target, path, hash='any'):
command_block = FileSystemServiceCommandBlock()
command_block.add_command(LsCommand(path, hash=hash))
root = _parse_command_response(self._sci_api.send_sci('file_system',
target, command_block.get_command_string()))
out_dict = {}
for device in root.findall('./file_system/device'):
device_id = device.get('id')
error = device.find('./error')
if error is not None:
out_dict[device_id] = _parse_error_tree(error)
else:
linfo = LsCommand.parse_response(device.find('./commands/ls'),
device_id=device_id, fssapi=self)
out_dict[device_id] = linfo
return out_dict
|
list_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, path, hash='any'):\n command_block = FileSystemServiceCommandBlock()\n command_block.add_command(LsCommand(path, hash=hash))\n root = _parse_command_response(self._sci_api.send_sci('file_system',\n target, command_block.get_command_string()))\n out_dict = {}\n for device in root.findall('./file_system/device'):\n device_id = device.get('id')\n error = device.find('./error')\n if error is not None:\n out_dict[device_id] = _parse_error_tree(error)\n else:\n linfo = LsCommand.parse_response(device.find('./commands/ls'),\n device_id=device_id, fssapi=self)\n out_dict[device_id] = linfo\n return out_dict\n",
"role": "user"
},
{
"content": "list_files",
"role": "assistant"
}
] |
def x(self, target, path, offset=None, length=None):
command_block = FileSystemServiceCommandBlock()
command_block.add_command(GetCommand(path, offset, length))
root = _parse_command_response(self._sci_api.send_sci('file_system',
target, command_block.get_command_string()))
out_dict = {}
for device in root.findall('./file_system/device'):
device_id = device.get('id')
error = device.find('./error')
if error is not None:
out_dict[device_id] = _parse_error_tree(error)
else:
data = GetCommand.parse_response(device.find('./commands/get_file')
)
out_dict[device_id] = data
return out_dict
|
get_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, path, offset=None, length=None):\n command_block = FileSystemServiceCommandBlock()\n command_block.add_command(GetCommand(path, offset, length))\n root = _parse_command_response(self._sci_api.send_sci('file_system',\n target, command_block.get_command_string()))\n out_dict = {}\n for device in root.findall('./file_system/device'):\n device_id = device.get('id')\n error = device.find('./error')\n if error is not None:\n out_dict[device_id] = _parse_error_tree(error)\n else:\n data = GetCommand.parse_response(device.find('./commands/get_file')\n )\n out_dict[device_id] = data\n return out_dict\n",
"role": "user"
},
{
"content": "get_file",
"role": "assistant"
}
] |
def x(self, target, path, file_data=None, server_file=None, offset=None,
truncate=False):
command_block = FileSystemServiceCommandBlock()
command_block.add_command(PutCommand(path, file_data, server_file,
offset, truncate))
root = _parse_command_response(self._sci_api.send_sci('file_system',
target, command_block.get_command_string()))
out_dict = {}
for device in root.findall('./file_system/device'):
device_id = device.get('id')
error = device.find('./error')
if error is not None:
out_dict[device_id] = _parse_error_tree(error)
else:
out_dict[device_id] = PutCommand.parse_response(device.find(
'./commands/put_file'))
return out_dict
|
put_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, path, file_data=None, server_file=None, offset=None,\n truncate=False):\n command_block = FileSystemServiceCommandBlock()\n command_block.add_command(PutCommand(path, file_data, server_file,\n offset, truncate))\n root = _parse_command_response(self._sci_api.send_sci('file_system',\n target, command_block.get_command_string()))\n out_dict = {}\n for device in root.findall('./file_system/device'):\n device_id = device.get('id')\n error = device.find('./error')\n if error is not None:\n out_dict[device_id] = _parse_error_tree(error)\n else:\n out_dict[device_id] = PutCommand.parse_response(device.find(\n './commands/put_file'))\n return out_dict\n",
"role": "user"
},
{
"content": "put_file",
"role": "assistant"
}
] |
def x(self, target, path):
command_block = FileSystemServiceCommandBlock()
command_block.add_command(DeleteCommand(path))
root = _parse_command_response(self._sci_api.send_sci('file_system',
target, command_block.get_command_string()))
out_dict = {}
for device in root.findall('./file_system/device'):
device_id = device.get('id')
error = device.find('./error')
if error is not None:
out_dict[device_id] = _parse_error_tree(error)
else:
out_dict[device_id] = DeleteCommand.parse_response(device.find(
'./commands/rm'))
return out_dict
|
delete_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, path):\n command_block = FileSystemServiceCommandBlock()\n command_block.add_command(DeleteCommand(path))\n root = _parse_command_response(self._sci_api.send_sci('file_system',\n target, command_block.get_command_string()))\n out_dict = {}\n for device in root.findall('./file_system/device'):\n device_id = device.get('id')\n error = device.find('./error')\n if error is not None:\n out_dict[device_id] = _parse_error_tree(error)\n else:\n out_dict[device_id] = DeleteCommand.parse_response(device.find(\n './commands/rm'))\n return out_dict\n",
"role": "user"
},
{
"content": "delete_file",
"role": "assistant"
}
] |
def x(self, target, path, last_modified_cutoff):
file_list = self.list_files(target, path)
out_dict = {}
for device_id, device_data in six.iteritems(file_list):
if isinstance(device_data, ErrorInfo):
out_dict[device_id] = device_data
else:
files = []
dirs = []
for cur_file in device_data.files:
if cur_file.last_modified > last_modified_cutoff:
files.append(cur_file)
for cur_dir in device_data.directories:
if cur_dir.last_modified > last_modified_cutoff:
dirs.append(cur_dir)
out_dict[device_id] = LsInfo(directories=dirs, files=files)
return out_dict
|
get_modified_items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, path, last_modified_cutoff):\n file_list = self.list_files(target, path)\n out_dict = {}\n for device_id, device_data in six.iteritems(file_list):\n if isinstance(device_data, ErrorInfo):\n out_dict[device_id] = device_data\n else:\n files = []\n dirs = []\n for cur_file in device_data.files:\n if cur_file.last_modified > last_modified_cutoff:\n files.append(cur_file)\n for cur_dir in device_data.directories:\n if cur_dir.last_modified > last_modified_cutoff:\n dirs.append(cur_dir)\n out_dict[device_id] = LsInfo(directories=dirs, files=files)\n return out_dict\n",
"role": "user"
},
{
"content": "get_modified_items",
"role": "assistant"
}
] |
def x(self, target, path, path_sep='/'):
if path.endswith(path_sep):
path = path[:-len(path_sep)]
par_dir, filename = path.rsplit(path_sep, 1)
file_list = self.list_files(target, par_dir)
out_dict = {}
for device_id, device_data in six.iteritems(file_list):
if isinstance(device_data, ErrorInfo):
out_dict[device_id] = device_data
else:
out_dict[device_id] = False
for cur_file in device_data.files:
if cur_file.path == path:
out_dict[device_id] = True
for cur_dir in device_data.directories:
if cur_dir.path == path:
out_dict[device_id] = True
return out_dict
|
exists
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, path, path_sep='/'):\n if path.endswith(path_sep):\n path = path[:-len(path_sep)]\n par_dir, filename = path.rsplit(path_sep, 1)\n file_list = self.list_files(target, par_dir)\n out_dict = {}\n for device_id, device_data in six.iteritems(file_list):\n if isinstance(device_data, ErrorInfo):\n out_dict[device_id] = device_data\n else:\n out_dict[device_id] = False\n for cur_file in device_data.files:\n if cur_file.path == path:\n out_dict[device_id] = True\n for cur_dir in device_data.directories:\n if cur_dir.path == path:\n out_dict[device_id] = True\n return out_dict\n",
"role": "user"
},
{
"content": "exists",
"role": "assistant"
}
] |
def x(self, condition=None, page_size=1000):
condition = validate_type(condition, type(None), Expression, *six.
string_types)
page_size = validate_type(page_size, *six.integer_types)
params = {'embed': 'true'}
if condition is not None:
params['condition'] = condition.compile()
for device_json in self._conn.iter_json_pages('/ws/DeviceCore',
page_size=page_size, **params):
yield Device(self._conn, self._sci, device_json)
|
get_devices
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, condition=None, page_size=1000):\n condition = validate_type(condition, type(None), Expression, *six.\n string_types)\n page_size = validate_type(page_size, *six.integer_types)\n params = {'embed': 'true'}\n if condition is not None:\n params['condition'] = condition.compile()\n for device_json in self._conn.iter_json_pages('/ws/DeviceCore',\n page_size=page_size, **params):\n yield Device(self._conn, self._sci, device_json)\n",
"role": "user"
},
{
"content": "get_devices",
"role": "assistant"
}
] |
def x(self, page_size=1000):
group_map = {}
page_size = validate_type(page_size, *six.integer_types)
for group in self.get_groups(page_size=page_size):
group_map[group.get_id()] = group
root = None
for group_id, group in group_map.items():
if group.is_root():
root = group
else:
parent = group_map[group.get_parent_id()]
parent.add_child(group)
return root
|
get_group_tree_root
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, page_size=1000):\n group_map = {}\n page_size = validate_type(page_size, *six.integer_types)\n for group in self.get_groups(page_size=page_size):\n group_map[group.get_id()] = group\n root = None\n for group_id, group in group_map.items():\n if group.is_root():\n root = group\n else:\n parent = group_map[group.get_parent_id()]\n parent.add_child(group)\n return root\n",
"role": "user"
},
{
"content": "get_group_tree_root",
"role": "assistant"
}
] |
def x(self, condition=None, page_size=1000):
query_kwargs = {}
if condition is not None:
query_kwargs['condition'] = condition.compile()
for group_data in self._conn.iter_json_pages('/ws/Group', page_size=
page_size, **query_kwargs):
yield Group.from_json(group_data)
|
get_groups
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, condition=None, page_size=1000):\n query_kwargs = {}\n if condition is not None:\n query_kwargs['condition'] = condition.compile()\n for group_data in self._conn.iter_json_pages('/ws/Group', page_size=\n page_size, **query_kwargs):\n yield Group.from_json(group_data)\n",
"role": "user"
},
{
"content": "get_groups",
"role": "assistant"
}
] |
def x(self, devices):
sio = six.StringIO()
def x(tag, val):
sio.write('<{tag}>{val}</{tag}>'.format(tag=tag, val=val))
def x(tag, val):
if val is not None:
write_tag(tag, val)
return True
return False
sio.write('<list>')
for d in devices:
sio.write('<DeviceCore>')
mac_address = d.get('mac_address')
device_id = d.get('device_id')
imei = d.get('imei')
if mac_address is not None:
write_tag('devMac', mac_address)
elif device_id is not None:
write_tag('devConnectwareId', device_id)
elif imei is not None:
write_tag('devCellularModemId', imei)
else:
raise ValueError(
'mac_address, device_id, or imei must be provided for device %r'
% d)
maybe_write_element('grpPath', d.get('group_path'))
maybe_write_element('dpUserMetaData', d.get('metadata'))
maybe_write_element('dpTags', d.get('tags'))
maybe_write_element('dpMapLong', d.get('map_long'))
maybe_write_element('dpMapLat', d.get('map_lat'))
maybe_write_element('dpContact', d.get('contact'))
maybe_write_element('dpDescription', d.get('description'))
sio.write('</DeviceCore>')
sio.write('</list>')
results = []
response = self._conn.post('/ws/DeviceCore', sio.getvalue(), headers={
'Accept': 'application/xml'})
root = ET.fromstring(response.content)
for child in root:
if child.tag.lower() == 'location':
results.append({'error': False, 'error_msg': None, 'location':
child.text})
else:
results.append({'error': True, 'location': None, 'error_msg':
child.text})
return results
|
provision_devices
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, devices):\n sio = six.StringIO()\n\n def x(tag, val):\n sio.write('<{tag}>{val}</{tag}>'.format(tag=tag, val=val))\n\n def x(tag, val):\n if val is not None:\n write_tag(tag, val)\n return True\n return False\n sio.write('<list>')\n for d in devices:\n sio.write('<DeviceCore>')\n mac_address = d.get('mac_address')\n device_id = d.get('device_id')\n imei = d.get('imei')\n if mac_address is not None:\n write_tag('devMac', mac_address)\n elif device_id is not None:\n write_tag('devConnectwareId', device_id)\n elif imei is not None:\n write_tag('devCellularModemId', imei)\n else:\n raise ValueError(\n 'mac_address, device_id, or imei must be provided for device %r'\n % d)\n maybe_write_element('grpPath', d.get('group_path'))\n maybe_write_element('dpUserMetaData', d.get('metadata'))\n maybe_write_element('dpTags', d.get('tags'))\n maybe_write_element('dpMapLong', d.get('map_long'))\n maybe_write_element('dpMapLat', d.get('map_lat'))\n maybe_write_element('dpContact', d.get('contact'))\n maybe_write_element('dpDescription', d.get('description'))\n sio.write('</DeviceCore>')\n sio.write('</list>')\n results = []\n response = self._conn.post('/ws/DeviceCore', sio.getvalue(), headers={\n 'Accept': 'application/xml'})\n root = ET.fromstring(response.content)\n for child in root:\n if child.tag.lower() == 'location':\n results.append({'error': False, 'error_msg': None, 'location':\n child.text})\n else:\n results.append({'error': True, 'location': None, 'error_msg':\n child.text})\n return results\n",
"role": "user"
},
{
"content": "provision_devices",
"role": "assistant"
}
] |
def x(cls, json_data):
return cls(group_id=json_data['grpId'], name=json_data['grpName'],
description=json_data.get('grpDescription', ''), path=json_data[
'grpPath'], parent_id=json_data['grpParentId'])
|
from_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, json_data):\n return cls(group_id=json_data['grpId'], name=json_data['grpName'],\n description=json_data.get('grpDescription', ''), path=json_data[\n 'grpPath'], parent_id=json_data['grpParentId'])\n",
"role": "user"
},
{
"content": "from_json",
"role": "assistant"
}
] |
def x(self, fobj=sys.stdout, level=0):
fobj.write('{}{!r}\n'.format(' ' * (level * 2), self))
for child in self.get_children():
child.print_subtree(fobj, level + 1)
|
print_subtree
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fobj=sys.stdout, level=0):\n fobj.write('{}{!r}\\n'.format(' ' * (level * 2), self))\n for child in self.get_children():\n child.print_subtree(fobj, level + 1)\n",
"role": "user"
},
{
"content": "print_subtree",
"role": "assistant"
}
] |
def x(self, use_cached=True):
if not use_cached:
devicecore_data = self._conn.get_json('/ws/DeviceCore/{}'.format(
self.get_device_id()))
self._device_json = devicecore_data['items'][0]
return self._device_json
|
get_device_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_cached=True):\n if not use_cached:\n devicecore_data = self._conn.get_json('/ws/DeviceCore/{}'.format(\n self.get_device_id()))\n self._device_json = devicecore_data['items'][0]\n return self._device_json\n",
"role": "user"
},
{
"content": "get_device_json",
"role": "assistant"
}
] |
def x(self, use_cached=True):
device_json = self.get_device_json(use_cached)
potential_tags = device_json.get('dpTags')
if potential_tags:
return list(filter(None, potential_tags.split(',')))
else:
return []
|
get_tags
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_cached=True):\n device_json = self.get_device_json(use_cached)\n potential_tags = device_json.get('dpTags')\n if potential_tags:\n return list(filter(None, potential_tags.split(',')))\n else:\n return []\n",
"role": "user"
},
{
"content": "get_tags",
"role": "assistant"
}
] |
def x(self, use_cached=True):
device_json = self.get_device_json(use_cached)
return int(device_json.get('dpConnectionStatus')) > 0
|
is_connected
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_cached=True):\n device_json = self.get_device_json(use_cached)\n return int(device_json.get('dpConnectionStatus')) > 0\n",
"role": "user"
},
{
"content": "is_connected",
"role": "assistant"
}
] |
def x(self, use_cached=True):
device_json = self.get_device_json(use_cached)
return device_json.get('devConnectwareId')
|
get_connectware_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_cached=True):\n device_json = self.get_device_json(use_cached)\n return device_json.get('devConnectwareId')\n",
"role": "user"
},
{
"content": "get_connectware_id",
"role": "assistant"
}
] |
def x(self, use_cached=True):
device_json = self.get_device_json(use_cached)
return device_json['id'].get('devId')
|
get_device_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_cached=True):\n device_json = self.get_device_json(use_cached)\n return device_json['id'].get('devId')\n",
"role": "user"
},
{
"content": "get_device_id",
"role": "assistant"
}
] |
def x(self, use_cached=True):
device_json = self.get_device_json(use_cached)
return device_json.get('dpLastKnownIp')
|
get_ip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_cached=True):\n device_json = self.get_device_json(use_cached)\n return device_json.get('dpLastKnownIp')\n",
"role": "user"
},
{
"content": "get_ip",
"role": "assistant"
}
] |
def x(self, use_cached=True):
device_json = self.get_device_json(use_cached)
return device_json.get('devMac')
|
get_mac
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_cached=True):\n device_json = self.get_device_json(use_cached)\n return device_json.get('devMac')\n",
"role": "user"
},
{
"content": "get_mac",
"role": "assistant"
}
] |
def x(self, use_cached=True):
chunks = self.get_mac(use_cached).split(':')
mac4 = '%s%s' % (chunks[-2], chunks[-1])
return mac4.upper()
|
get_mac_last4
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_cached=True):\n chunks = self.get_mac(use_cached).split(':')\n mac4 = '%s%s' % (chunks[-2], chunks[-1])\n return mac4.upper()\n",
"role": "user"
},
{
"content": "get_mac_last4",
"role": "assistant"
}
] |
def x(self, use_cached=True):
device_json = self.get_device_json(use_cached)
start_date_iso8601 = device_json.get('devRecordStartDate')
if start_date_iso8601:
return iso8601_to_dt(start_date_iso8601)
else:
return None
|
get_registration_dt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_cached=True):\n device_json = self.get_device_json(use_cached)\n start_date_iso8601 = device_json.get('devRecordStartDate')\n if start_date_iso8601:\n return iso8601_to_dt(start_date_iso8601)\n else:\n return None\n",
"role": "user"
},
{
"content": "get_registration_dt",
"role": "assistant"
}
] |
def x(self, use_cached=True):
device_json = self.get_device_json(use_cached)
lat = device_json.get('dpMapLat')
lon = device_json.get('dpMapLong')
return float(lat) if lat else None, float(lon) if lon else None
|
get_latlon
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_cached=True):\n device_json = self.get_device_json(use_cached)\n lat = device_json.get('dpMapLat')\n lon = device_json.get('dpMapLong')\n return float(lat) if lat else None, float(lon) if lon else None\n",
"role": "user"
},
{
"content": "get_latlon",
"role": "assistant"
}
] |
def x(self, group_path):
if self.get_group_path() != group_path:
post_data = ADD_GROUP_TEMPLATE.format(connectware_id=self.
get_connectware_id(), group_path=group_path)
self._conn.put('/ws/DeviceCore', post_data)
self._device_json = None
|
add_to_group
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group_path):\n if self.get_group_path() != group_path:\n post_data = ADD_GROUP_TEMPLATE.format(connectware_id=self.\n get_connectware_id(), group_path=group_path)\n self._conn.put('/ws/DeviceCore', post_data)\n self._device_json = None\n",
"role": "user"
},
{
"content": "add_to_group",
"role": "assistant"
}
] |
def x(self, new_tags):
tags = self.get_tags()
orig_tag_cnt = len(tags)
if isinstance(new_tags, six.string_types):
new_tags = new_tags.split(',')
for tag in new_tags:
if not tag in tags:
tags.append(tag.strip())
if len(tags) > orig_tag_cnt:
xml_tags = escape(','.join(tags))
post_data = TAGS_TEMPLATE.format(connectware_id=self.
get_connectware_id(), tags=xml_tags)
self._conn.put('/ws/DeviceCore', post_data)
self._device_json = None
|
add_tag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_tags):\n tags = self.get_tags()\n orig_tag_cnt = len(tags)\n if isinstance(new_tags, six.string_types):\n new_tags = new_tags.split(',')\n for tag in new_tags:\n if not tag in tags:\n tags.append(tag.strip())\n if len(tags) > orig_tag_cnt:\n xml_tags = escape(','.join(tags))\n post_data = TAGS_TEMPLATE.format(connectware_id=self.\n get_connectware_id(), tags=xml_tags)\n self._conn.put('/ws/DeviceCore', post_data)\n self._device_json = None\n",
"role": "user"
},
{
"content": "add_tag",
"role": "assistant"
}
] |
def x(self, tag):
tags = self.get_tags()
tags.remove(tag)
post_data = TAGS_TEMPLATE.format(connectware_id=self.get_connectware_id
(), tags=escape(','.join(tags)))
self._conn.put('/ws/DeviceCore', post_data)
self._device_json = None
|
remove_tag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag):\n tags = self.get_tags()\n tags.remove(tag)\n post_data = TAGS_TEMPLATE.format(connectware_id=self.get_connectware_id\n (), tags=escape(','.join(tags)))\n self._conn.put('/ws/DeviceCore', post_data)\n self._device_json = None\n",
"role": "user"
},
{
"content": "remove_tag",
"role": "assistant"
}
] |
def x(self):
from six.moves.urllib.parse import urlparse
return urlparse(self._base_url).netloc.split(':', 1)[0]
|
hostname
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from six.moves.urllib.parse import urlparse\n return urlparse(self._base_url).netloc.split(':', 1)[0]\n",
"role": "user"
},
{
"content": "hostname",
"role": "assistant"
}
] |
def x(self, path, page_size=1000, **params):
path = validate_type(path, *six.string_types)
page_size = validate_type(page_size, *six.integer_types)
offset = 0
remaining_size = 1
while remaining_size > 0:
reqparams = {'start': offset, 'size': page_size}
reqparams.update(params)
response = self.get_json(path, params=reqparams)
offset += page_size
remaining_size = int(response.get('remainingSize', '0'))
for item_json in response.get('items', []):
yield item_json
|
iter_json_pages
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, page_size=1000, **params):\n path = validate_type(path, *six.string_types)\n page_size = validate_type(page_size, *six.integer_types)\n offset = 0\n remaining_size = 1\n while remaining_size > 0:\n reqparams = {'start': offset, 'size': page_size}\n reqparams.update(params)\n response = self.get_json(path, params=reqparams)\n offset += page_size\n remaining_size = int(response.get('remainingSize', '0'))\n for item_json in response.get('items', []):\n yield item_json\n",
"role": "user"
},
{
"content": "iter_json_pages",
"role": "assistant"
}
] |
def x(self, path, **kwargs):
url = self._make_url(path)
return self._make_request('GET', url, **kwargs)
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, **kwargs):\n url = self._make_url(path)\n return self._make_request('GET', url, **kwargs)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, path, **kwargs):
url = self._make_url(path)
headers = kwargs.setdefault('headers', {})
headers.update({'Accept': 'application/json'})
response = self._make_request('GET', url, **kwargs)
return json.loads(response.text)
|
get_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, **kwargs):\n url = self._make_url(path)\n headers = kwargs.setdefault('headers', {})\n headers.update({'Accept': 'application/json'})\n response = self._make_request('GET', url, **kwargs)\n return json.loads(response.text)\n",
"role": "user"
},
{
"content": "get_json",
"role": "assistant"
}
] |
def x(self, path, data, **kwargs):
url = self._make_url(path)
return self._make_request('POST', url, data=data, **kwargs)
|
post
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, data, **kwargs):\n url = self._make_url(path)\n return self._make_request('POST', url, data=data, **kwargs)\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(self, path, data, **kwargs):
url = self._make_url(path)
return self._make_request('PUT', url, data=data, **kwargs)
|
put
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, data, **kwargs):\n url = self._make_url(path)\n return self._make_request('PUT', url, data=data, **kwargs)\n",
"role": "user"
},
{
"content": "put",
"role": "assistant"
}
] |
def x(self, path, retries=DEFAULT_THROTTLE_RETRIES, **kwargs):
url = self._make_url(path)
return self._make_request('DELETE', url, **kwargs)
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, retries=DEFAULT_THROTTLE_RETRIES, **kwargs):\n url = self._make_url(path)\n return self._make_request('DELETE', url, **kwargs)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self):
if self._streams_api is None:
self._streams_api = self.get_streams_api()
return self._streams_api
|
streams
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._streams_api is None:\n self._streams_api = self.get_streams_api()\n return self._streams_api\n",
"role": "user"
},
{
"content": "streams",
"role": "assistant"
}
] |
def x(self):
if self._filedata_api is None:
self._filedata_api = self.get_filedata_api()
return self._filedata_api
|
filedata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._filedata_api is None:\n self._filedata_api = self.get_filedata_api()\n return self._filedata_api\n",
"role": "user"
},
{
"content": "filedata",
"role": "assistant"
}
] |
def x(self):
if self._devicecore_api is None:
self._devicecore_api = self.get_devicecore_api()
return self._devicecore_api
|
devicecore
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._devicecore_api is None:\n self._devicecore_api = self.get_devicecore_api()\n return self._devicecore_api\n",
"role": "user"
},
{
"content": "devicecore",
"role": "assistant"
}
] |
def x(self):
if self._sci_api is None:
self._sci_api = self.get_sci_api()
return self._sci_api
|
sci
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._sci_api is None:\n self._sci_api = self.get_sci_api()\n return self._sci_api\n",
"role": "user"
},
{
"content": "sci",
"role": "assistant"
}
] |
def x(self):
if self._fss_api is None:
self._fss_api = self.get_fss_api()
return self._fss_api
|
file_system_service
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._fss_api is None:\n self._fss_api = self.get_fss_api()\n return self._fss_api\n",
"role": "user"
},
{
"content": "file_system_service",
"role": "assistant"
}
] |
def x(self):
if self._monitor_api is None:
self._monitor_api = self.get_monitor_api()
return self._monitor_api
|
monitor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._monitor_api is None:\n self._monitor_api = self.get_monitor_api()\n return self._monitor_api\n",
"role": "user"
},
{
"content": "monitor",
"role": "assistant"
}
] |
def x(self):
from devicecloud.devicecore import DeviceCoreAPI
return DeviceCoreAPI(self._conn, self.get_sci_api())
|
get_devicecore_api
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from devicecloud.devicecore import DeviceCoreAPI\n return DeviceCoreAPI(self._conn, self.get_sci_api())\n",
"role": "user"
},
{
"content": "get_devicecore_api",
"role": "assistant"
}
] |
def x(self, job_id):
uri = '/ws/sci/{0}'.format(job_id)
return self._conn.get(uri)
|
get_async_job
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_id):\n uri = '/ws/sci/{0}'.format(job_id)\n return self._conn.get(uri)\n",
"role": "user"
},
{
"content": "get_async_job",
"role": "assistant"
}
] |
def x(self, operation, target, payload, **sci_options):
sci_options['synchronous'] = False
resp = self.send_sci(operation, target, payload, **sci_options)
dom = ET.fromstring(resp.content)
job_element = dom.find('.//jobId')
if job_element is None:
return
job_id = int(job_element.text)
return AsyncRequestProxy(job_id, self._conn)
|
send_sci_async
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, operation, target, payload, **sci_options):\n sci_options['synchronous'] = False\n resp = self.send_sci(operation, target, payload, **sci_options)\n dom = ET.fromstring(resp.content)\n job_element = dom.find('.//jobId')\n if job_element is None:\n return\n job_id = int(job_element.text)\n return AsyncRequestProxy(job_id, self._conn)\n",
"role": "user"
},
{
"content": "send_sci_async",
"role": "assistant"
}
] |
def x(self, operation, target, payload, reply=None, synchronous=None,
sync_timeout=None, cache=None, allow_offline=None, wait_for_reconnect=None
):
if not isinstance(payload, six.string_types) and not isinstance(payload,
six.binary_type):
raise TypeError('payload is required to be a string or bytes')
try:
iter(target)
targets = target
except TypeError:
targets = [target]
if not all(isinstance(t, TargetABC) for t in targets):
raise TypeError('Target(s) must each be instances of TargetABC')
targets_xml = ''.join(t.to_xml() for t in targets)
if not isinstance(reply, (type(None), six.string_types)):
raise TypeError('reply must be either None or a string')
if reply is not None:
reply_xml = ' reply="{}"'.format(reply)
else:
reply_xml = ''
if not isinstance(synchronous, (type(None), bool)):
raise TypeError('synchronous expected to be either None or a boolean')
if synchronous is not None:
synchronous_xml = ' synchronous="{}"'.format('true' if synchronous else
'false')
else:
synchronous_xml = ''
if sync_timeout is not None and not isinstance(sync_timeout, six.
integer_types):
raise TypeError('sync_timeout expected to either be None or a number')
if sync_timeout is not None:
sync_timeout_xml = ' syncTimeout="{}"'.format(sync_timeout)
else:
sync_timeout_xml = ''
if not isinstance(cache, (type(None), bool)):
raise TypeError('cache expected to either be None or a boolean')
if cache is not None:
cache_xml = ' cache="{}"'.format('true' if cache else 'false')
else:
cache_xml = ''
if not isinstance(allow_offline, (type(None), bool)):
raise TypeError(
'allow_offline is expected to be either None or a boolean')
if allow_offline is not None:
allow_offline_xml = ' allowOffline="{}"'.format('true' if
allow_offline else 'false')
else:
allow_offline_xml = ''
if not isinstance(wait_for_reconnect, (type(None), bool)):
raise TypeError(
'wait_for_reconnect expected to be either None or a boolean')
if wait_for_reconnect is not None:
wait_for_reconnect_xml = ' waitForReconnect="{}"'.format('true' if
wait_for_reconnect else 'false')
else:
wait_for_reconnect_xml = ''
full_request = SCI_TEMPLATE.format(operation=operation, targets=
targets_xml, reply=reply_xml, synchronous=synchronous_xml,
sync_timeout=sync_timeout_xml, cache=cache_xml, allow_offline=
allow_offline_xml, wait_for_reconnect=wait_for_reconnect_xml,
payload=payload)
return self._conn.post('/ws/sci', full_request)
|
send_sci
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, operation, target, payload, reply=None, synchronous=None,\n sync_timeout=None, cache=None, allow_offline=None, wait_for_reconnect=None\n ):\n if not isinstance(payload, six.string_types) and not isinstance(payload,\n six.binary_type):\n raise TypeError('payload is required to be a string or bytes')\n try:\n iter(target)\n targets = target\n except TypeError:\n targets = [target]\n if not all(isinstance(t, TargetABC) for t in targets):\n raise TypeError('Target(s) must each be instances of TargetABC')\n targets_xml = ''.join(t.to_xml() for t in targets)\n if not isinstance(reply, (type(None), six.string_types)):\n raise TypeError('reply must be either None or a string')\n if reply is not None:\n reply_xml = ' reply=\"{}\"'.format(reply)\n else:\n reply_xml = ''\n if not isinstance(synchronous, (type(None), bool)):\n raise TypeError('synchronous expected to be either None or a boolean')\n if synchronous is not None:\n synchronous_xml = ' synchronous=\"{}\"'.format('true' if synchronous else\n 'false')\n else:\n synchronous_xml = ''\n if sync_timeout is not None and not isinstance(sync_timeout, six.\n integer_types):\n raise TypeError('sync_timeout expected to either be None or a number')\n if sync_timeout is not None:\n sync_timeout_xml = ' syncTimeout=\"{}\"'.format(sync_timeout)\n else:\n sync_timeout_xml = ''\n if not isinstance(cache, (type(None), bool)):\n raise TypeError('cache expected to either be None or a boolean')\n if cache is not None:\n cache_xml = ' cache=\"{}\"'.format('true' if cache else 'false')\n else:\n cache_xml = ''\n if not isinstance(allow_offline, (type(None), bool)):\n raise TypeError(\n 'allow_offline is expected to be either None or a boolean')\n if allow_offline is not None:\n allow_offline_xml = ' allowOffline=\"{}\"'.format('true' if\n allow_offline else 'false')\n else:\n allow_offline_xml = ''\n if not isinstance(wait_for_reconnect, (type(None), bool)):\n raise TypeError(\n 'wait_for_reconnect expected to be either None or a boolean')\n if wait_for_reconnect is not None:\n wait_for_reconnect_xml = ' waitForReconnect=\"{}\"'.format('true' if\n wait_for_reconnect else 'false')\n else:\n wait_for_reconnect_xml = ''\n full_request = SCI_TEMPLATE.format(operation=operation, targets=\n targets_xml, reply=reply_xml, synchronous=synchronous_xml,\n sync_timeout=sync_timeout_xml, cache=cache_xml, allow_offline=\n allow_offline_xml, wait_for_reconnect=wait_for_reconnect_xml,\n payload=payload)\n return self._conn.post('/ws/sci', full_request)\n",
"role": "user"
},
{
"content": "send_sci",
"role": "assistant"
}
] |
def x(strm, fmt, value, *args, **kwargs):
if value is not None:
strm.write(fmt.format(value, *args, **kwargs))
|
conditional_write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(strm, fmt, value, *args, **kwargs):\n if value is not None:\n strm.write(fmt.format(value, *args, **kwargs))\n",
"role": "user"
},
{
"content": "conditional_write",
"role": "assistant"
}
] |
def x(iso8601):
parser = DateTimeParser()
try:
arrow_dt = arrow.Arrow.fromdatetime(parser.parse_iso(iso8601))
return arrow_dt.to('utc').datetime
except ParserError as pe:
raise ValueError('Provided was not a valid ISO8601 string: %r' % pe)
|
iso8601_to_dt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(iso8601):\n parser = DateTimeParser()\n try:\n arrow_dt = arrow.Arrow.fromdatetime(parser.parse_iso(iso8601))\n return arrow_dt.to('utc').datetime\n except ParserError as pe:\n raise ValueError('Provided was not a valid ISO8601 string: %r' % pe)\n",
"role": "user"
},
{
"content": "iso8601_to_dt",
"role": "assistant"
}
] |
def x(input):
if input is None:
return input
elif isinstance(input, datetime.datetime):
arrow_dt = arrow.Arrow.fromdatetime(input, input.tzinfo or 'utc')
return arrow_dt.to('utc').datetime
if isinstance(input, six.string_types):
return iso8601_to_dt(input)
else:
raise TypeError('Not a string, NoneType, or datetime object')
|
to_none_or_dt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input):\n if input is None:\n return input\n elif isinstance(input, datetime.datetime):\n arrow_dt = arrow.Arrow.fromdatetime(input, input.tzinfo or 'utc')\n return arrow_dt.to('utc').datetime\n if isinstance(input, six.string_types):\n return iso8601_to_dt(input)\n else:\n raise TypeError('Not a string, NoneType, or datetime object')\n",
"role": "user"
},
{
"content": "to_none_or_dt",
"role": "assistant"
}
] |
def x(dt):
if not isinstance(dt, datetime.datetime):
raise TypeError('Must provide datetime.datetime object to isoformat')
if dt.tzinfo is None:
raise ValueError(
'naive datetime objects are not allowed beyond the library boundaries'
)
return dt.isoformat().replace('+00:00', 'Z')
|
isoformat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dt):\n if not isinstance(dt, datetime.datetime):\n raise TypeError('Must provide datetime.datetime object to isoformat')\n if dt.tzinfo is None:\n raise ValueError(\n 'naive datetime objects are not allowed beyond the library boundaries'\n )\n return dt.isoformat().replace('+00:00', 'Z')\n",
"role": "user"
},
{
"content": "isoformat",
"role": "assistant"
}
] |
def x(self, condition=None, page_size=1000):
condition = validate_type(condition, type(None), Expression, *six.
string_types)
page_size = validate_type(page_size, *six.integer_types)
if condition is None:
condition = fd_path == '~/'
params = {'embed': 'true', 'condition': condition.compile()}
for fd_json in self._conn.iter_json_pages('/ws/FileData', page_size=
page_size, **params):
yield FileDataObject.from_json(self, fd_json)
|
get_filedata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, condition=None, page_size=1000):\n condition = validate_type(condition, type(None), Expression, *six.\n string_types)\n page_size = validate_type(page_size, *six.integer_types)\n if condition is None:\n condition = fd_path == '~/'\n params = {'embed': 'true', 'condition': condition.compile()}\n for fd_json in self._conn.iter_json_pages('/ws/FileData', page_size=\n page_size, **params):\n yield FileDataObject.from_json(self, fd_json)\n",
"role": "user"
},
{
"content": "get_filedata",
"role": "assistant"
}
] |
def x(self, path, name, data, content_type=None, archive=False, raw=False):
path = validate_type(path, *six.string_types)
name = validate_type(name, *six.string_types)
data = validate_type(data, six.binary_type)
content_type = validate_type(content_type, type(None), *six.string_types)
archive_str = 'true' if validate_type(archive, bool) else 'false'
if not path.startswith('/'):
path = '/' + path
if not path.endswith('/'):
path += '/'
name = name.lstrip('/')
sio = six.moves.StringIO()
if not raw:
if six.PY3:
base64_encoded_data = base64.encodebytes(data).decode('utf-8')
else:
base64_encoded_data = base64.encodestring(data)
sio.write('<FileData>')
if content_type is not None:
sio.write('<fdContentType>{}</fdContentType>'.format(content_type))
sio.write('<fdType>file</fdType>')
sio.write('<fdData>{}</fdData>'.format(base64_encoded_data))
sio.write('<fdArchive>{}</fdArchive>'.format(archive_str))
sio.write('</FileData>')
else:
sio.write(data)
params = {'type': 'file', 'archive': archive_str}
self._conn.put('/ws/FileData{path}{name}'.format(path=path, name=name),
sio.getvalue(), params=params)
|
write_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, name, data, content_type=None, archive=False, raw=False):\n path = validate_type(path, *six.string_types)\n name = validate_type(name, *six.string_types)\n data = validate_type(data, six.binary_type)\n content_type = validate_type(content_type, type(None), *six.string_types)\n archive_str = 'true' if validate_type(archive, bool) else 'false'\n if not path.startswith('/'):\n path = '/' + path\n if not path.endswith('/'):\n path += '/'\n name = name.lstrip('/')\n sio = six.moves.StringIO()\n if not raw:\n if six.PY3:\n base64_encoded_data = base64.encodebytes(data).decode('utf-8')\n else:\n base64_encoded_data = base64.encodestring(data)\n sio.write('<FileData>')\n if content_type is not None:\n sio.write('<fdContentType>{}</fdContentType>'.format(content_type))\n sio.write('<fdType>file</fdType>')\n sio.write('<fdData>{}</fdData>'.format(base64_encoded_data))\n sio.write('<fdArchive>{}</fdArchive>'.format(archive_str))\n sio.write('</FileData>')\n else:\n sio.write(data)\n params = {'type': 'file', 'archive': archive_str}\n self._conn.put('/ws/FileData{path}{name}'.format(path=path, name=name),\n sio.getvalue(), params=params)\n",
"role": "user"
},
{
"content": "write_file",
"role": "assistant"
}
] |
def x(self, path):
path = validate_type(path, *six.string_types)
if not path.startswith('/'):
path = '/' + path
self._conn.delete('/ws/FileData{path}'.format(path=path))
|
delete_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n path = validate_type(path, *six.string_types)\n if not path.startswith('/'):\n path = '/' + path\n self._conn.delete('/ws/FileData{path}'.format(path=path))\n",
"role": "user"
},
{
"content": "delete_file",
"role": "assistant"
}
] |
def x(self, root='~/'):
root = validate_type(root, *six.string_types)
directories = []
files = []
query_fd_path = root
if not query_fd_path.endswith('/'):
query_fd_path += '/'
for fd_object in self.get_filedata(fd_path == query_fd_path):
if fd_object.get_type() == 'directory':
directories.append(fd_object)
else:
files.append(fd_object)
yield root, directories, files
for directory in directories:
for dirpath, directories, files in self.walk(directory.get_full_path()
):
yield dirpath, directories, files
|
walk
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, root='~/'):\n root = validate_type(root, *six.string_types)\n directories = []\n files = []\n query_fd_path = root\n if not query_fd_path.endswith('/'):\n query_fd_path += '/'\n for fd_object in self.get_filedata(fd_path == query_fd_path):\n if fd_object.get_type() == 'directory':\n directories.append(fd_object)\n else:\n files.append(fd_object)\n yield root, directories, files\n for directory in directories:\n for dirpath, directories, files in self.walk(directory.get_full_path()\n ):\n yield dirpath, directories, files\n",
"role": "user"
},
{
"content": "walk",
"role": "assistant"
}
] |
def x(self):
base64_data = self._json_data.get('fdData')
if base64_data is None:
return None
else:
return base64.decodestring(six.b(base64_data))
|
get_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n base64_data = self._json_data.get('fdData')\n if base64_data is None:\n return None\n else:\n return base64.decodestring(six.b(base64_data))\n",
"role": "user"
},
{
"content": "get_data",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
return self._fdapi.write_file(self.get_path(), *args, **kwargs)
|
write_file
|
[
{
"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 return self._fdapi.write_file(self.get_path(), *args, **kwargs)\n",
"role": "user"
},
{
"content": "write_file",
"role": "assistant"
}
] |
def x(self, topics, batch_size=1, batch_duration=0, compression='gzip',
format_type='json'):
monitor_xml = (
""" <Monitor>
<monTopic>{topics}</monTopic>
<monBatchSize>{batch_size}</monBatchSize>
<monFormatType>{format_type}</monFormatType>
<monTransportType>tcp</monTransportType>
<monCompression>{compression}</monCompression>
</Monitor>
"""
.format(topics=','.join(topics), batch_size=batch_size,
batch_duration=batch_duration, format_type=format_type, compression
=compression))
monitor_xml = textwrap.dedent(monitor_xml)
response = self._conn.post('/ws/Monitor', monitor_xml)
location = ET.fromstring(response.text).find('.//location').text
monitor_id = int(location.split('/')[-1])
return TCPDeviceCloudMonitor(self._conn, monitor_id, self.
_tcp_client_manager)
|
create_tcp_monitor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topics, batch_size=1, batch_duration=0, compression='gzip',\n format_type='json'):\n monitor_xml = (\n \"\"\" <Monitor>\n <monTopic>{topics}</monTopic>\n <monBatchSize>{batch_size}</monBatchSize>\n <monFormatType>{format_type}</monFormatType>\n <monTransportType>tcp</monTransportType>\n <monCompression>{compression}</monCompression>\n </Monitor>\n \"\"\"\n .format(topics=','.join(topics), batch_size=batch_size,\n batch_duration=batch_duration, format_type=format_type, compression\n =compression))\n monitor_xml = textwrap.dedent(monitor_xml)\n response = self._conn.post('/ws/Monitor', monitor_xml)\n location = ET.fromstring(response.text).find('.//location').text\n monitor_id = int(location.split('/')[-1])\n return TCPDeviceCloudMonitor(self._conn, monitor_id, self.\n _tcp_client_manager)\n",
"role": "user"
},
{
"content": "create_tcp_monitor",
"role": "assistant"
}
] |
def x(self, topics, transport_url, transport_token=None, transport_method=
'PUT', connect_timeout=0, response_timeout=0, batch_size=1,
batch_duration=0, compression='none', format_type='json'):
monitor_xml = (
""" <Monitor>
<monTopic>{topics}</monTopic>
<monBatchSize>{batch_size}</monBatchSize>
<monFormatType>{format_type}</monFormatType>
<monTransportType>http</monTransportType>
<monTransportUrl>{transport_url}</monTransportUrl>
<monTransportToken>{transport_token}</monTransportToken>
<monTransportMethod>{transport_method}</monTransportMethod>
<monConnectTimeout>{connect_timeout}</monConnectTimeout>
<monResponseTimeout>{response_timeout}</monResponseTimeout>
<monCompression>{compression}</monCompression>
</Monitor>
"""
.format(topics=','.join(topics), transport_url=transport_url,
transport_token=transport_token, transport_method=transport_method,
connect_timeout=connect_timeout, response_timeout=response_timeout,
batch_size=batch_size, batch_duration=batch_duration, format_type=
format_type, compression=compression))
monitor_xml = textwrap.dedent(monitor_xml)
response = self._conn.post('/ws/Monitor', monitor_xml)
location = ET.fromstring(response.text).find('.//location').text
monitor_id = int(location.split('/')[-1])
return HTTPDeviceCloudMonitor(self._conn, monitor_id)
|
create_http_monitor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topics, transport_url, transport_token=None, transport_method=\n 'PUT', connect_timeout=0, response_timeout=0, batch_size=1,\n batch_duration=0, compression='none', format_type='json'):\n monitor_xml = (\n \"\"\" <Monitor>\n <monTopic>{topics}</monTopic>\n <monBatchSize>{batch_size}</monBatchSize>\n <monFormatType>{format_type}</monFormatType>\n <monTransportType>http</monTransportType>\n <monTransportUrl>{transport_url}</monTransportUrl>\n <monTransportToken>{transport_token}</monTransportToken>\n <monTransportMethod>{transport_method}</monTransportMethod>\n <monConnectTimeout>{connect_timeout}</monConnectTimeout>\n <monResponseTimeout>{response_timeout}</monResponseTimeout>\n <monCompression>{compression}</monCompression>\n </Monitor>\n \"\"\"\n .format(topics=','.join(topics), transport_url=transport_url,\n transport_token=transport_token, transport_method=transport_method,\n connect_timeout=connect_timeout, response_timeout=response_timeout,\n batch_size=batch_size, batch_duration=batch_duration, format_type=\n format_type, compression=compression))\n monitor_xml = textwrap.dedent(monitor_xml)\n response = self._conn.post('/ws/Monitor', monitor_xml)\n location = ET.fromstring(response.text).find('.//location').text\n monitor_id = int(location.split('/')[-1])\n return HTTPDeviceCloudMonitor(self._conn, monitor_id)\n",
"role": "user"
},
{
"content": "create_http_monitor",
"role": "assistant"
}
] |
def x(self, condition=None, page_size=1000):
req_kwargs = {}
if condition:
req_kwargs['condition'] = condition.compile()
for monitor_data in self._conn.iter_json_pages('/ws/Monitor', **req_kwargs
):
yield DeviceCloudMonitor.from_json(self._conn, monitor_data, self.
_tcp_client_manager)
|
get_monitors
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, condition=None, page_size=1000):\n req_kwargs = {}\n if condition:\n req_kwargs['condition'] = condition.compile()\n for monitor_data in self._conn.iter_json_pages('/ws/Monitor', **req_kwargs\n ):\n yield DeviceCloudMonitor.from_json(self._conn, monitor_data, self.\n _tcp_client_manager)\n",
"role": "user"
},
{
"content": "get_monitors",
"role": "assistant"
}
] |
def x(self, topics):
for monitor in self.get_monitors(MON_TOPIC_ATTR == ','.join(topics)):
return monitor
return None
|
get_monitor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topics):\n for monitor in self.get_monitors(MON_TOPIC_ATTR == ','.join(topics)):\n return monitor\n return None\n",
"role": "user"
},
{
"content": "get_monitor",
"role": "assistant"
}
] |
def x(stream_type):
if stream_type is not None:
return DSTREAM_TYPE_MAP.get(stream_type.upper(), (lambda x: x, lambda
x: x))[1]
else:
return lambda x: x
|
get_encoder_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream_type):\n if stream_type is not None:\n return DSTREAM_TYPE_MAP.get(stream_type.upper(), (lambda x: x, lambda\n x: x))[1]\n else:\n return lambda x: x\n",
"role": "user"
},
{
"content": "get_encoder_method",
"role": "assistant"
}
] |
def x(stream_type):
if stream_type is not None:
return DSTREAM_TYPE_MAP.get(stream_type.upper(), (lambda x: x, lambda
x: x))[0]
else:
return lambda x: x
|
get_decoder_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream_type):\n if stream_type is not None:\n return DSTREAM_TYPE_MAP.get(stream_type.upper(), (lambda x: x, lambda\n x: x))[0]\n else:\n return lambda x: x\n",
"role": "user"
},
{
"content": "get_decoder_method",
"role": "assistant"
}
] |
def x(self, uri_suffix=None):
if uri_suffix is not None and not uri_suffix.startswith('/'):
uri_suffix = '/' + uri_suffix
elif uri_suffix is None:
uri_suffix = ''
streams = {}
response = self._conn.get_json('/ws/DataStream{}'.format(uri_suffix))
for stream_data in response['items']:
stream_id = stream_data['streamId']
stream = DataStream(self._conn, stream_id, stream_data)
streams[stream_id] = stream
return streams
|
get_streams
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uri_suffix=None):\n if uri_suffix is not None and not uri_suffix.startswith('/'):\n uri_suffix = '/' + uri_suffix\n elif uri_suffix is None:\n uri_suffix = ''\n streams = {}\n response = self._conn.get_json('/ws/DataStream{}'.format(uri_suffix))\n for stream_data in response['items']:\n stream_id = stream_data['streamId']\n stream = DataStream(self._conn, stream_id, stream_data)\n streams[stream_id] = stream\n return streams\n",
"role": "user"
},
{
"content": "get_streams",
"role": "assistant"
}
] |
def x(self, stream_id, data_type, description=None, data_ttl=None,
rollup_ttl=None, units=None):
stream_id = validate_type(stream_id, *six.string_types)
data_type = validate_type(data_type, type(None), *six.string_types)
if isinstance(data_type, *six.string_types):
data_type = str(data_type).upper()
if not data_type in set([None]) | set(list(DSTREAM_TYPE_MAP.keys())):
raise ValueError('data_type %r is not valid' % data_type)
description = validate_type(description, type(None), *six.string_types)
data_ttl = validate_type(data_ttl, type(None), *six.integer_types)
rollup_ttl = validate_type(rollup_ttl, type(None), *six.integer_types)
units = validate_type(units, type(None), *six.string_types)
sio = StringIO()
sio.write('<DataStream>')
conditional_write(sio, '<streamId>{}</streamId>', stream_id)
conditional_write(sio, '<dataType>{}</dataType>', data_type)
conditional_write(sio, '<description>{}</description>', description)
conditional_write(sio, '<dataTtl>{}</dataTtl>', data_ttl)
conditional_write(sio, '<rollupTtl>{}</rollupTtl>', rollup_ttl)
conditional_write(sio, '<units>{}</units>', units)
sio.write('</DataStream>')
self._conn.post('/ws/DataStream', sio.getvalue())
logger.info('Data stream (%s) created successfully', stream_id)
stream = DataStream(self._conn, stream_id)
return stream
|
create_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream_id, data_type, description=None, data_ttl=None,\n rollup_ttl=None, units=None):\n stream_id = validate_type(stream_id, *six.string_types)\n data_type = validate_type(data_type, type(None), *six.string_types)\n if isinstance(data_type, *six.string_types):\n data_type = str(data_type).upper()\n if not data_type in set([None]) | set(list(DSTREAM_TYPE_MAP.keys())):\n raise ValueError('data_type %r is not valid' % data_type)\n description = validate_type(description, type(None), *six.string_types)\n data_ttl = validate_type(data_ttl, type(None), *six.integer_types)\n rollup_ttl = validate_type(rollup_ttl, type(None), *six.integer_types)\n units = validate_type(units, type(None), *six.string_types)\n sio = StringIO()\n sio.write('<DataStream>')\n conditional_write(sio, '<streamId>{}</streamId>', stream_id)\n conditional_write(sio, '<dataType>{}</dataType>', data_type)\n conditional_write(sio, '<description>{}</description>', description)\n conditional_write(sio, '<dataTtl>{}</dataTtl>', data_ttl)\n conditional_write(sio, '<rollupTtl>{}</rollupTtl>', rollup_ttl)\n conditional_write(sio, '<units>{}</units>', units)\n sio.write('</DataStream>')\n self._conn.post('/ws/DataStream', sio.getvalue())\n logger.info('Data stream (%s) created successfully', stream_id)\n stream = DataStream(self._conn, stream_id)\n return stream\n",
"role": "user"
},
{
"content": "create_stream",
"role": "assistant"
}
] |
def x(self, stream_id):
stream = self.get_stream(stream_id)
try:
stream.get_data_type(use_cached=True)
except NoSuchStreamException:
return None
else:
return stream
|
get_stream_if_exists
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream_id):\n stream = self.get_stream(stream_id)\n try:\n stream.get_data_type(use_cached=True)\n except NoSuchStreamException:\n return None\n else:\n return stream\n",
"role": "user"
},
{
"content": "get_stream_if_exists",
"role": "assistant"
}
] |
def x(self, datapoints):
datapoints = list(datapoints)
for dp in datapoints:
if not isinstance(dp, DataPoint):
raise TypeError(
'All items in the datapoints list must be DataPoints')
if dp.get_stream_id() is None:
raise ValueError('stream_id must be set on all datapoints')
remaining_datapoints = datapoints
while remaining_datapoints:
this_chunk_of_datapoints = remaining_datapoints[:
MAXIMUM_DATAPOINTS_PER_POST]
remaining_datapoints = remaining_datapoints[MAXIMUM_DATAPOINTS_PER_POST
:]
datapoints_out = StringIO()
datapoints_out.write('<list>')
for dp in this_chunk_of_datapoints:
datapoints_out.write(dp.to_xml())
datapoints_out.write('</list>')
self._conn.post('/ws/DataPoint', datapoints_out.getvalue())
logger.info('DataPoint batch of %s datapoints written', len(
this_chunk_of_datapoints))
|
bulk_write_datapoints
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, datapoints):\n datapoints = list(datapoints)\n for dp in datapoints:\n if not isinstance(dp, DataPoint):\n raise TypeError(\n 'All items in the datapoints list must be DataPoints')\n if dp.get_stream_id() is None:\n raise ValueError('stream_id must be set on all datapoints')\n remaining_datapoints = datapoints\n while remaining_datapoints:\n this_chunk_of_datapoints = remaining_datapoints[:\n MAXIMUM_DATAPOINTS_PER_POST]\n remaining_datapoints = remaining_datapoints[MAXIMUM_DATAPOINTS_PER_POST\n :]\n datapoints_out = StringIO()\n datapoints_out.write('<list>')\n for dp in this_chunk_of_datapoints:\n datapoints_out.write(dp.to_xml())\n datapoints_out.write('</list>')\n self._conn.post('/ws/DataPoint', datapoints_out.getvalue())\n logger.info('DataPoint batch of %s datapoints written', len(\n this_chunk_of_datapoints))\n",
"role": "user"
},
{
"content": "bulk_write_datapoints",
"role": "assistant"
}
] |
def x(cls, stream, json_data):
type_converter = _get_decoder_method(stream.get_data_type())
data = type_converter(json_data.get('data'))
return cls(stream_id=stream.get_stream_id(), data_type=stream.
get_data_type(), units=stream.get_units(), data=data, description=
json_data.get('description'), timestamp=json_data.get(
'timestampISO'), server_timestamp=json_data.get(
'serverTimestampISO'), quality=json_data.get('quality'), location=
json_data.get('location'), dp_id=json_data.get('id'))
|
from_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, stream, json_data):\n type_converter = _get_decoder_method(stream.get_data_type())\n data = type_converter(json_data.get('data'))\n return cls(stream_id=stream.get_stream_id(), data_type=stream.\n get_data_type(), units=stream.get_units(), data=data, description=\n json_data.get('description'), timestamp=json_data.get(\n 'timestampISO'), server_timestamp=json_data.get(\n 'serverTimestampISO'), quality=json_data.get('quality'), location=\n json_data.get('location'), dp_id=json_data.get('id'))\n",
"role": "user"
},
{
"content": "from_json",
"role": "assistant"
}
] |
def x(cls, stream, json_data):
dp = cls.from_json(stream, json_data)
timestamp = isoformat(dc_utc_timestamp_to_dt(int(json_data.get(
'timestamp'))))
type_converter = _get_decoder_method(stream.get_data_type())
data = type_converter(float(json_data.get('data')))
dp.set_timestamp(timestamp)
dp.set_data(data)
return dp
|
from_rollup_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, stream, json_data):\n dp = cls.from_json(stream, json_data)\n timestamp = isoformat(dc_utc_timestamp_to_dt(int(json_data.get(\n 'timestamp'))))\n type_converter = _get_decoder_method(stream.get_data_type())\n data = type_converter(float(json_data.get('data')))\n dp.set_timestamp(timestamp)\n dp.set_data(data)\n return dp\n",
"role": "user"
},
{
"content": "from_rollup_json",
"role": "assistant"
}
] |
def x(self, stream_id):
stream_id = validate_type(stream_id, type(None), *six.string_types)
if stream_id is not None:
stream_id = stream_id.lstrip('/')
self._stream_id = stream_id
|
set_stream_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream_id):\n stream_id = validate_type(stream_id, type(None), *six.string_types)\n if stream_id is not None:\n stream_id = stream_id.lstrip('/')\n self._stream_id = stream_id\n",
"role": "user"
},
{
"content": "set_stream_id",
"role": "assistant"
}
] |
def x(self, description):
self._description = validate_type(description, type(None), *six.
string_types)
|
set_description
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, description):\n self._description = validate_type(description, type(None), *six.\n string_types)\n",
"role": "user"
},
{
"content": "set_description",
"role": "assistant"
}
] |
def x(self, quality):
if isinstance(quality, *six.string_types):
quality = int(quality)
elif isinstance(quality, float):
quality = int(quality)
self._quality = validate_type(quality, type(None), *six.integer_types)
|
set_quality
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quality):\n if isinstance(quality, *six.string_types):\n quality = int(quality)\n elif isinstance(quality, float):\n quality = int(quality)\n self._quality = validate_type(quality, type(None), *six.integer_types)\n",
"role": "user"
},
{
"content": "set_quality",
"role": "assistant"
}
] |
def x(self, location):
if location is None:
self._location = location
elif isinstance(location, *six.string_types):
parts = str(location).split(',')
if len(parts) == 3:
self._location = tuple(map(float, parts))
return
else:
raise ValueError('Location string %r has unexpected format' %
location)
elif isinstance(location, (tuple, list)) and len(location) == 3 and all([
isinstance(x, (float, six.integer_types)) for x in location]):
self._location = tuple(map(float, location))
else:
raise TypeError('Location must be None or 3-tuple of floats')
self._location = location
|
set_location
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location):\n if location is None:\n self._location = location\n elif isinstance(location, *six.string_types):\n parts = str(location).split(',')\n if len(parts) == 3:\n self._location = tuple(map(float, parts))\n return\n else:\n raise ValueError('Location string %r has unexpected format' %\n location)\n elif isinstance(location, (tuple, list)) and len(location) == 3 and all([\n isinstance(x, (float, six.integer_types)) for x in location]):\n self._location = tuple(map(float, location))\n else:\n raise TypeError('Location must be None or 3-tuple of floats')\n self._location = location\n",
"role": "user"
},
{
"content": "set_location",
"role": "assistant"
}
] |
def x(self, data_type):
validate_type(data_type, type(None), *six.string_types)
if isinstance(data_type, *six.string_types):
data_type = str(data_type).upper()
if not data_type in {None} | set(DSTREAM_TYPE_MAP.keys()):
raise ValueError('Provided data type not in available set of types')
self._data_type = data_type
|
set_data_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data_type):\n validate_type(data_type, type(None), *six.string_types)\n if isinstance(data_type, *six.string_types):\n data_type = str(data_type).upper()\n if not data_type in {None} | set(DSTREAM_TYPE_MAP.keys()):\n raise ValueError('Provided data type not in available set of types')\n self._data_type = data_type\n",
"role": "user"
},
{
"content": "set_data_type",
"role": "assistant"
}
] |
def x(self, unit):
self._units = validate_type(unit, type(None), *six.string_types)
|
set_units
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, unit):\n self._units = validate_type(unit, type(None), *six.string_types)\n",
"role": "user"
},
{
"content": "set_units",
"role": "assistant"
}
] |
def x(self):
type_converter = _get_encoder_method(self._data_type)
encoded_data = type_converter(self._data)
out = StringIO()
out.write('<DataPoint>')
out.write('<streamId>{}</streamId>'.format(self.get_stream_id()))
out.write('<data>{}</data>'.format(encoded_data))
conditional_write(out, '<description>{}</description>', self.
get_description())
if self.get_timestamp() is not None:
out.write('<timestamp>{}</timestamp>'.format(isoformat(self.
get_timestamp())))
conditional_write(out, '<quality>{}</quality>', self.get_quality())
if self.get_location() is not None:
out.write('<location>%s</location>' % ','.join(map(str, self.
get_location())))
conditional_write(out, '<streamType>{}</streamType>', self.get_data_type())
conditional_write(out, '<streamUnits>{}</streamUnits>', self.get_units())
out.write('</DataPoint>')
return out.getvalue()
|
to_xml
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n type_converter = _get_encoder_method(self._data_type)\n encoded_data = type_converter(self._data)\n out = StringIO()\n out.write('<DataPoint>')\n out.write('<streamId>{}</streamId>'.format(self.get_stream_id()))\n out.write('<data>{}</data>'.format(encoded_data))\n conditional_write(out, '<description>{}</description>', self.\n get_description())\n if self.get_timestamp() is not None:\n out.write('<timestamp>{}</timestamp>'.format(isoformat(self.\n get_timestamp())))\n conditional_write(out, '<quality>{}</quality>', self.get_quality())\n if self.get_location() is not None:\n out.write('<location>%s</location>' % ','.join(map(str, self.\n get_location())))\n conditional_write(out, '<streamType>{}</streamType>', self.get_data_type())\n conditional_write(out, '<streamUnits>{}</streamUnits>', self.get_units())\n out.write('</DataPoint>')\n return out.getvalue()\n",
"role": "user"
},
{
"content": "to_xml",
"role": "assistant"
}
] |
def x(self, use_cached):
if self._cached_data is None or not use_cached:
try:
self._cached_data = self._conn.get_json('/ws/DataStream/%s' %
self._stream_id)['items'][0]
except DeviceCloudHttpException as http_exception:
if http_exception.response.status_code == 404:
raise NoSuchStreamException(
'Stream with id %r has not been created' % self._stream_id)
raise http_exception
return self._cached_data
|
get_stream_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_cached):\n if self._cached_data is None or not use_cached:\n try:\n self._cached_data = self._conn.get_json('/ws/DataStream/%s' %\n self._stream_id)['items'][0]\n except DeviceCloudHttpException as http_exception:\n if http_exception.response.status_code == 404:\n raise NoSuchStreamException(\n 'Stream with id %r has not been created' % self._stream_id)\n raise http_exception\n return self._cached_data\n",
"role": "user"
},
{
"content": "get_stream_metadata",
"role": "assistant"
}
] |
def x(self, use_cached=True):
dtype = self._get_stream_metadata(use_cached).get('dataType')
if dtype is not None:
dtype = dtype.upper()
return dtype
|
get_data_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_cached=True):\n dtype = self._get_stream_metadata(use_cached).get('dataType')\n if dtype is not None:\n dtype = dtype.upper()\n return dtype\n",
"role": "user"
},
{
"content": "get_data_type",
"role": "assistant"
}
] |
def x(self, use_cached=True):
data_ttl_text = self._get_stream_metadata(use_cached).get('dataTtl')
return int(data_ttl_text)
|
get_data_ttl
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_cached=True):\n data_ttl_text = self._get_stream_metadata(use_cached).get('dataTtl')\n return int(data_ttl_text)\n",
"role": "user"
},
{
"content": "get_data_ttl",
"role": "assistant"
}
] |
def x(self, use_cached=True):
rollup_ttl_text = self._get_stream_metadata(use_cached).get('rollupTtl')
return int(rollup_ttl_text)
|
get_rollup_ttl
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_cached=True):\n rollup_ttl_text = self._get_stream_metadata(use_cached).get('rollupTtl')\n return int(rollup_ttl_text)\n",
"role": "user"
},
{
"content": "get_rollup_ttl",
"role": "assistant"
}
] |
def x(self, use_cached=False):
current_value = self._get_stream_metadata(use_cached).get('currentValue')
if current_value:
return DataPoint.from_json(self, current_value)
else:
return None
|
get_current_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_cached=False):\n current_value = self._get_stream_metadata(use_cached).get('currentValue')\n if current_value:\n return DataPoint.from_json(self, current_value)\n else:\n return None\n",
"role": "user"
},
{
"content": "get_current_value",
"role": "assistant"
}
] |
def x(self):
try:
self._conn.delete('/ws/DataStream/{}'.format(self.get_stream_id()))
except DeviceCloudHttpException as http_excpeption:
if http_excpeption.response.status_code == 404:
raise NoSuchStreamException()
else:
raise http_excpeption
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n self._conn.delete('/ws/DataStream/{}'.format(self.get_stream_id()))\n except DeviceCloudHttpException as http_excpeption:\n if http_excpeption.response.status_code == 404:\n raise NoSuchStreamException()\n else:\n raise http_excpeption\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, datapoint):
datapoint = validate_type(datapoint, DataPoint)
self._conn.delete('/ws/DataPoint/{stream_id}/{datapoint_id}'.format(
stream_id=self.get_stream_id(), datapoint_id=datapoint.get_id()))
|
delete_datapoint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, datapoint):\n datapoint = validate_type(datapoint, DataPoint)\n self._conn.delete('/ws/DataPoint/{stream_id}/{datapoint_id}'.format(\n stream_id=self.get_stream_id(), datapoint_id=datapoint.get_id()))\n",
"role": "user"
},
{
"content": "delete_datapoint",
"role": "assistant"
}
] |
def x(self, start_dt=None, end_dt=None):
start_dt = to_none_or_dt(validate_type(start_dt, datetime.datetime,
type(None)))
end_dt = to_none_or_dt(validate_type(end_dt, datetime.datetime, type(None))
)
params = {}
if start_dt is not None:
params['startTime'] = isoformat(start_dt)
if end_dt is not None:
params['endTime'] = isoformat(end_dt)
self._conn.delete('/ws/DataPoint/{stream_id}{querystring}'.format(
stream_id=self.get_stream_id(), querystring='?' + urllib.parse.
urlencode(params) if params else ''))
|
delete_datapoints_in_time_range
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_dt=None, end_dt=None):\n start_dt = to_none_or_dt(validate_type(start_dt, datetime.datetime,\n type(None)))\n end_dt = to_none_or_dt(validate_type(end_dt, datetime.datetime, type(None))\n )\n params = {}\n if start_dt is not None:\n params['startTime'] = isoformat(start_dt)\n if end_dt is not None:\n params['endTime'] = isoformat(end_dt)\n self._conn.delete('/ws/DataPoint/{stream_id}{querystring}'.format(\n stream_id=self.get_stream_id(), querystring='?' + urllib.parse.\n urlencode(params) if params else ''))\n",
"role": "user"
},
{
"content": "delete_datapoints_in_time_range",
"role": "assistant"
}
] |
def x(self, datapoint):
if not isinstance(datapoint, DataPoint):
raise TypeError('First argument must be a DataPoint object')
datapoint._stream_id = self.get_stream_id()
if self._cached_data is not None and datapoint.get_data_type() is None:
datapoint._data_type = self.get_data_type()
self._conn.post('/ws/DataPoint/{}'.format(self.get_stream_id()),
datapoint.to_xml())
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, datapoint):\n if not isinstance(datapoint, DataPoint):\n raise TypeError('First argument must be a DataPoint object')\n datapoint._stream_id = self.get_stream_id()\n if self._cached_data is not None and datapoint.get_data_type() is None:\n datapoint._data_type = self.get_data_type()\n self._conn.post('/ws/DataPoint/{}'.format(self.get_stream_id()),\n datapoint.to_xml())\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self, start_time=None, end_time=None, use_client_timeline=True,
newest_first=True, rollup_interval=None, rollup_method=None, timezone=
None, page_size=1000):
is_rollup = False
if rollup_interval is not None or rollup_method is not None:
is_rollup = True
numeric_types = [STREAM_TYPE_INTEGER, STREAM_TYPE_LONG,
STREAM_TYPE_FLOAT, STREAM_TYPE_DOUBLE, STREAM_TYPE_STRING,
STREAM_TYPE_BINARY, STREAM_TYPE_UNKNOWN]
if self.get_data_type(use_cached=True) not in numeric_types:
raise InvalidRollupDatatype(
'Rollups only support numerical DataPoints')
start_time = to_none_or_dt(validate_type(start_time, datetime.datetime,
type(None)))
end_time = to_none_or_dt(validate_type(end_time, datetime.datetime,
type(None)))
use_client_timeline = validate_type(use_client_timeline, bool)
newest_first = validate_type(newest_first, bool)
rollup_interval = validate_type(rollup_interval, type(None), *six.
string_types)
if not rollup_interval in {None, ROLLUP_INTERVAL_HALF,
ROLLUP_INTERVAL_HOUR, ROLLUP_INTERVAL_DAY, ROLLUP_INTERVAL_WEEK,
ROLLUP_INTERVAL_MONTH}:
raise ValueError('Invalid rollup_interval %r provided' % (
rollup_interval,))
rollup_method = validate_type(rollup_method, type(None), *six.string_types)
if not rollup_method in {None, ROLLUP_METHOD_SUM, ROLLUP_METHOD_AVERAGE,
ROLLUP_METHOD_MIN, ROLLUP_METHOD_MAX, ROLLUP_METHOD_COUNT,
ROLLUP_METHOD_STDDEV}:
raise ValueError('Invalid rollup_method %r provided' % (rollup_method,)
)
timezone = validate_type(timezone, type(None), *six.string_types)
page_size = validate_type(page_size, *six.integer_types)
query_parameters = {'timeline': 'client' if use_client_timeline else
'server', 'order': 'descending' if newest_first else 'ascending',
'size': page_size}
if start_time is not None:
query_parameters['startTime'] = isoformat(start_time)
if end_time is not None:
query_parameters['endTime'] = isoformat(end_time)
if rollup_interval is not None:
query_parameters['rollupInterval'] = rollup_interval
if rollup_method is not None:
query_parameters['rollupMethod'] = rollup_method
if timezone is not None:
query_parameters['timezone'] = timezone
result_size = page_size
while result_size == page_size:
try:
result = self._conn.get_json(
'/ws/DataPoint/{stream_id}?{query_params}'.format(stream_id
=self.get_stream_id(), query_params=urllib.parse.urlencode(
query_parameters)))
except DeviceCloudHttpException as http_exception:
if http_exception.response.status_code == 404:
raise NoSuchStreamException()
raise http_exception
result_size = int(result['resultSize'])
query_parameters['pageCursor'] = result.get('pageCursor')
for item_info in result.get('items', []):
if is_rollup:
data_point = DataPoint.from_rollup_json(self, item_info)
else:
data_point = DataPoint.from_json(self, item_info)
yield data_point
|
read
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_time=None, end_time=None, use_client_timeline=True,\n newest_first=True, rollup_interval=None, rollup_method=None, timezone=\n None, page_size=1000):\n is_rollup = False\n if rollup_interval is not None or rollup_method is not None:\n is_rollup = True\n numeric_types = [STREAM_TYPE_INTEGER, STREAM_TYPE_LONG,\n STREAM_TYPE_FLOAT, STREAM_TYPE_DOUBLE, STREAM_TYPE_STRING,\n STREAM_TYPE_BINARY, STREAM_TYPE_UNKNOWN]\n if self.get_data_type(use_cached=True) not in numeric_types:\n raise InvalidRollupDatatype(\n 'Rollups only support numerical DataPoints')\n start_time = to_none_or_dt(validate_type(start_time, datetime.datetime,\n type(None)))\n end_time = to_none_or_dt(validate_type(end_time, datetime.datetime,\n type(None)))\n use_client_timeline = validate_type(use_client_timeline, bool)\n newest_first = validate_type(newest_first, bool)\n rollup_interval = validate_type(rollup_interval, type(None), *six.\n string_types)\n if not rollup_interval in {None, ROLLUP_INTERVAL_HALF,\n ROLLUP_INTERVAL_HOUR, ROLLUP_INTERVAL_DAY, ROLLUP_INTERVAL_WEEK,\n ROLLUP_INTERVAL_MONTH}:\n raise ValueError('Invalid rollup_interval %r provided' % (\n rollup_interval,))\n rollup_method = validate_type(rollup_method, type(None), *six.string_types)\n if not rollup_method in {None, ROLLUP_METHOD_SUM, ROLLUP_METHOD_AVERAGE,\n ROLLUP_METHOD_MIN, ROLLUP_METHOD_MAX, ROLLUP_METHOD_COUNT,\n ROLLUP_METHOD_STDDEV}:\n raise ValueError('Invalid rollup_method %r provided' % (rollup_method,)\n )\n timezone = validate_type(timezone, type(None), *six.string_types)\n page_size = validate_type(page_size, *six.integer_types)\n query_parameters = {'timeline': 'client' if use_client_timeline else\n 'server', 'order': 'descending' if newest_first else 'ascending',\n 'size': page_size}\n if start_time is not None:\n query_parameters['startTime'] = isoformat(start_time)\n if end_time is not None:\n query_parameters['endTime'] = isoformat(end_time)\n if rollup_interval is not None:\n query_parameters['rollupInterval'] = rollup_interval\n if rollup_method is not None:\n query_parameters['rollupMethod'] = rollup_method\n if timezone is not None:\n query_parameters['timezone'] = timezone\n result_size = page_size\n while result_size == page_size:\n try:\n result = self._conn.get_json(\n '/ws/DataPoint/{stream_id}?{query_params}'.format(stream_id\n =self.get_stream_id(), query_params=urllib.parse.urlencode(\n query_parameters)))\n except DeviceCloudHttpException as http_exception:\n if http_exception.response.status_code == 404:\n raise NoSuchStreamException()\n raise http_exception\n result_size = int(result['resultSize'])\n query_parameters['pageCursor'] = result.get('pageCursor')\n for item_info in result.get('items', []):\n if is_rollup:\n data_point = DataPoint.from_rollup_json(self, item_info)\n else:\n data_point = DataPoint.from_json(self, item_info)\n yield data_point\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(value):
if isinstance(value, datetime.datetime):
value = isoformat(to_none_or_dt(value))
else:
value = str(value)
return "'{}'".format(value)
|
quoted
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if isinstance(value, datetime.datetime):\n value = isoformat(to_none_or_dt(value))\n else:\n value = str(value)\n return \"'{}'\".format(value)\n",
"role": "user"
},
{
"content": "quoted",
"role": "assistant"
}
] |
def x(self):
return '{lhs}{sep}{rhs}'.format(lhs=self.lhs.compile(), sep=self.sep,
rhs=self.rhs.compile())
|
compile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return '{lhs}{sep}{rhs}'.format(lhs=self.lhs.compile(), sep=self.sep,\n rhs=self.rhs.compile())\n",
"role": "user"
},
{
"content": "compile",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.