source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, box): if self._codec_format == opj2.CODEC_J2K: msg = 'Only JP2 files can currently have boxes appended to them.' raise IOError(msg) if not (box.box_id == 'xml ' or box.box_id == 'uuid' and box.uuid == UUID('be7acfcb-97a9-42e8-9c71-999491e3afac')): msg = 'Only XML boxes and XMP UUID boxes can currently be appended.' raise IOError(msg) with open(self.filename, 'rb') as ifile: offset = self.box[-1].offset ifile.seek(offset) read_buffer = ifile.read(4) box_length, = struct.unpack('>I', read_buffer) if box_length == 0: true_box_length = os.path.getsize(ifile.name) - offset with open(self.filename, 'r+b') as ofile: ofile.seek(offset) write_buffer = struct.pack('>I', true_box_length) ofile.write(write_buffer) with open(self.filename, 'ab') as ofile: box.write(ofile) self.parse()
append
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, box):\n if self._codec_format == opj2.CODEC_J2K:\n msg = 'Only JP2 files can currently have boxes appended to them.'\n raise IOError(msg)\n if not (box.box_id == 'xml ' or box.box_id == 'uuid' and box.uuid ==\n UUID('be7acfcb-97a9-42e8-9c71-999491e3afac')):\n msg = 'Only XML boxes and XMP UUID boxes can currently be appended.'\n raise IOError(msg)\n with open(self.filename, 'rb') as ifile:\n offset = self.box[-1].offset\n ifile.seek(offset)\n read_buffer = ifile.read(4)\n box_length, = struct.unpack('>I', read_buffer)\n if box_length == 0:\n true_box_length = os.path.getsize(ifile.name) - offset\n with open(self.filename, 'r+b') as ofile:\n ofile.seek(offset)\n write_buffer = struct.pack('>I', true_box_length)\n ofile.write(write_buffer)\n with open(self.filename, 'ab') as ofile:\n box.write(ofile)\n self.parse()\n", "role": "user" }, { "content": "append", "role": "assistant" } ]
def x(self, filename, boxes=None): if boxes is None: boxes = self._get_default_jp2_boxes() self._validate_jp2_box_sequence(boxes) with open(filename, 'wb') as ofile: for box in boxes: if box.box_id != 'jp2c': box.write(ofile) else: self._write_wrapped_codestream(ofile, box) ofile.flush() jp2 = Jp2k(filename) return jp2
wrap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, boxes=None):\n if boxes is None:\n boxes = self._get_default_jp2_boxes()\n self._validate_jp2_box_sequence(boxes)\n with open(filename, 'wb') as ofile:\n for box in boxes:\n if box.box_id != 'jp2c':\n box.write(ofile)\n else:\n self._write_wrapped_codestream(ofile, box)\n ofile.flush()\n jp2 = Jp2k(filename)\n return jp2\n", "role": "user" }, { "content": "wrap", "role": "assistant" } ]
def x(self, ofile, box): if len(self.box) == 0: ofile.write(struct.pack('>I', self.length + 8)) ofile.write(b'jp2c') with open(self.filename, 'rb') as ifile: ofile.write(ifile.read()) return offset = box.offset if offset == -1: if self.box[1].brand == 'jpx ': msg = ( 'The codestream box must have its offset and length attributes fully specified if the file type brand is JPX.' ) raise IOError(msg) jp2c = [_box for _box in self.box if _box.box_id == 'jp2c'] offset = jp2c[0].offset with open(self.filename, 'rb') as ifile: ifile.seek(offset) read_buffer = ifile.read(8) L, T = struct.unpack_from('>I4s', read_buffer, 0) if T != b'jp2c': msg = 'Unable to locate the specified codestream.' raise IOError(msg) if L == 0: L = os.path.getsize(ifile.name) - ifile.tell() + 8 elif L == 1: read_buffer = ifile.read(8) L, = struct.unpack('>Q', read_buffer) ifile.seek(offset) read_buffer = ifile.read(L) ofile.write(read_buffer)
write_wrapped_codestream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ofile, box):\n if len(self.box) == 0:\n ofile.write(struct.pack('>I', self.length + 8))\n ofile.write(b'jp2c')\n with open(self.filename, 'rb') as ifile:\n ofile.write(ifile.read())\n return\n offset = box.offset\n if offset == -1:\n if self.box[1].brand == 'jpx ':\n msg = (\n 'The codestream box must have its offset and length attributes fully specified if the file type brand is JPX.'\n )\n raise IOError(msg)\n jp2c = [_box for _box in self.box if _box.box_id == 'jp2c']\n offset = jp2c[0].offset\n with open(self.filename, 'rb') as ifile:\n ifile.seek(offset)\n read_buffer = ifile.read(8)\n L, T = struct.unpack_from('>I4s', read_buffer, 0)\n if T != b'jp2c':\n msg = 'Unable to locate the specified codestream.'\n raise IOError(msg)\n if L == 0:\n L = os.path.getsize(ifile.name) - ifile.tell() + 8\n elif L == 1:\n read_buffer = ifile.read(8)\n L, = struct.unpack('>Q', read_buffer)\n ifile.seek(offset)\n read_buffer = ifile.read(L)\n ofile.write(read_buffer)\n", "role": "user" }, { "content": "write_wrapped_codestream", "role": "assistant" } ]
def x(self): boxes = [JPEG2000SignatureBox(), FileTypeBox(), JP2HeaderBox(), ContiguousCodestreamBox()] height = self.codestream.segment[1].ysiz width = self.codestream.segment[1].xsiz num_components = len(self.codestream.segment[1].xrsiz) if num_components < 3: colorspace = core.GREYSCALE elif len(self.box) == 0: colorspace = core.SRGB else: jp2hs = [box for box in self.box if box.box_id == 'jp2h'] colorspace = jp2hs[0].box[1].colorspace boxes[2].box = [ImageHeaderBox(height=height, width=width, num_components=num_components), ColourSpecificationBox(colorspace= colorspace)] return boxes
get_default_jp2_boxes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n boxes = [JPEG2000SignatureBox(), FileTypeBox(), JP2HeaderBox(),\n ContiguousCodestreamBox()]\n height = self.codestream.segment[1].ysiz\n width = self.codestream.segment[1].xsiz\n num_components = len(self.codestream.segment[1].xrsiz)\n if num_components < 3:\n colorspace = core.GREYSCALE\n elif len(self.box) == 0:\n colorspace = core.SRGB\n else:\n jp2hs = [box for box in self.box if box.box_id == 'jp2h']\n colorspace = jp2hs[0].box[1].colorspace\n boxes[2].box = [ImageHeaderBox(height=height, width=width,\n num_components=num_components), ColourSpecificationBox(colorspace=\n colorspace)]\n return boxes\n", "role": "user" }, { "content": "get_default_jp2_boxes", "role": "assistant" } ]
def x(self, index, numrows, numcols, numbands): rows = slice(0, numrows) cols = slice(0, numcols) bands = slice(0, numbands) if index[0] is Ellipsis: if len(index) == 2: newindex = rows, cols, index[1] else: newindex = rows, index[1], index[2] elif index[1] is Ellipsis: if len(index) == 2: newindex = index[0], cols, bands else: newindex = index[0], cols, index[2] else: newindex = index[0], index[1], bands return newindex
remove_ellipsis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index, numrows, numcols, numbands):\n rows = slice(0, numrows)\n cols = slice(0, numcols)\n bands = slice(0, numbands)\n if index[0] is Ellipsis:\n if len(index) == 2:\n newindex = rows, cols, index[1]\n else:\n newindex = rows, index[1], index[2]\n elif index[1] is Ellipsis:\n if len(index) == 2:\n newindex = index[0], cols, bands\n else:\n newindex = index[0], cols, index[2]\n else:\n newindex = index[0], index[1], bands\n return newindex\n", "role": "user" }, { "content": "remove_ellipsis", "role": "assistant" } ]
def x(self, **kwargs): if re.match('0|1.[01234]', version.openjpeg_version): msg = ( 'You must have a version of OpenJPEG at least as high as 1.5.0 before you can read JPEG2000 images with glymur. Your version is {version}' ) raise TypeError(msg.format(version=version.openjpeg_version)) if version.openjpeg_version_tuple[0] < 2: img = self._read_openjpeg(**kwargs) else: img = self._read_openjp2(**kwargs) return img
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n if re.match('0|1.[01234]', version.openjpeg_version):\n msg = (\n 'You must have a version of OpenJPEG at least as high as 1.5.0 before you can read JPEG2000 images with glymur. Your version is {version}'\n )\n raise TypeError(msg.format(version=version.openjpeg_version))\n if version.openjpeg_version_tuple[0] < 2:\n img = self._read_openjpeg(**kwargs)\n else:\n img = self._read_openjp2(**kwargs)\n return img\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(self): dxs = np.array(self.codestream.segment[1].xrsiz) dys = np.array(self.codestream.segment[1].yrsiz) if np.any(dxs - dxs[0]) or np.any(dys - dys[0]): msg = """The read_bands method should be used with the subsampling factors are different. {siz_segment}""" msg = msg.format(siz_segment=str(self.codestream.segment[1])) raise IOError(msg)
subsampling_sanity_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n dxs = np.array(self.codestream.segment[1].xrsiz)\n dys = np.array(self.codestream.segment[1].yrsiz)\n if np.any(dxs - dxs[0]) or np.any(dys - dys[0]):\n msg = \"\"\"The read_bands method should be used with the subsampling factors are different. \n\n{siz_segment}\"\"\"\n msg = msg.format(siz_segment=str(self.codestream.segment[1]))\n raise IOError(msg)\n", "role": "user" }, { "content": "subsampling_sanity_check", "role": "assistant" } ]
def x(self, rlevel=0, verbose=False, area=None): self._subsampling_sanity_check() self._populate_dparams(rlevel) with ExitStack() as stack: try: self._dparams.decod_format = self._codec_format dinfo = opj.create_decompress(self._dparams.decod_format) event_mgr = opj.EventMgrType() handler = ctypes.cast(_INFO_CALLBACK, ctypes.c_void_p) event_mgr.info_handler = handler if self.verbose else None event_mgr.warning_handler = ctypes.cast(_WARNING_CALLBACK, ctypes.c_void_p) event_mgr.error_handler = ctypes.cast(_ERROR_CALLBACK, ctypes. c_void_p) opj.set_event_mgr(dinfo, ctypes.byref(event_mgr)) opj.setup_decoder(dinfo, self._dparams) with open(self.filename, 'rb') as fptr: src = fptr.read() cio = opj.cio_open(dinfo, src) raw_image = opj.decode(dinfo, cio) stack.callback(opj.image_destroy, raw_image) stack.callback(opj.destroy_decompress, dinfo) stack.callback(opj.cio_close, cio) image = self._extract_image(raw_image) except ValueError: opj2.check_error(0) if area is not None: x0, y0, x1, y1 = area extent = 2 ** rlevel area = [int(round(float(x) / extent + 2 ** -20)) for x in area] rows = slice(area[0], area[2], None) cols = slice(area[1], area[3], None) image = image[rows, cols] return image
read_openjpeg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rlevel=0, verbose=False, area=None):\n self._subsampling_sanity_check()\n self._populate_dparams(rlevel)\n with ExitStack() as stack:\n try:\n self._dparams.decod_format = self._codec_format\n dinfo = opj.create_decompress(self._dparams.decod_format)\n event_mgr = opj.EventMgrType()\n handler = ctypes.cast(_INFO_CALLBACK, ctypes.c_void_p)\n event_mgr.info_handler = handler if self.verbose else None\n event_mgr.warning_handler = ctypes.cast(_WARNING_CALLBACK,\n ctypes.c_void_p)\n event_mgr.error_handler = ctypes.cast(_ERROR_CALLBACK, ctypes.\n c_void_p)\n opj.set_event_mgr(dinfo, ctypes.byref(event_mgr))\n opj.setup_decoder(dinfo, self._dparams)\n with open(self.filename, 'rb') as fptr:\n src = fptr.read()\n cio = opj.cio_open(dinfo, src)\n raw_image = opj.decode(dinfo, cio)\n stack.callback(opj.image_destroy, raw_image)\n stack.callback(opj.destroy_decompress, dinfo)\n stack.callback(opj.cio_close, cio)\n image = self._extract_image(raw_image)\n except ValueError:\n opj2.check_error(0)\n if area is not None:\n x0, y0, x1, y1 = area\n extent = 2 ** rlevel\n area = [int(round(float(x) / extent + 2 ** -20)) for x in area]\n rows = slice(area[0], area[2], None)\n cols = slice(area[1], area[3], None)\n image = image[rows, cols]\n return image\n", "role": "user" }, { "content": "read_openjpeg", "role": "assistant" } ]
def x(self, rlevel=0, layer=None, area=None, tile=None, verbose=False): self.layer = layer self._subsampling_sanity_check() self._populate_dparams(rlevel, tile=tile, area=area) image = self._read_openjp2_common() return image
read_openjp2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rlevel=0, layer=None, area=None, tile=None, verbose=False):\n self.layer = layer\n self._subsampling_sanity_check()\n self._populate_dparams(rlevel, tile=tile, area=area)\n image = self._read_openjp2_common()\n return image\n", "role": "user" }, { "content": "read_openjp2", "role": "assistant" } ]
def x(self): with ExitStack() as stack: filename = self.filename stream = opj2.stream_create_default_file_stream(filename, True) stack.callback(opj2.stream_destroy, stream) codec = opj2.create_decompress(self._codec_format) stack.callback(opj2.destroy_codec, codec) opj2.set_error_handler(codec, _ERROR_CALLBACK) opj2.set_warning_handler(codec, _WARNING_CALLBACK) if self._verbose: opj2.set_info_handler(codec, _INFO_CALLBACK) else: opj2.set_info_handler(codec, None) opj2.setup_decoder(codec, self._dparams) raw_image = opj2.read_header(stream, codec) stack.callback(opj2.image_destroy, raw_image) if self._dparams.nb_tile_to_decode: opj2.get_decoded_tile(codec, stream, raw_image, self._dparams. tile_index) else: opj2.set_decode_area(codec, raw_image, self._dparams.DA_x0, self._dparams.DA_y0, self._dparams.DA_x1, self._dparams.DA_y1) opj2.decode(codec, stream, raw_image) opj2.end_decompress(codec, stream) image = self._extract_image(raw_image) return image
read_openjp2_common
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with ExitStack() as stack:\n filename = self.filename\n stream = opj2.stream_create_default_file_stream(filename, True)\n stack.callback(opj2.stream_destroy, stream)\n codec = opj2.create_decompress(self._codec_format)\n stack.callback(opj2.destroy_codec, codec)\n opj2.set_error_handler(codec, _ERROR_CALLBACK)\n opj2.set_warning_handler(codec, _WARNING_CALLBACK)\n if self._verbose:\n opj2.set_info_handler(codec, _INFO_CALLBACK)\n else:\n opj2.set_info_handler(codec, None)\n opj2.setup_decoder(codec, self._dparams)\n raw_image = opj2.read_header(stream, codec)\n stack.callback(opj2.image_destroy, raw_image)\n if self._dparams.nb_tile_to_decode:\n opj2.get_decoded_tile(codec, stream, raw_image, self._dparams.\n tile_index)\n else:\n opj2.set_decode_area(codec, raw_image, self._dparams.DA_x0,\n self._dparams.DA_y0, self._dparams.DA_x1, self._dparams.DA_y1)\n opj2.decode(codec, stream, raw_image)\n opj2.end_decompress(codec, stream)\n image = self._extract_image(raw_image)\n return image\n", "role": "user" }, { "content": "read_openjp2_common", "role": "assistant" } ]
def x(self, rlevel, tile=None, area=None): if opj2.OPENJP2 is not None: dparam = opj2.set_default_decoder_parameters() else: dparam = opj.DecompressionParametersType() opj.set_default_decoder_parameters(ctypes.byref(dparam)) infile = self.filename.encode() nelts = opj2.PATH_LEN - len(infile) infile += b'0' * nelts dparam.infile = infile dparam.flags |= 1 if self.ignore_pclr_cmap_cdef else 0 dparam.decod_format = self._codec_format dparam.cp_layer = self._layer if rlevel != 0: max_rlevel = self.codestream.segment[2].num_res if rlevel == -1: rlevel = max_rlevel elif rlevel < -1 or rlevel > max_rlevel: msg = ( 'rlevel must be in the range [-1, {max_rlevel}] for this image.' ) msg = msg.format(max_rlevel=max_rlevel) raise IOError(msg) dparam.cp_reduce = rlevel if area is not None: if area[0] < 0 or area[1] < 0 or area[2] <= 0 or area[3] <= 0: msg = ( 'The upper left corner coordinates must be nonnegative and the lower right corner coordinates must be positive. The specified upper left and lower right coordinates are ({y0}, {x0}) and ({y1}, {x1}).' ) msg = msg.format(x0=area[1], y0=area[0], x1=area[3], y1=area[2]) raise IOError(msg) dparam.DA_y0 = area[0] dparam.DA_x0 = area[1] dparam.DA_y1 = area[2] dparam.DA_x1 = area[3] if tile is not None: dparam.tile_index = tile dparam.nb_tile_to_decode = 1 self._dparams = dparam
populate_dparams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rlevel, tile=None, area=None):\n if opj2.OPENJP2 is not None:\n dparam = opj2.set_default_decoder_parameters()\n else:\n dparam = opj.DecompressionParametersType()\n opj.set_default_decoder_parameters(ctypes.byref(dparam))\n infile = self.filename.encode()\n nelts = opj2.PATH_LEN - len(infile)\n infile += b'0' * nelts\n dparam.infile = infile\n dparam.flags |= 1 if self.ignore_pclr_cmap_cdef else 0\n dparam.decod_format = self._codec_format\n dparam.cp_layer = self._layer\n if rlevel != 0:\n max_rlevel = self.codestream.segment[2].num_res\n if rlevel == -1:\n rlevel = max_rlevel\n elif rlevel < -1 or rlevel > max_rlevel:\n msg = (\n 'rlevel must be in the range [-1, {max_rlevel}] for this image.'\n )\n msg = msg.format(max_rlevel=max_rlevel)\n raise IOError(msg)\n dparam.cp_reduce = rlevel\n if area is not None:\n if area[0] < 0 or area[1] < 0 or area[2] <= 0 or area[3] <= 0:\n msg = (\n 'The upper left corner coordinates must be nonnegative and the lower right corner coordinates must be positive. The specified upper left and lower right coordinates are ({y0}, {x0}) and ({y1}, {x1}).'\n )\n msg = msg.format(x0=area[1], y0=area[0], x1=area[3], y1=area[2])\n raise IOError(msg)\n dparam.DA_y0 = area[0]\n dparam.DA_x0 = area[1]\n dparam.DA_y1 = area[2]\n dparam.DA_x1 = area[3]\n if tile is not None:\n dparam.tile_index = tile\n dparam.nb_tile_to_decode = 1\n self._dparams = dparam\n", "role": "user" }, { "content": "populate_dparams", "role": "assistant" } ]
def x(self, rlevel=0, layer=None, area=None, tile=None, verbose=False, ignore_pclr_cmap_cdef=False): if version.openjpeg_version < '2.1.0': msg = ( 'You must have at least version 2.1.0 of OpenJPEG installed before using this method. Your version of OpenJPEG is {version}.' ) msg = msg.format(version=version.openjpeg_version) raise IOError(msg) self.ignore_pclr_cmap_cdef = ignore_pclr_cmap_cdef self.layer = layer self._populate_dparams(rlevel, tile=tile, area=area) lst = self._read_openjp2_common() return lst
read_bands
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rlevel=0, layer=None, area=None, tile=None, verbose=False,\n ignore_pclr_cmap_cdef=False):\n if version.openjpeg_version < '2.1.0':\n msg = (\n 'You must have at least version 2.1.0 of OpenJPEG installed before using this method. Your version of OpenJPEG is {version}.'\n )\n msg = msg.format(version=version.openjpeg_version)\n raise IOError(msg)\n self.ignore_pclr_cmap_cdef = ignore_pclr_cmap_cdef\n self.layer = layer\n self._populate_dparams(rlevel, tile=tile, area=area)\n lst = self._read_openjp2_common()\n return lst\n", "role": "user" }, { "content": "read_bands", "role": "assistant" } ]
def x(self, raw_image): ncomps = raw_image.contents.numcomps dtypes, nrows, ncols = [], [], [] for k in range(raw_image.contents.numcomps): component = raw_image.contents.comps[k] dtypes.append(self._component2dtype(component)) nrows.append(component.h) ncols.append(component.w) is_cube = all(r == nrows[0] and c == ncols[0] and d == dtypes[0] for r, c, d in zip(nrows, ncols, dtypes)) if is_cube: image = np.zeros((nrows[0], ncols[0], ncomps), dtypes[0]) else: image = [] for k in range(raw_image.contents.numcomps): component = raw_image.contents.comps[k] self._validate_nonzero_image_size(nrows[k], ncols[k], k) addr = ctypes.addressof(component.data.contents) with warnings.catch_warnings(): warnings.simplefilter('ignore') nelts = nrows[k] * ncols[k] band = np.ctypeslib.as_array((ctypes.c_int32 * nelts). from_address(addr)) if is_cube: image[:, :, k] = np.reshape(band.astype(dtypes[k]), (nrows[ k], ncols[k])) else: image.append(np.reshape(band.astype(dtypes[k]), (nrows[k], ncols[k]))) if is_cube and image.shape[2] == 1: image.shape = image.shape[0:2] return image
extract_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, raw_image):\n ncomps = raw_image.contents.numcomps\n dtypes, nrows, ncols = [], [], []\n for k in range(raw_image.contents.numcomps):\n component = raw_image.contents.comps[k]\n dtypes.append(self._component2dtype(component))\n nrows.append(component.h)\n ncols.append(component.w)\n is_cube = all(r == nrows[0] and c == ncols[0] and d == dtypes[0] for r,\n c, d in zip(nrows, ncols, dtypes))\n if is_cube:\n image = np.zeros((nrows[0], ncols[0], ncomps), dtypes[0])\n else:\n image = []\n for k in range(raw_image.contents.numcomps):\n component = raw_image.contents.comps[k]\n self._validate_nonzero_image_size(nrows[k], ncols[k], k)\n addr = ctypes.addressof(component.data.contents)\n with warnings.catch_warnings():\n warnings.simplefilter('ignore')\n nelts = nrows[k] * ncols[k]\n band = np.ctypeslib.as_array((ctypes.c_int32 * nelts).\n from_address(addr))\n if is_cube:\n image[:, :, k] = np.reshape(band.astype(dtypes[k]), (nrows[\n k], ncols[k]))\n else:\n image.append(np.reshape(band.astype(dtypes[k]), (nrows[k],\n ncols[k])))\n if is_cube and image.shape[2] == 1:\n image.shape = image.shape[0:2]\n return image\n", "role": "user" }, { "content": "extract_image", "role": "assistant" } ]
def x(self, component): if component.prec > 16: msg = 'Unhandled precision: {0} bits.'.format(component.prec) raise IOError(msg) if component.sgnd: dtype = np.int8 if component.prec <= 8 else np.int16 else: dtype = np.uint8 if component.prec <= 8 else np.uint16 return dtype
component2dtype
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, component):\n if component.prec > 16:\n msg = 'Unhandled precision: {0} bits.'.format(component.prec)\n raise IOError(msg)\n if component.sgnd:\n dtype = np.int8 if component.prec <= 8 else np.int16\n else:\n dtype = np.uint8 if component.prec <= 8 else np.uint16\n return dtype\n", "role": "user" }, { "content": "component2dtype", "role": "assistant" } ]
def x(self, header_only=True): with open(self.filename, 'rb') as fptr: if self._codec_format == opj2.CODEC_J2K: codestream = Codestream(fptr, self.length, header_only=header_only) else: box = [x for x in self.box if x.box_id == 'jp2c'] fptr.seek(box[0].offset) read_buffer = fptr.read(8) box_length, _ = struct.unpack('>I4s', read_buffer) if box_length == 0: box_length = os.path.getsize(fptr.name) - fptr.tell() + 8 elif box_length == 1: read_buffer = fptr.read(8) box_length, = struct.unpack('>Q', read_buffer) codestream = Codestream(fptr, box_length - 8, header_only= header_only) return codestream
get_codestream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, header_only=True):\n with open(self.filename, 'rb') as fptr:\n if self._codec_format == opj2.CODEC_J2K:\n codestream = Codestream(fptr, self.length, header_only=header_only)\n else:\n box = [x for x in self.box if x.box_id == 'jp2c']\n fptr.seek(box[0].offset)\n read_buffer = fptr.read(8)\n box_length, _ = struct.unpack('>I4s', read_buffer)\n if box_length == 0:\n box_length = os.path.getsize(fptr.name) - fptr.tell() + 8\n elif box_length == 1:\n read_buffer = fptr.read(8)\n box_length, = struct.unpack('>Q', read_buffer)\n codestream = Codestream(fptr, box_length - 8, header_only=\n header_only)\n return codestream\n", "role": "user" }, { "content": "get_codestream", "role": "assistant" } ]
def x(self, image, imgdata): numrows, numcols, num_comps = imgdata.shape for k in range(num_comps): self._validate_nonzero_image_size(numrows, numcols, k) image.contents.x0 = self._cparams.image_offset_x0 image.contents.y0 = self._cparams.image_offset_y0 image.contents.x1 = image.contents.x0 + (numcols - 1 ) * self._cparams.subsampling_dx + 1 image.contents.y1 = image.contents.y0 + (numrows - 1 ) * self._cparams.subsampling_dy + 1 for k in range(0, num_comps): if self._cparams.rsiz in (core.OPJ_PROFILE_CINEMA_2K, core. OPJ_PROFILE_CINEMA_4K): image.contents.comps[k].prec = 12 image.contents.comps[k].bpp = 12 layer = np.ascontiguousarray(imgdata[:, :, k], dtype=np.int32) dest = image.contents.comps[k].data src = layer.ctypes.data ctypes.memmove(dest, src, layer.nbytes) return image
populate_image_struct
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, image, imgdata):\n numrows, numcols, num_comps = imgdata.shape\n for k in range(num_comps):\n self._validate_nonzero_image_size(numrows, numcols, k)\n image.contents.x0 = self._cparams.image_offset_x0\n image.contents.y0 = self._cparams.image_offset_y0\n image.contents.x1 = image.contents.x0 + (numcols - 1\n ) * self._cparams.subsampling_dx + 1\n image.contents.y1 = image.contents.y0 + (numrows - 1\n ) * self._cparams.subsampling_dy + 1\n for k in range(0, num_comps):\n if self._cparams.rsiz in (core.OPJ_PROFILE_CINEMA_2K, core.\n OPJ_PROFILE_CINEMA_4K):\n image.contents.comps[k].prec = 12\n image.contents.comps[k].bpp = 12\n layer = np.ascontiguousarray(imgdata[:, :, k], dtype=np.int32)\n dest = image.contents.comps[k].data\n src = layer.ctypes.data\n ctypes.memmove(dest, src, layer.nbytes)\n return image\n", "role": "user" }, { "content": "populate_image_struct", "role": "assistant" } ]
def x(self, img_array): if img_array.dtype == np.uint8: comp_prec = 8 else: comp_prec = 16 numrows, numcols, num_comps = img_array.shape if version.openjpeg_version_tuple[0] == 1: comptparms = (opj.ImageComptParmType * num_comps)() else: comptparms = (opj2.ImageComptParmType * num_comps)() for j in range(num_comps): comptparms[j].dx = self._cparams.subsampling_dx comptparms[j].dy = self._cparams.subsampling_dy comptparms[j].w = numcols comptparms[j].h = numrows comptparms[j].x0 = self._cparams.image_offset_x0 comptparms[j].y0 = self._cparams.image_offset_y0 comptparms[j].prec = comp_prec comptparms[j].bpp = comp_prec comptparms[j].sgnd = 0 self._comptparms = comptparms
populate_comptparms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, img_array):\n if img_array.dtype == np.uint8:\n comp_prec = 8\n else:\n comp_prec = 16\n numrows, numcols, num_comps = img_array.shape\n if version.openjpeg_version_tuple[0] == 1:\n comptparms = (opj.ImageComptParmType * num_comps)()\n else:\n comptparms = (opj2.ImageComptParmType * num_comps)()\n for j in range(num_comps):\n comptparms[j].dx = self._cparams.subsampling_dx\n comptparms[j].dy = self._cparams.subsampling_dy\n comptparms[j].w = numcols\n comptparms[j].h = numrows\n comptparms[j].x0 = self._cparams.image_offset_x0\n comptparms[j].y0 = self._cparams.image_offset_y0\n comptparms[j].prec = comp_prec\n comptparms[j].bpp = comp_prec\n comptparms[j].sgnd = 0\n self._comptparms = comptparms\n", "role": "user" }, { "content": "populate_comptparms", "role": "assistant" } ]
def x(self, nrows, ncols, component_index): if nrows == 0 or ncols == 0: msg = 'Component {0} has dimensions {1} x {2}' msg = msg.format(component_index, nrows, ncols) raise IOError(msg)
validate_nonzero_image_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, nrows, ncols, component_index):\n if nrows == 0 or ncols == 0:\n msg = 'Component {0} has dimensions {1} x {2}'\n msg = msg.format(component_index, nrows, ncols)\n raise IOError(msg)\n", "role": "user" }, { "content": "validate_nonzero_image_size", "role": "assistant" } ]
def x(self, boxes): JP2_IDS = ['colr', 'cdef', 'cmap', 'jp2c', 'ftyp', 'ihdr', 'jp2h', 'jP ', 'pclr', 'res ', 'resc', 'resd', 'xml ', 'ulst', 'uinf', 'url ', 'uuid'] self._validate_signature_compatibility(boxes) self._validate_jp2h(boxes) self._validate_jp2c(boxes) if boxes[1].brand == 'jpx ': self._validate_jpx_box_sequence(boxes) else: count = self._collect_box_count(boxes) for box_id in count.keys(): if box_id not in JP2_IDS: msg = ( "The presence of a '{0}' box requires that the file type brand be set to 'jpx '." ) raise IOError(msg.format(box_id)) self._validate_jp2_colr(boxes)
validate_jp2_box_sequence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, boxes):\n JP2_IDS = ['colr', 'cdef', 'cmap', 'jp2c', 'ftyp', 'ihdr', 'jp2h',\n 'jP ', 'pclr', 'res ', 'resc', 'resd', 'xml ', 'ulst', 'uinf',\n 'url ', 'uuid']\n self._validate_signature_compatibility(boxes)\n self._validate_jp2h(boxes)\n self._validate_jp2c(boxes)\n if boxes[1].brand == 'jpx ':\n self._validate_jpx_box_sequence(boxes)\n else:\n count = self._collect_box_count(boxes)\n for box_id in count.keys():\n if box_id not in JP2_IDS:\n msg = (\n \"The presence of a '{0}' box requires that the file type brand be set to 'jpx '.\"\n )\n raise IOError(msg.format(box_id))\n self._validate_jp2_colr(boxes)\n", "role": "user" }, { "content": "validate_jp2_box_sequence", "role": "assistant" } ]
def x(self, boxes): lst = [box for box in boxes if box.box_id == 'jp2h'] jp2h = lst[0] for colr in [box for box in jp2h.box if box.box_id == 'colr']: if colr.approximation != 0: msg = 'A JP2 colr box cannot have a non-zero approximation field.' raise IOError(msg)
validate_jp2_colr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, boxes):\n lst = [box for box in boxes if box.box_id == 'jp2h']\n jp2h = lst[0]\n for colr in [box for box in jp2h.box if box.box_id == 'colr']:\n if colr.approximation != 0:\n msg = 'A JP2 colr box cannot have a non-zero approximation field.'\n raise IOError(msg)\n", "role": "user" }, { "content": "validate_jp2_colr", "role": "assistant" } ]
def x(self, boxes): self._validate_label(boxes) self._validate_jpx_compatibility(boxes, boxes[1].compatibility_list) self._validate_singletons(boxes) self._validate_top_level(boxes)
validate_jpx_box_sequence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, boxes):\n self._validate_label(boxes)\n self._validate_jpx_compatibility(boxes, boxes[1].compatibility_list)\n self._validate_singletons(boxes)\n self._validate_top_level(boxes)\n", "role": "user" }, { "content": "validate_jpx_box_sequence", "role": "assistant" } ]
def x(self, boxes): if boxes[0].box_id != 'jP ' or boxes[1].box_id != 'ftyp': msg = ( 'The first box must be the signature box and the second must be the file type box.' ) raise IOError(msg) if 'jp2 ' not in boxes[1].compatibility_list: msg = "The ftyp box must contain 'jp2 ' in the compatibility list." raise IOError(msg)
validate_signature_compatibility
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, boxes):\n if boxes[0].box_id != 'jP ' or boxes[1].box_id != 'ftyp':\n msg = (\n 'The first box must be the signature box and the second must be the file type box.'\n )\n raise IOError(msg)\n if 'jp2 ' not in boxes[1].compatibility_list:\n msg = \"The ftyp box must contain 'jp2 ' in the compatibility list.\"\n raise IOError(msg)\n", "role": "user" }, { "content": "validate_signature_compatibility", "role": "assistant" } ]
def x(self, boxes): jp2h_lst = [idx for idx, box in enumerate(boxes) if box.box_id == 'jp2h'] jp2h_idx = jp2h_lst[0] jp2c_lst = [idx for idx, box in enumerate(boxes) if box.box_id == 'jp2c'] if len(jp2c_lst) == 0: msg = ( 'A codestream box must be defined in the outermost list of boxes.') raise IOError(msg) jp2c_idx = jp2c_lst[0] if jp2h_idx >= jp2c_idx: msg = 'The codestream box must be preceeded by a jp2 header box.' raise IOError(msg)
validate_jp2c
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, boxes):\n jp2h_lst = [idx for idx, box in enumerate(boxes) if box.box_id == 'jp2h']\n jp2h_idx = jp2h_lst[0]\n jp2c_lst = [idx for idx, box in enumerate(boxes) if box.box_id == 'jp2c']\n if len(jp2c_lst) == 0:\n msg = (\n 'A codestream box must be defined in the outermost list of boxes.')\n raise IOError(msg)\n jp2c_idx = jp2c_lst[0]\n if jp2h_idx >= jp2c_idx:\n msg = 'The codestream box must be preceeded by a jp2 header box.'\n raise IOError(msg)\n", "role": "user" }, { "content": "validate_jp2c", "role": "assistant" } ]
def x(self, boxes): self._check_jp2h_child_boxes(boxes, 'top-level') jp2h_lst = [box for box in boxes if box.box_id == 'jp2h'] jp2h = jp2h_lst[0] if len(jp2h.box) == 0: msg = 'The JP2 header superbox cannot be empty.' raise IOError(msg) if jp2h.box[0].box_id != 'ihdr': msg = ( 'The first box in the jp2 header box must be the image header box.' ) raise IOError(msg) colr_lst = [j for j, box in enumerate(jp2h.box) if box.box_id == 'colr'] if len(colr_lst) == 0: msg = 'The jp2 header box must contain a color definition box.' raise IOError(msg) colr = jp2h.box[colr_lst[0]] self._validate_channel_definition(jp2h, colr)
validate_jp2h
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, boxes):\n self._check_jp2h_child_boxes(boxes, 'top-level')\n jp2h_lst = [box for box in boxes if box.box_id == 'jp2h']\n jp2h = jp2h_lst[0]\n if len(jp2h.box) == 0:\n msg = 'The JP2 header superbox cannot be empty.'\n raise IOError(msg)\n if jp2h.box[0].box_id != 'ihdr':\n msg = (\n 'The first box in the jp2 header box must be the image header box.'\n )\n raise IOError(msg)\n colr_lst = [j for j, box in enumerate(jp2h.box) if box.box_id == 'colr']\n if len(colr_lst) == 0:\n msg = 'The jp2 header box must contain a color definition box.'\n raise IOError(msg)\n colr = jp2h.box[colr_lst[0]]\n self._validate_channel_definition(jp2h, colr)\n", "role": "user" }, { "content": "validate_jp2h", "role": "assistant" } ]
def x(self, jp2h, colr): cdef_lst = [j for j, box in enumerate(jp2h.box) if box.box_id == 'cdef'] if len(cdef_lst) > 1: msg = 'Only one channel definition box is allowed in the JP2 header.' raise IOError(msg) elif len(cdef_lst) == 1: cdef = jp2h.box[cdef_lst[0]] if colr.colorspace == core.SRGB: if any([(chan + 1 not in cdef.association or cdef.channel_type[ chan] != 0) for chan in [0, 1, 2]]): msg = ( 'All color channels must be defined in the channel definition box.' ) raise IOError(msg) elif colr.colorspace == core.GREYSCALE: if 0 not in cdef.channel_type: msg = ( 'All color channels must be defined in the channel definition box.' ) raise IOError(msg)
validate_channel_definition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, jp2h, colr):\n cdef_lst = [j for j, box in enumerate(jp2h.box) if box.box_id == 'cdef']\n if len(cdef_lst) > 1:\n msg = 'Only one channel definition box is allowed in the JP2 header.'\n raise IOError(msg)\n elif len(cdef_lst) == 1:\n cdef = jp2h.box[cdef_lst[0]]\n if colr.colorspace == core.SRGB:\n if any([(chan + 1 not in cdef.association or cdef.channel_type[\n chan] != 0) for chan in [0, 1, 2]]):\n msg = (\n 'All color channels must be defined in the channel definition box.'\n )\n raise IOError(msg)\n elif colr.colorspace == core.GREYSCALE:\n if 0 not in cdef.channel_type:\n msg = (\n 'All color channels must be defined in the channel definition box.'\n )\n raise IOError(msg)\n", "role": "user" }, { "content": "validate_channel_definition", "role": "assistant" } ]
def x(self, boxes, parent_box_name): JP2H_CHILDREN = set(['bpcc', 'cdef', 'cmap', 'ihdr', 'pclr']) box_ids = set([box.box_id for box in boxes]) intersection = box_ids.intersection(JP2H_CHILDREN) if len(intersection) > 0 and parent_box_name not in ['jp2h', 'jpch']: msg = 'A {0} box can only be nested in a JP2 header box.' raise IOError(msg.format(list(intersection)[0])) for box in boxes: if hasattr(box, 'box'): self._check_jp2h_child_boxes(box.box, box.box_id)
check_jp2h_child_boxes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, boxes, parent_box_name):\n JP2H_CHILDREN = set(['bpcc', 'cdef', 'cmap', 'ihdr', 'pclr'])\n box_ids = set([box.box_id for box in boxes])\n intersection = box_ids.intersection(JP2H_CHILDREN)\n if len(intersection) > 0 and parent_box_name not in ['jp2h', 'jpch']:\n msg = 'A {0} box can only be nested in a JP2 header box.'\n raise IOError(msg.format(list(intersection)[0]))\n for box in boxes:\n if hasattr(box, 'box'):\n self._check_jp2h_child_boxes(box.box, box.box_id)\n", "role": "user" }, { "content": "check_jp2h_child_boxes", "role": "assistant" } ]
def x(self, boxes): count = Counter([box.box_id for box in boxes]) for box in boxes: if hasattr(box, 'box'): count.update(self._collect_box_count(box.box)) return count
collect_box_count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, boxes):\n count = Counter([box.box_id for box in boxes])\n for box in boxes:\n if hasattr(box, 'box'):\n count.update(self._collect_box_count(box.box))\n return count\n", "role": "user" }, { "content": "collect_box_count", "role": "assistant" } ]
def x(self, boxes): TOP_LEVEL_ONLY_BOXES = set(['dtbl']) box_ids = set([box.box_id for box in boxes]) intersection = box_ids.intersection(TOP_LEVEL_ONLY_BOXES) if len(intersection) > 0: msg = 'A {0} box cannot be nested in a superbox.' raise IOError(msg.format(list(intersection)[0])) for box in boxes: if hasattr(box, 'box'): self._check_superbox_for_top_levels(box.box)
check_superbox_for_top_levels
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, boxes):\n TOP_LEVEL_ONLY_BOXES = set(['dtbl'])\n box_ids = set([box.box_id for box in boxes])\n intersection = box_ids.intersection(TOP_LEVEL_ONLY_BOXES)\n if len(intersection) > 0:\n msg = 'A {0} box cannot be nested in a superbox.'\n raise IOError(msg.format(list(intersection)[0]))\n for box in boxes:\n if hasattr(box, 'box'):\n self._check_superbox_for_top_levels(box.box)\n", "role": "user" }, { "content": "check_superbox_for_top_levels", "role": "assistant" } ]
def x(self, boxes): for box in boxes: if hasattr(box, 'box'): self._check_superbox_for_top_levels(box.box) count = self._collect_box_count(boxes) if 'dtbl' in count and 'ftbl' not in count: msg = ( 'The presence of a data reference box requires the presence of a fragment table box as well.' ) raise IOError(msg)
validate_top_level
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, boxes):\n for box in boxes:\n if hasattr(box, 'box'):\n self._check_superbox_for_top_levels(box.box)\n count = self._collect_box_count(boxes)\n if 'dtbl' in count and 'ftbl' not in count:\n msg = (\n 'The presence of a data reference box requires the presence of a fragment table box as well.'\n )\n raise IOError(msg)\n", "role": "user" }, { "content": "validate_top_level", "role": "assistant" } ]
def x(self, boxes): count = self._collect_box_count(boxes) multiples = [box_id for box_id, bcount in count.items() if bcount > 1] if 'dtbl' in multiples: raise IOError('There can only be one dtbl box in a file.')
validate_singletons
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, boxes):\n count = self._collect_box_count(boxes)\n multiples = [box_id for box_id, bcount in count.items() if bcount > 1]\n if 'dtbl' in multiples:\n raise IOError('There can only be one dtbl box in a file.')\n", "role": "user" }, { "content": "validate_singletons", "role": "assistant" } ]
def x(self, boxes, compatibility_list): JPX_IDS = ['asoc', 'nlst'] jpx_cl = set(compatibility_list) for box in boxes: if box.box_id in JPX_IDS: if len(set(['jpx ', 'jpxb']).intersection(jpx_cl)) == 0: msg = ( "A JPX box requires that either 'jpx ' or 'jpxb' be present in the ftype compatibility list." ) raise RuntimeError(msg) if hasattr(box, 'box') != 0: self._validate_jpx_compatibility(box.box, compatibility_list)
validate_jpx_compatibility
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, boxes, compatibility_list):\n JPX_IDS = ['asoc', 'nlst']\n jpx_cl = set(compatibility_list)\n for box in boxes:\n if box.box_id in JPX_IDS:\n if len(set(['jpx ', 'jpxb']).intersection(jpx_cl)) == 0:\n msg = (\n \"A JPX box requires that either 'jpx ' or 'jpxb' be present in the ftype compatibility list.\"\n )\n raise RuntimeError(msg)\n if hasattr(box, 'box') != 0:\n self._validate_jpx_compatibility(box.box, compatibility_list)\n", "role": "user" }, { "content": "validate_jpx_compatibility", "role": "assistant" } ]
def x(self, boxes): for box in boxes: if box.box_id != 'asoc': if hasattr(box, 'box'): for boxi in box.box: if boxi.box_id == 'lbl ': msg = 'A label box cannot be nested inside a {0} box.' msg = msg.format(box.box_id) raise IOError(msg) self._validate_label(box.box)
validate_label
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, boxes):\n for box in boxes:\n if box.box_id != 'asoc':\n if hasattr(box, 'box'):\n for boxi in box.box:\n if boxi.box_id == 'lbl ':\n msg = 'A label box cannot be nested inside a {0} box.'\n msg = msg.format(box.box_id)\n raise IOError(msg)\n self._validate_label(box.box)\n", "role": "user" }, { "content": "validate_label", "role": "assistant" } ]
def x(self, method, *args, **kwargs): return getattr(self.session, method)(*args, **kwargs)
fulfill
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, *args, **kwargs):\n return getattr(self.session, method)(*args, **kwargs)\n", "role": "user" }, { "content": "fulfill", "role": "assistant" } ]
def x(self, event): url = '{0}/{1}/projects/{2}/events/{3}'.format(self.base_url, self. api_version, self.project_id, event.event_collection) headers = utilities.headers(self.write_key) payload = event.to_json() response = self.fulfill(HTTPMethods.POST, url, data=payload, headers= headers, timeout=self.post_timeout) self._error_handling(response)
post_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n url = '{0}/{1}/projects/{2}/events/{3}'.format(self.base_url, self.\n api_version, self.project_id, event.event_collection)\n headers = utilities.headers(self.write_key)\n payload = event.to_json()\n response = self.fulfill(HTTPMethods.POST, url, data=payload, headers=\n headers, timeout=self.post_timeout)\n self._error_handling(response)\n", "role": "user" }, { "content": "post_event", "role": "assistant" } ]
def x(self, events): url = '{0}/{1}/projects/{2}/events'.format(self.base_url, self. api_version, self.project_id) headers = utilities.headers(self.write_key) payload = json.dumps(events) response = self.fulfill(HTTPMethods.POST, url, data=payload, headers= headers, timeout=self.post_timeout) self._error_handling(response) return self._get_response_json(response)
post_events
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, events):\n url = '{0}/{1}/projects/{2}/events'.format(self.base_url, self.\n api_version, self.project_id)\n headers = utilities.headers(self.write_key)\n payload = json.dumps(events)\n response = self.fulfill(HTTPMethods.POST, url, data=payload, headers=\n headers, timeout=self.post_timeout)\n self._error_handling(response)\n return self._get_response_json(response)\n", "role": "user" }, { "content": "post_events", "role": "assistant" } ]
def x(self, params): if not 'order_by' in params or not params['order_by']: return True def x(d): if not isinstance(d, dict): return True if 'property_name' in d and d['property_name']: if 'direction' in d and not direction.is_valid_direction(d[ 'direction']): return True for k in d: if k != 'property_name' and k != 'direction': return True return False return True order_by_list = json.loads(params['order_by']) for order_by in order_by_list: if _order_by_dict_is_not_well_formed(order_by): return False if not 'group_by' in params or not params['group_by']: return False return True
order_by_is_valid_or_none
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, params):\n if not 'order_by' in params or not params['order_by']:\n return True\n\n def x(d):\n if not isinstance(d, dict):\n return True\n if 'property_name' in d and d['property_name']:\n if 'direction' in d and not direction.is_valid_direction(d[\n 'direction']):\n return True\n for k in d:\n if k != 'property_name' and k != 'direction':\n return True\n return False\n return True\n order_by_list = json.loads(params['order_by'])\n for order_by in order_by_list:\n if _order_by_dict_is_not_well_formed(order_by):\n return False\n if not 'group_by' in params or not params['group_by']:\n return False\n return True\n", "role": "user" }, { "content": "order_by_is_valid_or_none", "role": "assistant" } ]
def x(self, params): if not 'limit' in params or not params['limit']: return True if not isinstance(params['limit'], int) or params['limit'] < 1: return False if not 'order_by' in params: return False return True
limit_is_valid_or_none
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, params):\n if not 'limit' in params or not params['limit']:\n return True\n if not isinstance(params['limit'], int) or params['limit'] < 1:\n return False\n if not 'order_by' in params:\n return False\n return True\n", "role": "user" }, { "content": "limit_is_valid_or_none", "role": "assistant" } ]
def x(self, analysis_type, params, all_keys=False): if not self._order_by_is_valid_or_none(params): raise ValueError( 'order_by given is invalid or is missing required group_by.') if not self._limit_is_valid_or_none(params): raise ValueError( 'limit given is invalid or is missing required order_by.') url = '{0}/{1}/projects/{2}/queries/{3}'.format(self.base_url, self. api_version, self.project_id, analysis_type) headers = utilities.headers(self.read_key) payload = params response = self.fulfill(HTTPMethods.GET, url, params=payload, headers= headers, timeout=self.get_timeout) self._error_handling(response) response = response.json() if not all_keys: response = response['result'] return response
query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, analysis_type, params, all_keys=False):\n if not self._order_by_is_valid_or_none(params):\n raise ValueError(\n 'order_by given is invalid or is missing required group_by.')\n if not self._limit_is_valid_or_none(params):\n raise ValueError(\n 'limit given is invalid or is missing required order_by.')\n url = '{0}/{1}/projects/{2}/queries/{3}'.format(self.base_url, self.\n api_version, self.project_id, analysis_type)\n headers = utilities.headers(self.read_key)\n payload = params\n response = self.fulfill(HTTPMethods.GET, url, params=payload, headers=\n headers, timeout=self.get_timeout)\n self._error_handling(response)\n response = response.json()\n if not all_keys:\n response = response['result']\n return response\n", "role": "user" }, { "content": "query", "role": "assistant" } ]
def x(self, event_collection, params): url = '{0}/{1}/projects/{2}/events/{3}'.format(self.base_url, self. api_version, self.project_id, event_collection) headers = utilities.headers(self.master_key) response = self.fulfill(HTTPMethods.DELETE, url, params=params, headers =headers, timeout=self.post_timeout) self._error_handling(response) return True
delete_events
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event_collection, params):\n url = '{0}/{1}/projects/{2}/events/{3}'.format(self.base_url, self.\n api_version, self.project_id, event_collection)\n headers = utilities.headers(self.master_key)\n response = self.fulfill(HTTPMethods.DELETE, url, params=params, headers\n =headers, timeout=self.post_timeout)\n self._error_handling(response)\n return True\n", "role": "user" }, { "content": "delete_events", "role": "assistant" } ]
def x(self, event_collection): url = '{0}/{1}/projects/{2}/events/{3}'.format(self.base_url, self. api_version, self.project_id, event_collection) headers = utilities.headers(self.read_key) response = self.fulfill(HTTPMethods.GET, url, headers=headers, timeout= self.get_timeout) self._error_handling(response) return response.json()
get_collection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event_collection):\n url = '{0}/{1}/projects/{2}/events/{3}'.format(self.base_url, self.\n api_version, self.project_id, event_collection)\n headers = utilities.headers(self.read_key)\n response = self.fulfill(HTTPMethods.GET, url, headers=headers, timeout=\n self.get_timeout)\n self._error_handling(response)\n return response.json()\n", "role": "user" }, { "content": "get_collection", "role": "assistant" } ]
def x(self, access_key_id, key, val): current_access_key = self.get_access_key(access_key_id) payload_dict = KeenApi._build_access_key_dict(current_access_key) payload_dict[key] = val return self.update_access_key_full(access_key_id, **payload_dict)
update_access_key_pair
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, access_key_id, key, val):\n current_access_key = self.get_access_key(access_key_id)\n payload_dict = KeenApi._build_access_key_dict(current_access_key)\n payload_dict[key] = val\n return self.update_access_key_full(access_key_id, **payload_dict)\n", "role": "user" }, { "content": "update_access_key_pair", "role": "assistant" } ]
def x(self, access_key_id, permissions): current_access_key = self.get_access_key(access_key_id) payload_dict = KeenApi._build_access_key_dict(current_access_key) old_permissions = set(payload_dict['permitted']) new_permissions = set(permissions) combined_permissions = old_permissions.union(new_permissions) payload_dict['permitted'] = list(combined_permissions) return self.update_access_key_full(access_key_id, **payload_dict)
add_access_key_permissions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, access_key_id, permissions):\n current_access_key = self.get_access_key(access_key_id)\n payload_dict = KeenApi._build_access_key_dict(current_access_key)\n old_permissions = set(payload_dict['permitted'])\n new_permissions = set(permissions)\n combined_permissions = old_permissions.union(new_permissions)\n payload_dict['permitted'] = list(combined_permissions)\n return self.update_access_key_full(access_key_id, **payload_dict)\n", "role": "user" }, { "content": "add_access_key_permissions", "role": "assistant" } ]
def x(self, access_key_id, permissions): current_access_key = self.get_access_key(access_key_id) payload_dict = KeenApi._build_access_key_dict(current_access_key) old_permissions = set(payload_dict['permitted']) removal_permissions = set(permissions) reduced_permissions = old_permissions.difference(removal_permissions) payload_dict['permitted'] = list(reduced_permissions) return self.update_access_key_full(access_key_id, **payload_dict)
remove_access_key_permissions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, access_key_id, permissions):\n current_access_key = self.get_access_key(access_key_id)\n payload_dict = KeenApi._build_access_key_dict(current_access_key)\n old_permissions = set(payload_dict['permitted'])\n removal_permissions = set(permissions)\n reduced_permissions = old_permissions.difference(removal_permissions)\n payload_dict['permitted'] = list(reduced_permissions)\n return self.update_access_key_full(access_key_id, **payload_dict)\n", "role": "user" }, { "content": "remove_access_key_permissions", "role": "assistant" } ]
def x(self, access_key_id, name, is_active, permitted, options): url = '{0}/{1}/projects/{2}/keys/{3}'.format(self.base_url, self. api_version, self.project_id, access_key_id) headers = utilities.headers(self.master_key) payload_dict = {'name': name, 'is_active': is_active, 'permitted': permitted, 'options': options} payload = json.dumps(payload_dict) response = self.fulfill(HTTPMethods.POST, url, data=payload, headers= headers, timeout=self.get_timeout) self._error_handling(response) return response.json()
update_access_key_full
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, access_key_id, name, is_active, permitted, options):\n url = '{0}/{1}/projects/{2}/keys/{3}'.format(self.base_url, self.\n api_version, self.project_id, access_key_id)\n headers = utilities.headers(self.master_key)\n payload_dict = {'name': name, 'is_active': is_active, 'permitted':\n permitted, 'options': options}\n payload = json.dumps(payload_dict)\n response = self.fulfill(HTTPMethods.POST, url, data=payload, headers=\n headers, timeout=self.get_timeout)\n self._error_handling(response)\n return response.json()\n", "role": "user" }, { "content": "update_access_key_full", "role": "assistant" } ]
def x(self, res): if res.status_code // 100 != 2: error = self._get_response_json(res) raise exceptions.KeenApiError(error)
error_handling
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, res):\n if res.status_code // 100 != 2:\n error = self._get_response_json(res)\n raise exceptions.KeenApiError(error)\n", "role": "user" }, { "content": "error_handling", "role": "assistant" } ]
def x(self, res): try: error = res.json() except ValueError: error = {'message': 'The API did not respond with JSON, but: {0}'. format(res.text[:1000]), 'error_code': '{0}'.format(res. status_code)} return error
get_response_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, res):\n try:\n error = res.json()\n except ValueError:\n error = {'message': 'The API did not respond with JSON, but: {0}'.\n format(res.text[:1000]), 'error_code': '{0}'.format(res.\n status_code)}\n return error\n", "role": "user" }, { "content": "get_response_json", "role": "assistant" } ]
def x(self): return self._get_json(HTTPMethods.GET, self._cached_datasets_url, self. _get_master_key())
all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return self._get_json(HTTPMethods.GET, self._cached_datasets_url, self.\n _get_master_key())\n", "role": "user" }, { "content": "all", "role": "assistant" } ]
def x(self, dataset_name): url = '{0}/{1}'.format(self._cached_datasets_url, dataset_name) return self._get_json(HTTPMethods.GET, url, self._get_read_key())
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dataset_name):\n url = '{0}/{1}'.format(self._cached_datasets_url, dataset_name)\n return self._get_json(HTTPMethods.GET, url, self._get_read_key())\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, dataset_name, query, index_by, display_name): url = '{0}/{1}'.format(self._cached_datasets_url, dataset_name) payload = {'query': query, 'index_by': index_by, 'display_name': display_name} return self._get_json(HTTPMethods.PUT, url, self._get_master_key(), json=payload)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dataset_name, query, index_by, display_name):\n url = '{0}/{1}'.format(self._cached_datasets_url, dataset_name)\n payload = {'query': query, 'index_by': index_by, 'display_name':\n display_name}\n return self._get_json(HTTPMethods.PUT, url, self._get_master_key(),\n json=payload)\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(self, dataset_name, index_by, timeframe): url = '{0}/{1}/results'.format(self._cached_datasets_url, dataset_name) index_by = index_by if isinstance(index_by, str) else json.dumps(index_by) timeframe = timeframe if isinstance(timeframe, str) else json.dumps( timeframe) query_params = {'index_by': index_by, 'timeframe': timeframe} return self._get_json(HTTPMethods.GET, url, self._get_read_key(), params=query_params)
results
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dataset_name, index_by, timeframe):\n url = '{0}/{1}/results'.format(self._cached_datasets_url, dataset_name)\n index_by = index_by if isinstance(index_by, str) else json.dumps(index_by)\n timeframe = timeframe if isinstance(timeframe, str) else json.dumps(\n timeframe)\n query_params = {'index_by': index_by, 'timeframe': timeframe}\n return self._get_json(HTTPMethods.GET, url, self._get_read_key(),\n params=query_params)\n", "role": "user" }, { "content": "results", "role": "assistant" } ]
def x(self, dataset_name): url = '{0}/{1}'.format(self._cached_datasets_url, dataset_name) self._get_json(HTTPMethods.DELETE, url, self._get_master_key()) return True
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dataset_name):\n url = '{0}/{1}'.format(self._cached_datasets_url, dataset_name)\n self._get_json(HTTPMethods.DELETE, url, self._get_master_key())\n return True\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(self, *args): self.fall = self.fall or not args self.fall = self.fall or self.value in args return self.fall
match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n self.fall = self.fall or not args\n self.fall = self.fall or self.value in args\n return self.fall\n", "role": "user" }, { "content": "match", "role": "assistant" } ]
def x(): fname = os.path.join(os.getcwd(), 'glymurrc') if os.path.exists(fname): return fname confdir = get_configdir() if confdir is not None: fname = os.path.join(confdir, 'glymurrc') if os.path.exists(fname): return fname return None
glymurrc_fname
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n fname = os.path.join(os.getcwd(), 'glymurrc')\n if os.path.exists(fname):\n return fname\n confdir = get_configdir()\n if confdir is not None:\n fname = os.path.join(confdir, 'glymurrc')\n if os.path.exists(fname):\n return fname\n return None\n", "role": "user" }, { "content": "glymurrc_fname", "role": "assistant" } ]
def x(libname, path): if path is None or path in ['None', 'none']: return None try: if os.name == 'nt': opj_lib = ctypes.windll.LoadLibrary(path) else: opj_lib = ctypes.CDLL(path) except (TypeError, OSError): msg = 'The {libname} library at {path} could not be loaded.' msg = msg.format(path=path, libname=libname) warnings.warn(msg, UserWarning) opj_lib = None return opj_lib
load_library_handle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(libname, path):\n if path is None or path in ['None', 'none']:\n return None\n try:\n if os.name == 'nt':\n opj_lib = ctypes.windll.LoadLibrary(path)\n else:\n opj_lib = ctypes.CDLL(path)\n except (TypeError, OSError):\n msg = 'The {libname} library at {path} could not be loaded.'\n msg = msg.format(path=path, libname=libname)\n warnings.warn(msg, UserWarning)\n opj_lib = None\n return opj_lib\n", "role": "user" }, { "content": "load_library_handle", "role": "assistant" } ]
def x(libname): filename = glymurrc_fname() if filename is None: return None parser = ConfigParser() parser.read(filename) try: path = parser.get('library', libname) except (NoOptionError, NoSectionError): path = None return path
read_config_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(libname):\n filename = glymurrc_fname()\n if filename is None:\n return None\n parser = ConfigParser()\n parser.read(filename)\n try:\n path = parser.get('library', libname)\n except (NoOptionError, NoSectionError):\n path = None\n return path\n", "role": "user" }, { "content": "read_config_file", "role": "assistant" } ]
def x(): handles = (load_openjpeg_library(x) for x in ['openjp2', 'openjpeg']) handles = tuple(handles) if all(handle is None for handle in handles): msg = 'Neither the openjp2 nor the openjpeg library could be loaded. ' warnings.warn(msg) return handles
glymur_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n handles = (load_openjpeg_library(x) for x in ['openjp2', 'openjpeg'])\n handles = tuple(handles)\n if all(handle is None for handle in handles):\n msg = 'Neither the openjp2 nor the openjpeg library could be loaded. '\n warnings.warn(msg)\n return handles\n", "role": "user" }, { "content": "glymur_config", "role": "assistant" } ]
def x(): if 'XDG_CONFIG_HOME' in os.environ: return os.path.join(os.environ['XDG_CONFIG_HOME'], 'glymur') if 'HOME' in os.environ and os.name != 'nt': return os.path.join(os.environ['HOME'], '.config', 'glymur') return os.path.join(os.path.expanduser('~'), 'glymur')
get_configdir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if 'XDG_CONFIG_HOME' in os.environ:\n return os.path.join(os.environ['XDG_CONFIG_HOME'], 'glymur')\n if 'HOME' in os.environ and os.name != 'nt':\n return os.path.join(os.environ['HOME'], '.config', 'glymur')\n return os.path.join(os.path.expanduser('~'), 'glymur')\n", "role": "user" }, { "content": "get_configdir", "role": "assistant" } ]
def x(key, value): if key not in _options.keys(): raise KeyError('{key} not valid.'.format(key=key)) _options[key] = value
set_option
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(key, value):\n if key not in _options.keys():\n raise KeyError('{key} not valid.'.format(key=key))\n _options[key] = value\n", "role": "user" }, { "content": "set_option", "role": "assistant" } ]
def x(key): global _options if key == 'all': _options = copy.deepcopy(_original_options) else: if key not in _options.keys(): raise KeyError('{key} not valid.'.format(key=key)) _options[key] = _original_options[key]
reset_option
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(key):\n global _options\n if key == 'all':\n _options = copy.deepcopy(_original_options)\n else:\n if key not in _options.keys():\n raise KeyError('{key} not valid.'.format(key=key))\n _options[key] = _original_options[key]\n", "role": "user" }, { "content": "reset_option", "role": "assistant" } ]
def x(**kwargs): warnings.warn('Use set_option instead of set_printoptions.', DeprecationWarning) for key, value in kwargs.items(): if key not in ['short', 'xml', 'codestream']: raise KeyError('"{0}" not a valid keyword parameter.'.format(key)) set_option('print.' + key, value)
set_printoptions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**kwargs):\n warnings.warn('Use set_option instead of set_printoptions.',\n DeprecationWarning)\n for key, value in kwargs.items():\n if key not in ['short', 'xml', 'codestream']:\n raise KeyError('\"{0}\" not a valid keyword parameter.'.format(key))\n set_option('print.' + key, value)\n", "role": "user" }, { "content": "set_printoptions", "role": "assistant" } ]
def x(): warnings.warn('Use get_option instead of get_printoptions.', DeprecationWarning) d = {} for key in ['short', 'xml', 'codestream']: d[key] = _options['print.' + key] return d
get_printoptions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n warnings.warn('Use get_option instead of get_printoptions.',\n DeprecationWarning)\n d = {}\n for key in ['short', 'xml', 'codestream']:\n d[key] = _options['print.' + key]\n return d\n", "role": "user" }, { "content": "get_printoptions", "role": "assistant" } ]
def x(): kwargs = {'description': 'Print JPEG2000 metadata.', 'formatter_class': argparse.ArgumentDefaultsHelpFormatter} parser = argparse.ArgumentParser(**kwargs) parser.add_argument('-x', '--noxml', help='suppress XML', action= 'store_true') parser.add_argument('-s', '--short', help= 'only print box id, offset, and length', action='store_true') chelp = 'Level of codestream information. 0 suppresses all details, ' chelp += '1 prints the main header, 2 prints the full codestream.' parser.add_argument('-c', '--codestream', help=chelp, metavar='LEVEL', nargs=1, type=int, default=[1]) parser.add_argument('filename') args = parser.parse_args() if args.noxml: set_option('print.xml', False) if args.short: set_option('print.short', True) codestream_level = args.codestream[0] if codestream_level not in [0, 1, 2]: raise ValueError('Invalid level of codestream information specified.') if codestream_level == 0: set_option('print.codestream', False) elif codestream_level == 2: set_option('parse.full_codestream', True) filename = args.filename with warnings.catch_warnings(record=True) as wctx: jp2 = Jp2k(filename) if jp2._codec_format == lib.openjp2.CODEC_J2K: if codestream_level == 0: print('File: {0}'.format(os.path.basename(filename))) elif codestream_level == 1: print(jp2) elif codestream_level == 2: print('File: {0}'.format(os.path.basename(filename))) print(jp2.get_codestream(header_only=False)) else: print(jp2) if len(wctx) > 0: print('\n') for warning in wctx: print('{0}:{1}: {2}: {3}'.format(warning.filename, warning. lineno, warning.category.__name__, warning.message))
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n kwargs = {'description': 'Print JPEG2000 metadata.', 'formatter_class':\n argparse.ArgumentDefaultsHelpFormatter}\n parser = argparse.ArgumentParser(**kwargs)\n parser.add_argument('-x', '--noxml', help='suppress XML', action=\n 'store_true')\n parser.add_argument('-s', '--short', help=\n 'only print box id, offset, and length', action='store_true')\n chelp = 'Level of codestream information. 0 suppresses all details, '\n chelp += '1 prints the main header, 2 prints the full codestream.'\n parser.add_argument('-c', '--codestream', help=chelp, metavar='LEVEL',\n nargs=1, type=int, default=[1])\n parser.add_argument('filename')\n args = parser.parse_args()\n if args.noxml:\n set_option('print.xml', False)\n if args.short:\n set_option('print.short', True)\n codestream_level = args.codestream[0]\n if codestream_level not in [0, 1, 2]:\n raise ValueError('Invalid level of codestream information specified.')\n if codestream_level == 0:\n set_option('print.codestream', False)\n elif codestream_level == 2:\n set_option('parse.full_codestream', True)\n filename = args.filename\n with warnings.catch_warnings(record=True) as wctx:\n jp2 = Jp2k(filename)\n if jp2._codec_format == lib.openjp2.CODEC_J2K:\n if codestream_level == 0:\n print('File: {0}'.format(os.path.basename(filename)))\n elif codestream_level == 1:\n print(jp2)\n elif codestream_level == 2:\n print('File: {0}'.format(os.path.basename(filename)))\n print(jp2.get_codestream(header_only=False))\n else:\n print(jp2)\n if len(wctx) > 0:\n print('\\n')\n for warning in wctx:\n print('{0}:{1}: {2}: {3}'.format(warning.filename, warning.\n lineno, warning.category.__name__, warning.message))\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self, string=None): if not str.endswith(string, '/'): return str.join('', [string, '/']) return str(string)
add_slash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string=None):\n if not str.endswith(string, '/'):\n return str.join('', [string, '/'])\n return str(string)\n", "role": "user" }, { "content": "add_slash", "role": "assistant" } ]
def x(self): try: self.token = os.environ['CERBERUS_TOKEN'] if self.verbose: print('Overriding Cerberus token with environment variable.', file=sys.stderr) logger.info('Overriding Cerberus token with environment variable.') return except: pass if self.username: ua = UserAuth(self.cerberus_url, self.username, self.password) self.token = ua.get_token() else: awsa = AWSAuth(self.cerberus_url, region=self.region, aws_session= self.aws_session, verbose=self.verbose) self.token = awsa.get_token()
set_token
[ { "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.token = os.environ['CERBERUS_TOKEN']\n if self.verbose:\n print('Overriding Cerberus token with environment variable.',\n file=sys.stderr)\n logger.info('Overriding Cerberus token with environment variable.')\n return\n except:\n pass\n if self.username:\n ua = UserAuth(self.cerberus_url, self.username, self.password)\n self.token = ua.get_token()\n else:\n awsa = AWSAuth(self.cerberus_url, region=self.region, aws_session=\n self.aws_session, verbose=self.verbose)\n self.token = awsa.get_token()\n", "role": "user" }, { "content": "set_token", "role": "assistant" } ]
def x(self): roles_resp = get_with_retry(self.cerberus_url + '/v1/role', headers= self.HEADERS) throw_if_bad_response(roles_resp) return roles_resp.json()
get_roles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n roles_resp = get_with_retry(self.cerberus_url + '/v1/role', headers=\n self.HEADERS)\n throw_if_bad_response(roles_resp)\n return roles_resp.json()\n", "role": "user" }, { "content": "get_roles", "role": "assistant" } ]
def x(self, key): json_resp = self.get_roles() for item in json_resp: if key in item['name']: return item['id'] raise CerberusClientException("Key '%s' not found" % key)
get_role
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n json_resp = self.get_roles()\n for item in json_resp:\n if key in item['name']:\n return item['id']\n raise CerberusClientException(\"Key '%s' not found\" % key)\n", "role": "user" }, { "content": "get_role", "role": "assistant" } ]
def x(self): json_resp = self.get_roles() temp_dict = {} for item in json_resp: temp_dict[item['name']] = item['id'] return temp_dict
list_roles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n json_resp = self.get_roles()\n temp_dict = {}\n for item in json_resp:\n temp_dict[item['name']] = item['id']\n return temp_dict\n", "role": "user" }, { "content": "list_roles", "role": "assistant" } ]
def x(self): sdb_resp = get_with_retry(self.cerberus_url + '/v1/category', headers= self.HEADERS) throw_if_bad_response(sdb_resp) return sdb_resp.json()
get_categories
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n sdb_resp = get_with_retry(self.cerberus_url + '/v1/category', headers=\n self.HEADERS)\n throw_if_bad_response(sdb_resp)\n return sdb_resp.json()\n", "role": "user" }, { "content": "get_categories", "role": "assistant" } ]
def x(self, name, category_id, owner, description='', user_group_permissions=None, iam_principal_permissions=None): if user_group_permissions is None: user_group_permissions = [] if iam_principal_permissions is None: iam_principal_permissions = [] if list != type(user_group_permissions): raise TypeError('Expected list, but got ' + str(type( user_group_permissions))) if list != type(iam_principal_permissions): raise TypeError('Expected list, but got ' + str(type( iam_principal_permissions))) temp_data = {'name': name, 'description': description, 'category_id': category_id, 'owner': owner} if len(user_group_permissions) > 0: temp_data['user_group_permissions'] = user_group_permissions if len(iam_principal_permissions) > 0: temp_data['iam_principal_permissions'] = iam_principal_permissions data = json.encoder.JSONEncoder().encode(temp_data) sdb_resp = post_with_retry(self.cerberus_url + '/v2/safe-deposit-box', data=str(data), headers=self.HEADERS) throw_if_bad_response(sdb_resp) return sdb_resp.json()
create_sdb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, category_id, owner, description='',\n user_group_permissions=None, iam_principal_permissions=None):\n if user_group_permissions is None:\n user_group_permissions = []\n if iam_principal_permissions is None:\n iam_principal_permissions = []\n if list != type(user_group_permissions):\n raise TypeError('Expected list, but got ' + str(type(\n user_group_permissions)))\n if list != type(iam_principal_permissions):\n raise TypeError('Expected list, but got ' + str(type(\n iam_principal_permissions)))\n temp_data = {'name': name, 'description': description, 'category_id':\n category_id, 'owner': owner}\n if len(user_group_permissions) > 0:\n temp_data['user_group_permissions'] = user_group_permissions\n if len(iam_principal_permissions) > 0:\n temp_data['iam_principal_permissions'] = iam_principal_permissions\n data = json.encoder.JSONEncoder().encode(temp_data)\n sdb_resp = post_with_retry(self.cerberus_url + '/v2/safe-deposit-box',\n data=str(data), headers=self.HEADERS)\n throw_if_bad_response(sdb_resp)\n return sdb_resp.json()\n", "role": "user" }, { "content": "create_sdb", "role": "assistant" } ]
def x(self, sdb_id): sdb_resp = delete_with_retry(self.cerberus_url + '/v2/safe-deposit-box/' + sdb_id, headers=self.HEADERS) throw_if_bad_response(sdb_resp) return sdb_resp
delete_sdb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sdb_id):\n sdb_resp = delete_with_retry(self.cerberus_url +\n '/v2/safe-deposit-box/' + sdb_id, headers=self.HEADERS)\n throw_if_bad_response(sdb_resp)\n return sdb_resp\n", "role": "user" }, { "content": "delete_sdb", "role": "assistant" } ]
def x(self, sdb): sdb_id = self.get_sdb_id(sdb) sdb_resp = get_with_retry(self.cerberus_url + '/v1/safe-deposit-box/' + sdb_id + '/', headers=self.HEADERS) throw_if_bad_response(sdb_resp) return sdb_resp.json()['path']
get_sdb_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sdb):\n sdb_id = self.get_sdb_id(sdb)\n sdb_resp = get_with_retry(self.cerberus_url + '/v1/safe-deposit-box/' +\n sdb_id + '/', headers=self.HEADERS)\n throw_if_bad_response(sdb_resp)\n return sdb_resp.json()['path']\n", "role": "user" }, { "content": "get_sdb_path", "role": "assistant" } ]
def x(self, path): list_resp = get_with_retry(self.cerberus_url + '/v1/secret/' + path + '/?list=true', headers=self.HEADERS) throw_if_bad_response(list_resp) return list_resp.json()['data']['keys']
get_sdb_keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n list_resp = get_with_retry(self.cerberus_url + '/v1/secret/' + path +\n '/?list=true', headers=self.HEADERS)\n throw_if_bad_response(list_resp)\n return list_resp.json()['data']['keys']\n", "role": "user" }, { "content": "get_sdb_keys", "role": "assistant" } ]
def x(self, sdb): json_resp = self.get_sdbs() for r in json_resp: if r['name'] == sdb: return str(r['id']) raise CerberusClientException("'%s' not found" % sdb)
get_sdb_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sdb):\n json_resp = self.get_sdbs()\n for r in json_resp:\n if r['name'] == sdb:\n return str(r['id'])\n raise CerberusClientException(\"'%s' not found\" % sdb)\n", "role": "user" }, { "content": "get_sdb_id", "role": "assistant" } ]
def x(self, sdb_path): json_resp = self.get_sdbs() path = self._add_slash(sdb_path) for r in json_resp: if r['path'] == path: return str(r['id']) raise CerberusClientException("'%s' not found" % sdb_path)
get_sdb_id_by_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sdb_path):\n json_resp = self.get_sdbs()\n path = self._add_slash(sdb_path)\n for r in json_resp:\n if r['path'] == path:\n return str(r['id'])\n raise CerberusClientException(\"'%s' not found\" % sdb_path)\n", "role": "user" }, { "content": "get_sdb_id_by_path", "role": "assistant" } ]
def x(self, sdb_id): sdb_resp = get_with_retry(self.cerberus_url + '/v2/safe-deposit-box/' + sdb_id, headers=self.HEADERS) throw_if_bad_response(sdb_resp) return sdb_resp.json()
get_sdb_by_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sdb_id):\n sdb_resp = get_with_retry(self.cerberus_url + '/v2/safe-deposit-box/' +\n sdb_id, headers=self.HEADERS)\n throw_if_bad_response(sdb_resp)\n return sdb_resp.json()\n", "role": "user" }, { "content": "get_sdb_by_id", "role": "assistant" } ]
def x(self, sdb_id): sdb_resp = get_with_retry(str.join('', [self.cerberus_url, '/v1/sdb-secret-version-paths/', sdb_id]), headers=self.HEADERS) throw_if_bad_response(sdb_resp) return sdb_resp.json()
get_sdb_secret_version_paths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sdb_id):\n sdb_resp = get_with_retry(str.join('', [self.cerberus_url,\n '/v1/sdb-secret-version-paths/', sdb_id]), headers=self.HEADERS)\n throw_if_bad_response(sdb_resp)\n return sdb_resp.json()\n", "role": "user" }, { "content": "get_sdb_secret_version_paths", "role": "assistant" } ]
def x(self): sdb_raw = self.get_sdbs() sdbs = [] for s in sdb_raw: sdbs.append(s['name']) return sdbs
list_sdbs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n sdb_raw = self.get_sdbs()\n sdbs = []\n for s in sdb_raw:\n sdbs.append(s['name'])\n return sdbs\n", "role": "user" }, { "content": "list_sdbs", "role": "assistant" } ]
def x(self, sdb_id, owner=None, description=None, user_group_permissions= None, iam_principal_permissions=None): old_data = self.get_sdb_by_id(sdb_id) temp_data = {} keys = ('owner', 'description', 'iam_principal_permissions', 'user_group_permissions') for k in keys: if k in old_data: temp_data[k] = old_data[k] if owner is not None: temp_data['owner'] = owner if description is not None: temp_data['description'] = description if user_group_permissions is not None and len(user_group_permissions) > 0: temp_data['user_group_permissions'] = user_group_permissions if iam_principal_permissions is not None and len(iam_principal_permissions ) > 0: temp_data['iam_principal_permissions'] = iam_principal_permissions data = json.encoder.JSONEncoder().encode(temp_data) sdb_resp = put_with_retry(self.cerberus_url + '/v2/safe-deposit-box/' + sdb_id, data=str(data), headers=self.HEADERS) throw_if_bad_response(sdb_resp) return sdb_resp.json()
update_sdb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sdb_id, owner=None, description=None, user_group_permissions=\n None, iam_principal_permissions=None):\n old_data = self.get_sdb_by_id(sdb_id)\n temp_data = {}\n keys = ('owner', 'description', 'iam_principal_permissions',\n 'user_group_permissions')\n for k in keys:\n if k in old_data:\n temp_data[k] = old_data[k]\n if owner is not None:\n temp_data['owner'] = owner\n if description is not None:\n temp_data['description'] = description\n if user_group_permissions is not None and len(user_group_permissions) > 0:\n temp_data['user_group_permissions'] = user_group_permissions\n if iam_principal_permissions is not None and len(iam_principal_permissions\n ) > 0:\n temp_data['iam_principal_permissions'] = iam_principal_permissions\n data = json.encoder.JSONEncoder().encode(temp_data)\n sdb_resp = put_with_retry(self.cerberus_url + '/v2/safe-deposit-box/' +\n sdb_id, data=str(data), headers=self.HEADERS)\n throw_if_bad_response(sdb_resp)\n return sdb_resp.json()\n", "role": "user" }, { "content": "update_sdb", "role": "assistant" } ]
def x(self, secure_data_path): secret_resp = delete_with_retry(self.cerberus_url + '/v1/secure-file/' + secure_data_path, headers=self.HEADERS) throw_if_bad_response(secret_resp) return secret_resp
delete_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, secure_data_path):\n secret_resp = delete_with_retry(self.cerberus_url + '/v1/secure-file/' +\n secure_data_path, headers=self.HEADERS)\n throw_if_bad_response(secret_resp)\n return secret_resp\n", "role": "user" }, { "content": "delete_file", "role": "assistant" } ]
def x(self, secure_data_path, version=None): if not version: version = 'CURRENT' payload = {'versionId': str(version)} secret_resp = head_with_retry(str.join('', [self.cerberus_url, '/v1/secure-file/', secure_data_path]), params=payload, headers= self.HEADERS) throw_if_bad_response(secret_resp) return secret_resp.headers
get_file_metadata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, secure_data_path, version=None):\n if not version:\n version = 'CURRENT'\n payload = {'versionId': str(version)}\n secret_resp = head_with_retry(str.join('', [self.cerberus_url,\n '/v1/secure-file/', secure_data_path]), params=payload, headers=\n self.HEADERS)\n throw_if_bad_response(secret_resp)\n return secret_resp.headers\n", "role": "user" }, { "content": "get_file_metadata", "role": "assistant" } ]
def x(self, metadata): index = metadata['Content-Disposition'].index('=') + 1 metadata['filename'] = metadata['Content-Disposition'][index:].replace('"', '') return metadata
parse_metadata_filename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, metadata):\n index = metadata['Content-Disposition'].index('=') + 1\n metadata['filename'] = metadata['Content-Disposition'][index:].replace('\"',\n '')\n return metadata\n", "role": "user" }, { "content": "parse_metadata_filename", "role": "assistant" } ]
def x(self, secure_data_path, version=None): query = self._get_file(secure_data_path, version) resp = query.headers.copy() resp = self._parse_metadata_filename(resp) resp['data'] = query.content return resp
get_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, secure_data_path, version=None):\n query = self._get_file(secure_data_path, version)\n resp = query.headers.copy()\n resp = self._parse_metadata_filename(resp)\n resp['data'] = query.content\n return resp\n", "role": "user" }, { "content": "get_file", "role": "assistant" } ]
def x(self, secure_data_path, limit=None, offset=None): return self.get_secret_versions(secure_data_path, limit, offset)
get_file_versions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, secure_data_path, limit=None, offset=None):\n return self.get_secret_versions(secure_data_path, limit, offset)\n", "role": "user" }, { "content": "get_file_versions", "role": "assistant" } ]
def x(self, secure_data_path, limit=None): offset = 0 versions = {'has_next': True, 'next_offset': 0} while versions['has_next']: offset = versions['next_offset'] versions = self.get_file_versions(secure_data_path, limit, offset) for summary in versions['secure_data_version_summaries']: yield summary
get_all_file_version_ids
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, secure_data_path, limit=None):\n offset = 0\n versions = {'has_next': True, 'next_offset': 0}\n while versions['has_next']:\n offset = versions['next_offset']\n versions = self.get_file_versions(secure_data_path, limit, offset)\n for summary in versions['secure_data_version_summaries']:\n yield summary\n", "role": "user" }, { "content": "get_all_file_version_ids", "role": "assistant" } ]
def x(self, secure_data_path, limit=None): for secret in self._get_all_file_version_ids(secure_data_path, limit): yield {'secret': self.get_file_data(secure_data_path, version= secret['id']), 'version': secret}
get_all_file_versions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, secure_data_path, limit=None):\n for secret in self._get_all_file_version_ids(secure_data_path, limit):\n yield {'secret': self.get_file_data(secure_data_path, version=\n secret['id']), 'version': secret}\n", "role": "user" }, { "content": "get_all_file_versions", "role": "assistant" } ]
def x(self, secure_data_path, limit=None, offset=None): if not limit or limit <= 0: limit = 100 if not offset or offset < 0: offset = 0 payload = {'limit': str(limit), 'offset': str(offset)} secure_data_path = self._add_slash(secure_data_path) secret_resp = get_with_retry(self.cerberus_url + '/v1/secure-files/' + secure_data_path, params=payload, headers=self.HEADERS) throw_if_bad_response(secret_resp) return secret_resp.json()
list_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, secure_data_path, limit=None, offset=None):\n if not limit or limit <= 0:\n limit = 100\n if not offset or offset < 0:\n offset = 0\n payload = {'limit': str(limit), 'offset': str(offset)}\n secure_data_path = self._add_slash(secure_data_path)\n secret_resp = get_with_retry(self.cerberus_url + '/v1/secure-files/' +\n secure_data_path, params=payload, headers=self.HEADERS)\n throw_if_bad_response(secret_resp)\n return secret_resp.json()\n", "role": "user" }, { "content": "list_files", "role": "assistant" } ]
def x(self, secure_data_path, filehandle, content_type=None): filename = secure_data_path.rsplit('/', 1) if content_type: data = {'file-content': (filename, filehandle, content_type)} else: data = {'file-content': (filename, filehandle)} headers = self.HEADERS.copy() if 'Content-Type' in headers: headers.__delitem__('Content-Type') secret_resp = post_with_retry(self.cerberus_url + '/v1/secure-file/' + secure_data_path, files=data, headers=headers) throw_if_bad_response(secret_resp) return secret_resp
put_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, secure_data_path, filehandle, content_type=None):\n filename = secure_data_path.rsplit('/', 1)\n if content_type:\n data = {'file-content': (filename, filehandle, content_type)}\n else:\n data = {'file-content': (filename, filehandle)}\n headers = self.HEADERS.copy()\n if 'Content-Type' in headers:\n headers.__delitem__('Content-Type')\n secret_resp = post_with_retry(self.cerberus_url + '/v1/secure-file/' +\n secure_data_path, files=data, headers=headers)\n throw_if_bad_response(secret_resp)\n return secret_resp\n", "role": "user" }, { "content": "put_file", "role": "assistant" } ]
def x(self, secure_data_path, key, version=None): warnings.warn('get_secret is deprecated, use get_secrets_data instead', DeprecationWarning) secret_resp_json = self._get_secrets(secure_data_path, version) if key in secret_resp_json['data']: return secret_resp_json['data'][key] else: raise CerberusClientException("Key '%s' not found" % key)
get_secret
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, secure_data_path, key, version=None):\n warnings.warn('get_secret is deprecated, use get_secrets_data instead',\n DeprecationWarning)\n secret_resp_json = self._get_secrets(secure_data_path, version)\n if key in secret_resp_json['data']:\n return secret_resp_json['data'][key]\n else:\n raise CerberusClientException(\"Key '%s' not found\" % key)\n", "role": "user" }, { "content": "get_secret", "role": "assistant" } ]
def x(self, secure_data_path, version=None): if not version: version = 'CURRENT' payload = {'versionId': str(version)} secret_resp = get_with_retry(str.join('', [self.cerberus_url, '/v1/secret/', secure_data_path]), params=payload, headers=self.HEADERS ) throw_if_bad_response(secret_resp) return secret_resp.json()
get_secrets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, secure_data_path, version=None):\n if not version:\n version = 'CURRENT'\n payload = {'versionId': str(version)}\n secret_resp = get_with_retry(str.join('', [self.cerberus_url,\n '/v1/secret/', secure_data_path]), params=payload, headers=self.HEADERS\n )\n throw_if_bad_response(secret_resp)\n return secret_resp.json()\n", "role": "user" }, { "content": "get_secrets", "role": "assistant" } ]
def x(self, secure_data_path, version=None): warnings.warn('get_secrets is deprecated, use get_secrets_data instead', DeprecationWarning) return self._get_secrets(secure_data_path, version)
get_secrets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, secure_data_path, version=None):\n warnings.warn('get_secrets is deprecated, use get_secrets_data instead',\n DeprecationWarning)\n return self._get_secrets(secure_data_path, version)\n", "role": "user" }, { "content": "get_secrets", "role": "assistant" } ]
def x(self, secure_data_path, limit=None, offset=None): if not limit or limit <= 0: limit = 100 if not offset or offset < 0: offset = 0 payload = {'limit': str(limit), 'offset': str(offset)} secret_resp = get_with_retry(str.join('', [self.cerberus_url, '/v1/secret-versions/', secure_data_path]), params=payload, headers =self.HEADERS) throw_if_bad_response(secret_resp) return secret_resp.json()
get_secret_versions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, secure_data_path, limit=None, offset=None):\n if not limit or limit <= 0:\n limit = 100\n if not offset or offset < 0:\n offset = 0\n payload = {'limit': str(limit), 'offset': str(offset)}\n secret_resp = get_with_retry(str.join('', [self.cerberus_url,\n '/v1/secret-versions/', secure_data_path]), params=payload, headers\n =self.HEADERS)\n throw_if_bad_response(secret_resp)\n return secret_resp.json()\n", "role": "user" }, { "content": "get_secret_versions", "role": "assistant" } ]
def x(self, secure_data_path, limit=None): offset = 0 versions = {'has_next': True, 'next_offset': 0} while versions['has_next']: offset = versions['next_offset'] versions = self.get_secret_versions(secure_data_path, limit, offset) for summary in versions['secure_data_version_summaries']: yield summary
get_all_secret_version_ids
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, secure_data_path, limit=None):\n offset = 0\n versions = {'has_next': True, 'next_offset': 0}\n while versions['has_next']:\n offset = versions['next_offset']\n versions = self.get_secret_versions(secure_data_path, limit, offset)\n for summary in versions['secure_data_version_summaries']:\n yield summary\n", "role": "user" }, { "content": "get_all_secret_version_ids", "role": "assistant" } ]
def x(self, secure_data_path, limit=None): for secret in self._get_all_secret_version_ids(secure_data_path, limit): yield {'secret': self.get_secrets_data(secure_data_path, version= secret['id']), 'version': secret}
get_all_secret_versions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, secure_data_path, limit=None):\n for secret in self._get_all_secret_version_ids(secure_data_path, limit):\n yield {'secret': self.get_secrets_data(secure_data_path, version=\n secret['id']), 'version': secret}\n", "role": "user" }, { "content": "get_all_secret_versions", "role": "assistant" } ]
def x(self, secure_data_path): secure_data_path = self._add_slash(secure_data_path) secret_resp = get_with_retry(self.cerberus_url + '/v1/secret/' + secure_data_path + '?list=true', headers=self.HEADERS) throw_if_bad_response(secret_resp) return secret_resp.json()
list_secrets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, secure_data_path):\n secure_data_path = self._add_slash(secure_data_path)\n secret_resp = get_with_retry(self.cerberus_url + '/v1/secret/' +\n secure_data_path + '?list=true', headers=self.HEADERS)\n throw_if_bad_response(secret_resp)\n return secret_resp.json()\n", "role": "user" }, { "content": "list_secrets", "role": "assistant" } ]
def x(self, secure_data_path, secret, merge=True): data = json.encoder.JSONEncoder().encode(secret) if merge: data = self.secret_merge(secure_data_path, secret) secret_resp = post_with_retry(self.cerberus_url + '/v1/secret/' + secure_data_path, data=str(data), headers=self.HEADERS) throw_if_bad_response(secret_resp) return secret_resp
put_secret
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, secure_data_path, secret, merge=True):\n data = json.encoder.JSONEncoder().encode(secret)\n if merge:\n data = self.secret_merge(secure_data_path, secret)\n secret_resp = post_with_retry(self.cerberus_url + '/v1/secret/' +\n secure_data_path, data=str(data), headers=self.HEADERS)\n throw_if_bad_response(secret_resp)\n return secret_resp\n", "role": "user" }, { "content": "put_secret", "role": "assistant" } ]
def x(self, secure_data_path, key): get_resp = get_with_retry(self.cerberus_url + '/v1/secret/' + secure_data_path, headers=self.HEADERS) temp_key = {} if (get_resp.status_code == requests.codes.bad and get_resp.status_code not in [403, 404]): throw_if_bad_response(get_resp) elif get_resp.status_code in [403, 404]: temp_key = {} else: temp_key = get_resp.json()['data'] if type(key) == str: temp_key.update(ast.literal_eval(key)) else: temp_key.update(key) combined_key = json.encoder.JSONEncoder().encode(temp_key) return combined_key
secret_merge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, secure_data_path, key):\n get_resp = get_with_retry(self.cerberus_url + '/v1/secret/' +\n secure_data_path, headers=self.HEADERS)\n temp_key = {}\n if (get_resp.status_code == requests.codes.bad and get_resp.status_code\n not in [403, 404]):\n throw_if_bad_response(get_resp)\n elif get_resp.status_code in [403, 404]:\n temp_key = {}\n else:\n temp_key = get_resp.json()['data']\n if type(key) == str:\n temp_key.update(ast.literal_eval(key))\n else:\n temp_key.update(key)\n combined_key = json.encoder.JSONEncoder().encode(temp_key)\n return combined_key\n", "role": "user" }, { "content": "secret_merge", "role": "assistant" } ]
def x(self): if self.aws_session is None: boto_session = session.Session() creds = boto_session.get_credentials() else: creds = self.aws_session.get_credentials() if creds is None: raise CerberusClientException('Unable to locate AWS credentials') readonly_credentials = creds.get_frozen_credentials() data = OrderedDict((('Action', 'GetCallerIdentity'), ('Version', '2011-06-15'))) url = 'https://sts.{}.amazonaws.com/'.format(self.region) request_object = awsrequest.AWSRequest(method='POST', url=url, data=data) signer = auth.SigV4Auth(readonly_credentials, 'sts', self.region) signer.add_auth(request_object) return request_object.headers
get_v4_signed_headers
[ { "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.aws_session is None:\n boto_session = session.Session()\n creds = boto_session.get_credentials()\n else:\n creds = self.aws_session.get_credentials()\n if creds is None:\n raise CerberusClientException('Unable to locate AWS credentials')\n readonly_credentials = creds.get_frozen_credentials()\n data = OrderedDict((('Action', 'GetCallerIdentity'), ('Version',\n '2011-06-15')))\n url = 'https://sts.{}.amazonaws.com/'.format(self.region)\n request_object = awsrequest.AWSRequest(method='POST', url=url, data=data)\n signer = auth.SigV4Auth(readonly_credentials, 'sts', self.region)\n signer.add_auth(request_object)\n return request_object.headers\n", "role": "user" }, { "content": "get_v4_signed_headers", "role": "assistant" } ]
def x(self): signed_headers = self._get_v4_signed_headers() for header in self.HEADERS: signed_headers[header] = self.HEADERS[header] resp = post_with_retry(self.cerberus_url + '/v2/auth/sts-identity', headers=signed_headers) throw_if_bad_response(resp) token = resp.json()['client_token'] iam_principal_arn = resp.json()['metadata']['aws_iam_principal_arn'] if self.verbose: print('Successfully authenticated with Cerberus as {}'.format( iam_principal_arn), file=sys.stderr) logger.info('Successfully authenticated with Cerberus as {}'.format( iam_principal_arn)) return token
get_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n signed_headers = self._get_v4_signed_headers()\n for header in self.HEADERS:\n signed_headers[header] = self.HEADERS[header]\n resp = post_with_retry(self.cerberus_url + '/v2/auth/sts-identity',\n headers=signed_headers)\n throw_if_bad_response(resp)\n token = resp.json()['client_token']\n iam_principal_arn = resp.json()['metadata']['aws_iam_principal_arn']\n if self.verbose:\n print('Successfully authenticated with Cerberus as {}'.format(\n iam_principal_arn), file=sys.stderr)\n logger.info('Successfully authenticated with Cerberus as {}'.format(\n iam_principal_arn))\n return token\n", "role": "user" }, { "content": "get_token", "role": "assistant" } ]
def x(read_buffer): data = struct.unpack('BB', read_buffer[0:2]) if data[0] == 73 and data[1] == 73: endian = '<' elif data[0] == 77 and data[1] == 77: endian = '>' else: msg = ( 'The byte order indication in the TIFF header ({byte_order}) is invalid. It should be either {little_endian} or {big_endian}.' ) msg = msg.format(byte_order=read_buffer[6:8], little_endian=bytes([ 73, 73]), big_endian=bytes([77, 77])) raise IOError(msg) _, offset = struct.unpack(endian + 'HI', read_buffer[2:8]) exif = ExifImageIfd(endian, read_buffer, offset) return exif.processed_ifd
tiff_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(read_buffer):\n data = struct.unpack('BB', read_buffer[0:2])\n if data[0] == 73 and data[1] == 73:\n endian = '<'\n elif data[0] == 77 and data[1] == 77:\n endian = '>'\n else:\n msg = (\n 'The byte order indication in the TIFF header ({byte_order}) is invalid. It should be either {little_endian} or {big_endian}.'\n )\n msg = msg.format(byte_order=read_buffer[6:8], little_endian=bytes([\n 73, 73]), big_endian=bytes([77, 77]))\n raise IOError(msg)\n _, offset = struct.unpack(endian + 'HI', read_buffer[2:8])\n exif = ExifImageIfd(endian, read_buffer, offset)\n return exif.processed_ifd\n", "role": "user" }, { "content": "tiff_header", "role": "assistant" } ]
def x(self, dtype, count, offset_buf): try: fmt = self.datatype2fmt[dtype][0] * count payload_size = self.datatype2fmt[dtype][1] * count except KeyError: msg = 'Invalid TIFF tag datatype ({0}).'.format(dtype) raise IOError(msg) if payload_size <= 4: target_buffer = offset_buf[:payload_size] else: offset, = struct.unpack(self.endian + 'I', offset_buf) target_buffer = self.read_buffer[offset:offset + payload_size] if dtype == 2: payload = target_buffer.decode('utf-8').rstrip('\x00') else: payload = struct.unpack(self.endian + fmt, target_buffer) if dtype == 5 or dtype == 10: rational_payload = [] for j in range(count): value = float(payload[j * 2]) / float(payload[j * 2 + 1]) rational_payload.append(value) payload = rational_payload if count == 1: payload = payload[0] return payload
parse_tag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dtype, count, offset_buf):\n try:\n fmt = self.datatype2fmt[dtype][0] * count\n payload_size = self.datatype2fmt[dtype][1] * count\n except KeyError:\n msg = 'Invalid TIFF tag datatype ({0}).'.format(dtype)\n raise IOError(msg)\n if payload_size <= 4:\n target_buffer = offset_buf[:payload_size]\n else:\n offset, = struct.unpack(self.endian + 'I', offset_buf)\n target_buffer = self.read_buffer[offset:offset + payload_size]\n if dtype == 2:\n payload = target_buffer.decode('utf-8').rstrip('\\x00')\n else:\n payload = struct.unpack(self.endian + fmt, target_buffer)\n if dtype == 5 or dtype == 10:\n rational_payload = []\n for j in range(count):\n value = float(payload[j * 2]) / float(payload[j * 2 + 1])\n rational_payload.append(value)\n payload = rational_payload\n if count == 1:\n payload = payload[0]\n return payload\n", "role": "user" }, { "content": "parse_tag", "role": "assistant" } ]