source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, fifo, filter_func=None, converter_func=None): return convert_data_array(self.dut[fifo].get_data(), filter_func= filter_func, converter_func=converter_func)
read_raw_data_from_fifo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fifo, filter_func=None, converter_func=None):\n return convert_data_array(self.dut[fifo].get_data(), filter_func=\n filter_func, converter_func=converter_func)\n", "role": "user" }, { "content": "read_raw_data_from_fifo", "role": "assistant" } ]
def x(Q, timeout=0.01): try: item = Q.get(True, 0.01) except Queue.Empty: return None return item
get_item_from_queue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(Q, timeout=0.01):\n try:\n item = Q.get(True, 0.01)\n except Queue.Empty:\n return None\n return item\n", "role": "user" }, { "content": "get_item_from_queue", "role": "assistant" } ]
def x(seq, func): best_score, best = func(seq[0]), [] for x in seq: x_score = func(x) if x_score < best_score: best, best_score = [x], x_score elif x_score == best_score: best.append(x) return best
argmin_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq, func):\n best_score, best = func(seq[0]), []\n for x in seq:\n x_score = func(x)\n if x_score < best_score:\n best, best_score = [x], x_score\n elif x_score == best_score:\n best.append(x)\n return best\n", "role": "user" }, { "content": "argmin_list", "role": "assistant" } ]
def x(iterable): for item in iterable: if isinstance(item, collections.Iterable) and not isinstance(item, basestring): for sub in flatten_iterable(item): yield sub else: yield item
flatten_iterable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(iterable):\n for item in iterable:\n if isinstance(item, collections.Iterable) and not isinstance(item,\n basestring):\n for sub in flatten_iterable(item):\n yield sub\n else:\n yield item\n", "role": "user" }, { "content": "flatten_iterable", "role": "assistant" } ]
def x(item): if isinstance(item, collections.Iterable) and not isinstance(item, basestring): return item else: return [item]
iterable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(item):\n if isinstance(item, collections.Iterable) and not isinstance(item,\n basestring):\n return item\n else:\n return [item]\n", "role": "user" }, { "content": "iterable", "role": "assistant" } ]
def x(seq, cmp=natcmp): import copy temp = copy.copy(seq) natsort(temp, cmp) return temp
natsorted
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq, cmp=natcmp):\n import copy\n temp = copy.copy(seq)\n natsort(temp, cmp)\n return temp\n", "role": "user" }, { "content": "natsorted", "role": "assistant" } ]
def x(): t1 = time.time() t2 = datetime.datetime.fromtimestamp(t1) t4 = t2.__str__() try: t4a, t4b = t4.split('.', 1) except ValueError: t4a = t4 t4b = '000000' t5 = datetime.datetime.strptime(t4a, '%Y-%m-%d %H:%M:%S') ms = int(t4b.ljust(6, '0')[:6]) return t5.replace(microsecond=ms)
get_iso_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n t1 = time.time()\n t2 = datetime.datetime.fromtimestamp(t1)\n t4 = t2.__str__()\n try:\n t4a, t4b = t4.split('.', 1)\n except ValueError:\n t4a = t4\n t4b = '000000'\n t5 = datetime.datetime.strptime(t4a, '%Y-%m-%d %H:%M:%S')\n ms = int(t4b.ljust(6, '0')[:6])\n return t5.replace(microsecond=ms)\n", "role": "user" }, { "content": "get_iso_time", "role": "assistant" } ]
def x(): t1 = time.time() t2 = datetime.datetime.fromtimestamp(t1) return time.mktime(t2.timetuple()) + 1e-06 * t2.microsecond
get_float_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n t1 = time.time()\n t2 = datetime.datetime.fromtimestamp(t1)\n return time.mktime(t2.timetuple()) + 1e-06 * t2.microsecond\n", "role": "user" }, { "content": "get_float_time", "role": "assistant" } ]
def x(dictionary, key): return dict((k, list(g)) for k, g in itertools.groupby(sorted( dictionary.keys(), key=lambda name: dictionary[name][key]), key=lambda name: dictionary[name][key]))
groupby_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dictionary, key):\n return dict((k, list(g)) for k, g in itertools.groupby(sorted(\n dictionary.keys(), key=lambda name: dictionary[name][key]), key=lambda\n name: dictionary[name][key]))\n", "role": "user" }, { "content": "groupby_dict", "role": "assistant" } ]
def x(*iterables): return (tuple([entry for entry in iterable if entry is not None]) for iterable in itertools.izip_longest(*iterables, fillvalue=None))
zip_nofill
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*iterables):\n return (tuple([entry for entry in iterable if entry is not None]) for\n iterable in itertools.izip_longest(*iterables, fillvalue=None))\n", "role": "user" }, { "content": "zip_nofill", "role": "assistant" } ]
def x(filename, path=None, n=None): if path is None: path = os.getcwd() i = 0 while True: current_path = path for _ in range(i): current_path = os.path.split(current_path)[0] if os.path.isfile(os.path.join(current_path, filename)): return os.path.join(current_path, filename) elif os.path.dirname(current_path) == current_path: return elif n is not None and i == n: return else: i += 1 continue
find_file_dir_up
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, path=None, n=None):\n if path is None:\n path = os.getcwd()\n i = 0\n while True:\n current_path = path\n for _ in range(i):\n current_path = os.path.split(current_path)[0]\n if os.path.isfile(os.path.join(current_path, filename)):\n return os.path.join(current_path, filename)\n elif os.path.dirname(current_path) == current_path:\n return\n elif n is not None and i == n:\n return\n else:\n i += 1\n continue\n", "role": "user" }, { "content": "find_file_dir_up", "role": "assistant" } ]
def x(register, configuration_file): logging.info('Loading configuration: %s' % configuration_file) register.configuration_file = configuration_file config_dict = parse_global_config(register.configuration_file) if 'Flavor' in config_dict: flavor = config_dict.pop('Flavor').lower() if register.flavor: pass else: register.init_fe_type(flavor) elif register.flavor: pass else: raise ValueError('Flavor not specified') if 'Chip_ID' in config_dict: chip_id = config_dict.pop('Chip_ID') if register.chip_address: pass else: register.set_chip_address(chip_address=chip_id & 7, broadcast= True if chip_id & 8 else False) elif 'Chip_Address' in config_dict: chip_address = config_dict.pop('Chip_Address') if register.chip_address: pass else: register.set_chip_address(chip_address) elif register.chip_id_initialized: pass else: raise ValueError('Chip address not specified') global_registers_configured = [] pixel_registers_configured = [] for key in config_dict.keys(): value = config_dict.pop(key) if key in register.global_registers: register.set_global_register_value(key, value) global_registers_configured.append(key) elif key in register.pixel_registers: register.set_pixel_register_value(key, value) pixel_registers_configured.append(key) elif key in register.calibration_parameters: register.calibration_parameters[key] = value else: register.miscellaneous[key] = value global_registers = register.get_global_register_attributes('name', readonly=False) pixel_registers = register.pixel_registers.keys() global_registers_not_configured = set(global_registers).difference( global_registers_configured) pixel_registers_not_configured = set(pixel_registers).difference( pixel_registers_configured) if global_registers_not_configured: logging.warning('Following global register(s) not configured: {}'. format(', '.join("'" + reg + "'" for reg in global_registers_not_configured))) if pixel_registers_not_configured: logging.warning('Following pixel register(s) not configured: {}'. format(', '.join("'" + reg + "'" for reg in pixel_registers_not_configured))) if register.miscellaneous: logging.warning('Found following unknown parameter(s): {}'.format( ', '.join("'" + parameter + "'" for parameter in register. miscellaneous.iterkeys())))
load_configuration_from_text_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(register, configuration_file):\n logging.info('Loading configuration: %s' % configuration_file)\n register.configuration_file = configuration_file\n config_dict = parse_global_config(register.configuration_file)\n if 'Flavor' in config_dict:\n flavor = config_dict.pop('Flavor').lower()\n if register.flavor:\n pass\n else:\n register.init_fe_type(flavor)\n elif register.flavor:\n pass\n else:\n raise ValueError('Flavor not specified')\n if 'Chip_ID' in config_dict:\n chip_id = config_dict.pop('Chip_ID')\n if register.chip_address:\n pass\n else:\n register.set_chip_address(chip_address=chip_id & 7, broadcast=\n True if chip_id & 8 else False)\n elif 'Chip_Address' in config_dict:\n chip_address = config_dict.pop('Chip_Address')\n if register.chip_address:\n pass\n else:\n register.set_chip_address(chip_address)\n elif register.chip_id_initialized:\n pass\n else:\n raise ValueError('Chip address not specified')\n global_registers_configured = []\n pixel_registers_configured = []\n for key in config_dict.keys():\n value = config_dict.pop(key)\n if key in register.global_registers:\n register.set_global_register_value(key, value)\n global_registers_configured.append(key)\n elif key in register.pixel_registers:\n register.set_pixel_register_value(key, value)\n pixel_registers_configured.append(key)\n elif key in register.calibration_parameters:\n register.calibration_parameters[key] = value\n else:\n register.miscellaneous[key] = value\n global_registers = register.get_global_register_attributes('name',\n readonly=False)\n pixel_registers = register.pixel_registers.keys()\n global_registers_not_configured = set(global_registers).difference(\n global_registers_configured)\n pixel_registers_not_configured = set(pixel_registers).difference(\n pixel_registers_configured)\n if global_registers_not_configured:\n logging.warning('Following global register(s) not configured: {}'.\n format(', '.join(\"'\" + reg + \"'\" for reg in\n global_registers_not_configured)))\n if pixel_registers_not_configured:\n logging.warning('Following pixel register(s) not configured: {}'.\n format(', '.join(\"'\" + reg + \"'\" for reg in\n pixel_registers_not_configured)))\n if register.miscellaneous:\n logging.warning('Found following unknown parameter(s): {}'.format(\n ', '.join(\"'\" + parameter + \"'\" for parameter in register.\n miscellaneous.iterkeys())))\n", "role": "user" }, { "content": "load_configuration_from_text_file", "role": "assistant" } ]
def x(register, configuration_file, node=''): def x(): logging.info('Loading configuration: %s' % h5_file.filename) register.configuration_file = h5_file.filename if node: configuration_group = h5_file.root.configuration.node else: configuration_group = h5_file.root.configuration for row in configuration_group.miscellaneous: name = row['name'] try: value = literal_eval(row['value']) except ValueError: value = row['value'] if name == 'Flavor': if register.flavor: pass else: register.init_fe_type(value) elif name == 'Chip_ID': if register.chip_address: pass else: register.set_chip_address(chip_address=value & 7, broadcast=True if value & 8 else False) elif name == 'Chip_Address': if register.chip_address: pass else: register.set_chip_address(chip_address=value, broadcast =False) else: register.miscellaneous[name] = value if register.flavor: pass else: raise ValueError('Flavor not specified') if register.chip_id_initialized: pass else: raise ValueError('Chip address not specified') for row in configuration_group.calibration_parameters: name = row['name'] value = row['value'] register.calibration_parameters[name] = literal_eval(value) for row in configuration_group.global_register: name = row['name'] value = row['value'] register.set_global_register_value(name, literal_eval(value)) for pixel_reg in h5_file.iter_nodes(configuration_group, 'CArray'): if pixel_reg.name in register.pixel_registers: register.set_pixel_register_value(pixel_reg.name, np. asarray(pixel_reg).T) if isinstance(configuration_file, tb.file.File): h5_file = configuration_file load_conf() else: with tb.open_file(configuration_file, mode='r', title='') as h5_file: load_conf()
load_configuration_from_hdf5
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(register, configuration_file, node=''):\n\n def x():\n logging.info('Loading configuration: %s' % h5_file.filename)\n register.configuration_file = h5_file.filename\n if node:\n configuration_group = h5_file.root.configuration.node\n else:\n configuration_group = h5_file.root.configuration\n for row in configuration_group.miscellaneous:\n name = row['name']\n try:\n value = literal_eval(row['value'])\n except ValueError:\n value = row['value']\n if name == 'Flavor':\n if register.flavor:\n pass\n else:\n register.init_fe_type(value)\n elif name == 'Chip_ID':\n if register.chip_address:\n pass\n else:\n register.set_chip_address(chip_address=value & 7,\n broadcast=True if value & 8 else False)\n elif name == 'Chip_Address':\n if register.chip_address:\n pass\n else:\n register.set_chip_address(chip_address=value, broadcast\n =False)\n else:\n register.miscellaneous[name] = value\n if register.flavor:\n pass\n else:\n raise ValueError('Flavor not specified')\n if register.chip_id_initialized:\n pass\n else:\n raise ValueError('Chip address not specified')\n for row in configuration_group.calibration_parameters:\n name = row['name']\n value = row['value']\n register.calibration_parameters[name] = literal_eval(value)\n for row in configuration_group.global_register:\n name = row['name']\n value = row['value']\n register.set_global_register_value(name, literal_eval(value))\n for pixel_reg in h5_file.iter_nodes(configuration_group, 'CArray'):\n if pixel_reg.name in register.pixel_registers:\n register.set_pixel_register_value(pixel_reg.name, np.\n asarray(pixel_reg).T)\n if isinstance(configuration_file, tb.file.File):\n h5_file = configuration_file\n load_conf()\n else:\n with tb.open_file(configuration_file, mode='r', title='') as h5_file:\n load_conf()\n", "role": "user" }, { "content": "load_configuration_from_hdf5", "role": "assistant" } ]
def x(register, configuration_file): configuration_path, filename = os.path.split(configuration_file) if os.path.split(configuration_path)[1] == 'configs': configuration_path = os.path.split(configuration_path)[0] filename = os.path.splitext(filename)[0].strip() register.configuration_file = os.path.join(os.path.join( configuration_path, 'configs'), filename + '.cfg') if os.path.isfile(register.configuration_file): logging.warning('Overwriting configuration: %s', register. configuration_file) else: logging.info('Saving configuration: %s' % register.configuration_file) pixel_reg_dict = {} for path in ['tdacs', 'fdacs', 'masks', 'configs']: configuration_file_path = os.path.join(configuration_path, path) if not os.path.exists(configuration_file_path): os.makedirs(configuration_file_path) if path == 'tdacs': dac = register.get_pixel_register_objects(name='TDAC')[0] dac_config_path = os.path.join(configuration_file_path, '_'. join([dac['name'].lower(), filename]) + '.dat') write_pixel_dac_config(dac_config_path, dac['value']) pixel_reg_dict[dac['name']] = os.path.relpath(dac_config_path, os.path.dirname(register.configuration_file)) elif path == 'fdacs': dac = register.get_pixel_register_objects(name='FDAC')[0] dac_config_path = os.path.join(configuration_file_path, '_'. join([dac['name'].lower(), filename]) + '.dat') write_pixel_dac_config(dac_config_path, dac['value']) pixel_reg_dict[dac['name']] = os.path.relpath(dac_config_path, os.path.dirname(register.configuration_file)) elif path == 'masks': masks = register.get_pixel_register_objects(bitlength=1) for mask in masks: dac_config_path = os.path.join(configuration_file_path, '_' .join([mask['name'].lower(), filename]) + '.dat') write_pixel_mask_config(dac_config_path, mask['value']) pixel_reg_dict[mask['name']] = os.path.relpath(dac_config_path, os.path.dirname(register.configuration_file)) elif path == 'configs': with open(register.configuration_file, 'w') as f: lines = [] lines.append('# FEI4 Flavor\n') lines.append('%s %s\n' % ('Flavor', register.flavor)) lines.append('\n# FEI4 Chip ID\n') lines.append('%s %d\n' % ('Chip_ID', register.chip_id)) lines.append('\n# FEI4 Global Registers\n') global_regs = register.get_global_register_objects(readonly =False) for global_reg in sorted(global_regs, key=itemgetter('name')): lines.append('%s %d\n' % (global_reg['name'], global_reg['value'])) lines.append('\n# FEI4 Pixel Registers\n') for key in sorted(pixel_reg_dict): lines.append('%s %s\n' % (key, pixel_reg_dict[key])) lines.append('\n# FEI4 Calibration Parameters\n') for key in register.calibration_parameters: if register.calibration_parameters[key] is None: lines.append('%s %s\n' % (key, register. calibration_parameters[key])) elif isinstance(register.calibration_parameters[key], ( float, int, long)): lines.append('%s %s\n' % (key, round(register. calibration_parameters[key], 4))) elif isinstance(register.calibration_parameters[key], list ): lines.append('%s %s\n' % (key, [round(elem, 2) for elem in register.calibration_parameters[key]])) else: raise ValueError('type %s not supported' % type( register.calibration_parameters[key])) if register.miscellaneous: lines.append('\n# Miscellaneous\n') for key, value in register.miscellaneous.iteritems(): lines.append('%s %s\n' % (key, value)) f.writelines(lines)
save_configuration_to_text_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(register, configuration_file):\n configuration_path, filename = os.path.split(configuration_file)\n if os.path.split(configuration_path)[1] == 'configs':\n configuration_path = os.path.split(configuration_path)[0]\n filename = os.path.splitext(filename)[0].strip()\n register.configuration_file = os.path.join(os.path.join(\n configuration_path, 'configs'), filename + '.cfg')\n if os.path.isfile(register.configuration_file):\n logging.warning('Overwriting configuration: %s', register.\n configuration_file)\n else:\n logging.info('Saving configuration: %s' % register.configuration_file)\n pixel_reg_dict = {}\n for path in ['tdacs', 'fdacs', 'masks', 'configs']:\n configuration_file_path = os.path.join(configuration_path, path)\n if not os.path.exists(configuration_file_path):\n os.makedirs(configuration_file_path)\n if path == 'tdacs':\n dac = register.get_pixel_register_objects(name='TDAC')[0]\n dac_config_path = os.path.join(configuration_file_path, '_'.\n join([dac['name'].lower(), filename]) + '.dat')\n write_pixel_dac_config(dac_config_path, dac['value'])\n pixel_reg_dict[dac['name']] = os.path.relpath(dac_config_path,\n os.path.dirname(register.configuration_file))\n elif path == 'fdacs':\n dac = register.get_pixel_register_objects(name='FDAC')[0]\n dac_config_path = os.path.join(configuration_file_path, '_'.\n join([dac['name'].lower(), filename]) + '.dat')\n write_pixel_dac_config(dac_config_path, dac['value'])\n pixel_reg_dict[dac['name']] = os.path.relpath(dac_config_path,\n os.path.dirname(register.configuration_file))\n elif path == 'masks':\n masks = register.get_pixel_register_objects(bitlength=1)\n for mask in masks:\n dac_config_path = os.path.join(configuration_file_path, '_'\n .join([mask['name'].lower(), filename]) + '.dat')\n write_pixel_mask_config(dac_config_path, mask['value'])\n pixel_reg_dict[mask['name']] = os.path.relpath(dac_config_path,\n os.path.dirname(register.configuration_file))\n elif path == 'configs':\n with open(register.configuration_file, 'w') as f:\n lines = []\n lines.append('# FEI4 Flavor\\n')\n lines.append('%s %s\\n' % ('Flavor', register.flavor))\n lines.append('\\n# FEI4 Chip ID\\n')\n lines.append('%s %d\\n' % ('Chip_ID', register.chip_id))\n lines.append('\\n# FEI4 Global Registers\\n')\n global_regs = register.get_global_register_objects(readonly\n =False)\n for global_reg in sorted(global_regs, key=itemgetter('name')):\n lines.append('%s %d\\n' % (global_reg['name'],\n global_reg['value']))\n lines.append('\\n# FEI4 Pixel Registers\\n')\n for key in sorted(pixel_reg_dict):\n lines.append('%s %s\\n' % (key, pixel_reg_dict[key]))\n lines.append('\\n# FEI4 Calibration Parameters\\n')\n for key in register.calibration_parameters:\n if register.calibration_parameters[key] is None:\n lines.append('%s %s\\n' % (key, register.\n calibration_parameters[key]))\n elif isinstance(register.calibration_parameters[key], (\n float, int, long)):\n lines.append('%s %s\\n' % (key, round(register.\n calibration_parameters[key], 4)))\n elif isinstance(register.calibration_parameters[key], list\n ):\n lines.append('%s %s\\n' % (key, [round(elem, 2) for\n elem in register.calibration_parameters[key]]))\n else:\n raise ValueError('type %s not supported' % type(\n register.calibration_parameters[key]))\n if register.miscellaneous:\n lines.append('\\n# Miscellaneous\\n')\n for key, value in register.miscellaneous.iteritems():\n lines.append('%s %s\\n' % (key, value))\n f.writelines(lines)\n", "role": "user" }, { "content": "save_configuration_to_text_file", "role": "assistant" } ]
def x(register, configuration_file, name=''): def x(): logging.info('Saving configuration: %s' % h5_file.filename) register.configuration_file = h5_file.filename try: configuration_group = h5_file.create_group(h5_file.root, 'configuration') except tb.NodeError: configuration_group = h5_file.root.configuration if name: try: configuration_group = h5_file.create_group(configuration_group, name) except tb.NodeError: configuration_group = h5_file.root.configuration.name try: h5_file.remove_node(configuration_group, name= 'calibration_parameters') except tb.NodeError: pass calibration_data_table = h5_file.create_table(configuration_group, name='calibration_parameters', description=NameValue, title= 'calibration_parameters') calibration_data_row = calibration_data_table.row for key, value in register.calibration_parameters.iteritems(): calibration_data_row['name'] = key calibration_data_row['value'] = str(value) calibration_data_row.append() calibration_data_table.flush() try: h5_file.remove_node(configuration_group, name='miscellaneous') except tb.NodeError: pass miscellaneous_data_table = h5_file.create_table(configuration_group, name='miscellaneous', description=NameValue, title='miscellaneous') miscellaneous_data_row = miscellaneous_data_table.row miscellaneous_data_row['name'] = 'Flavor' miscellaneous_data_row['value'] = register.flavor miscellaneous_data_row.append() miscellaneous_data_row['name'] = 'Chip_ID' miscellaneous_data_row['value'] = register.chip_id miscellaneous_data_row.append() for key, value in register.miscellaneous.iteritems(): miscellaneous_data_row['name'] = key miscellaneous_data_row['value'] = value miscellaneous_data_row.append() miscellaneous_data_table.flush() try: h5_file.remove_node(configuration_group, name='global_register') except tb.NodeError: pass global_data_table = h5_file.create_table(configuration_group, name= 'global_register', description=NameValue, title='global_register') global_data_table_row = global_data_table.row global_regs = register.get_global_register_objects(readonly=False) for global_reg in sorted(global_regs, key=itemgetter('name')): global_data_table_row['name'] = global_reg['name'] global_data_table_row['value'] = global_reg['value'] global_data_table_row.append() global_data_table.flush() for pixel_reg in register.pixel_registers.itervalues(): try: h5_file.remove_node(configuration_group, name=pixel_reg['name'] ) except tb.NodeError: pass data = pixel_reg['value'].T atom = tb.Atom.from_dtype(data.dtype) ds = h5_file.create_carray(configuration_group, name=pixel_reg[ 'name'], atom=atom, shape=data.shape, title=pixel_reg['name']) ds[:] = data if isinstance(configuration_file, tb.file.File): h5_file = configuration_file save_conf() else: with tb.open_file(configuration_file, mode='a', title='') as h5_file: save_conf()
save_configuration_to_hdf5
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(register, configuration_file, name=''):\n\n def x():\n logging.info('Saving configuration: %s' % h5_file.filename)\n register.configuration_file = h5_file.filename\n try:\n configuration_group = h5_file.create_group(h5_file.root,\n 'configuration')\n except tb.NodeError:\n configuration_group = h5_file.root.configuration\n if name:\n try:\n configuration_group = h5_file.create_group(configuration_group,\n name)\n except tb.NodeError:\n configuration_group = h5_file.root.configuration.name\n try:\n h5_file.remove_node(configuration_group, name=\n 'calibration_parameters')\n except tb.NodeError:\n pass\n calibration_data_table = h5_file.create_table(configuration_group,\n name='calibration_parameters', description=NameValue, title=\n 'calibration_parameters')\n calibration_data_row = calibration_data_table.row\n for key, value in register.calibration_parameters.iteritems():\n calibration_data_row['name'] = key\n calibration_data_row['value'] = str(value)\n calibration_data_row.append()\n calibration_data_table.flush()\n try:\n h5_file.remove_node(configuration_group, name='miscellaneous')\n except tb.NodeError:\n pass\n miscellaneous_data_table = h5_file.create_table(configuration_group,\n name='miscellaneous', description=NameValue, title='miscellaneous')\n miscellaneous_data_row = miscellaneous_data_table.row\n miscellaneous_data_row['name'] = 'Flavor'\n miscellaneous_data_row['value'] = register.flavor\n miscellaneous_data_row.append()\n miscellaneous_data_row['name'] = 'Chip_ID'\n miscellaneous_data_row['value'] = register.chip_id\n miscellaneous_data_row.append()\n for key, value in register.miscellaneous.iteritems():\n miscellaneous_data_row['name'] = key\n miscellaneous_data_row['value'] = value\n miscellaneous_data_row.append()\n miscellaneous_data_table.flush()\n try:\n h5_file.remove_node(configuration_group, name='global_register')\n except tb.NodeError:\n pass\n global_data_table = h5_file.create_table(configuration_group, name=\n 'global_register', description=NameValue, title='global_register')\n global_data_table_row = global_data_table.row\n global_regs = register.get_global_register_objects(readonly=False)\n for global_reg in sorted(global_regs, key=itemgetter('name')):\n global_data_table_row['name'] = global_reg['name']\n global_data_table_row['value'] = global_reg['value']\n global_data_table_row.append()\n global_data_table.flush()\n for pixel_reg in register.pixel_registers.itervalues():\n try:\n h5_file.remove_node(configuration_group, name=pixel_reg['name']\n )\n except tb.NodeError:\n pass\n data = pixel_reg['value'].T\n atom = tb.Atom.from_dtype(data.dtype)\n ds = h5_file.create_carray(configuration_group, name=pixel_reg[\n 'name'], atom=atom, shape=data.shape, title=pixel_reg['name'])\n ds[:] = data\n if isinstance(configuration_file, tb.file.File):\n h5_file = configuration_file\n save_conf()\n else:\n with tb.open_file(configuration_file, mode='a', title='') as h5_file:\n save_conf()\n", "role": "user" }, { "content": "save_configuration_to_hdf5", "role": "assistant" } ]
def x(self, configuration_file): if os.path.isfile(configuration_file): if not isinstance(configuration_file, tb.file.File ) and os.path.splitext(configuration_file)[1].strip().lower( ) != '.h5': load_configuration_from_text_file(self, configuration_file) else: load_configuration_from_hdf5(self, configuration_file) else: raise ValueError('Cannot find configuration file specified: %s' % configuration_file)
load_configuration
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, configuration_file):\n if os.path.isfile(configuration_file):\n if not isinstance(configuration_file, tb.file.File\n ) and os.path.splitext(configuration_file)[1].strip().lower(\n ) != '.h5':\n load_configuration_from_text_file(self, configuration_file)\n else:\n load_configuration_from_hdf5(self, configuration_file)\n else:\n raise ValueError('Cannot find configuration file specified: %s' %\n configuration_file)\n", "role": "user" }, { "content": "load_configuration", "role": "assistant" } ]
def x(self, configuration_file): if not isinstance(configuration_file, tb.file.File) and os.path.splitext( configuration_file)[1].strip().lower() != '.h5': return save_configuration_to_text_file(self, configuration_file) else: return save_configuration_to_hdf5(self, configuration_file)
save_configuration
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, configuration_file):\n if not isinstance(configuration_file, tb.file.File) and os.path.splitext(\n configuration_file)[1].strip().lower() != '.h5':\n return save_configuration_to_text_file(self, configuration_file)\n else:\n return save_configuration_to_hdf5(self, configuration_file)\n", "role": "user" }, { "content": "save_configuration", "role": "assistant" } ]
def x(self, command_name, **kwargs): command_bitvector = bitarray(0, endian='little') if command_name not in self.commands: raise ValueError('Unknown command %s' % command_name) command_object = self.commands[command_name] command_parts = re.split('\\s*[+]\\s*', command_object['bitstream']) for part in command_parts: try: command_part_object = self.commands[part] except KeyError: command_part_object = None if command_part_object and 'bitstream' in command_part_object: if string_is_binary(command_part_object['bitstream']): command_bitvector += bitarray(command_part_object[ 'bitstream'], endian='little') else: command_bitvector += self.build_command(part, **kwargs) elif command_part_object: if part in kwargs: value = kwargs[part] else: raise ValueError('Value of command part %s not given' % part) try: command_bitvector += value except TypeError: if string_is_binary(value): value = int(value, 2) try: command_bitvector += bitarray_from_value(value=int( value), size=command_part_object['bitlength'], fmt='I') except Exception: raise TypeError('Type of value not supported') elif string_is_binary(part): command_bitvector += bitarray(part, endian='little') else: raise ValueError('Cannot process command part %s' % part) if command_bitvector.length() != command_object['bitlength']: raise ValueError('Command has unexpected length') if command_bitvector.length() == 0: raise ValueError('Command has length 0') return command_bitvector
build_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command_name, **kwargs):\n command_bitvector = bitarray(0, endian='little')\n if command_name not in self.commands:\n raise ValueError('Unknown command %s' % command_name)\n command_object = self.commands[command_name]\n command_parts = re.split('\\\\s*[+]\\\\s*', command_object['bitstream'])\n for part in command_parts:\n try:\n command_part_object = self.commands[part]\n except KeyError:\n command_part_object = None\n if command_part_object and 'bitstream' in command_part_object:\n if string_is_binary(command_part_object['bitstream']):\n command_bitvector += bitarray(command_part_object[\n 'bitstream'], endian='little')\n else:\n command_bitvector += self.build_command(part, **kwargs)\n elif command_part_object:\n if part in kwargs:\n value = kwargs[part]\n else:\n raise ValueError('Value of command part %s not given' % part)\n try:\n command_bitvector += value\n except TypeError:\n if string_is_binary(value):\n value = int(value, 2)\n try:\n command_bitvector += bitarray_from_value(value=int(\n value), size=command_part_object['bitlength'], fmt='I')\n except Exception:\n raise TypeError('Type of value not supported')\n elif string_is_binary(part):\n command_bitvector += bitarray(part, endian='little')\n else:\n raise ValueError('Cannot process command part %s' % part)\n if command_bitvector.length() != command_object['bitlength']:\n raise ValueError('Command has unexpected length')\n if command_bitvector.length() == 0:\n raise ValueError('Command has length 0')\n return command_bitvector\n", "role": "user" }, { "content": "build_command", "role": "assistant" } ]
def x(self, register_attribute, do_sort=True, **kwargs): try: names = iterable(kwargs.pop('name')) except KeyError: register_attribute_list = [] else: register_attribute_list = [self.global_registers[reg][ register_attribute] for reg in names] for keyword in kwargs.keys(): allowed_values = iterable(kwargs[keyword]) try: register_attribute_list.extend(map(itemgetter( register_attribute), filter(lambda global_register: set( iterable(global_register[keyword])).intersection( allowed_values), self.global_registers.itervalues()))) except AttributeError: pass if not register_attribute_list and filter(None, kwargs.itervalues()): raise ValueError('Global register attribute %s empty' % register_attribute) if do_sort: return sorted(set(flatten_iterable(register_attribute_list))) else: return flatten_iterable(register_attribute_list)
get_global_register_attributes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, register_attribute, do_sort=True, **kwargs):\n try:\n names = iterable(kwargs.pop('name'))\n except KeyError:\n register_attribute_list = []\n else:\n register_attribute_list = [self.global_registers[reg][\n register_attribute] for reg in names]\n for keyword in kwargs.keys():\n allowed_values = iterable(kwargs[keyword])\n try:\n register_attribute_list.extend(map(itemgetter(\n register_attribute), filter(lambda global_register: set(\n iterable(global_register[keyword])).intersection(\n allowed_values), self.global_registers.itervalues())))\n except AttributeError:\n pass\n if not register_attribute_list and filter(None, kwargs.itervalues()):\n raise ValueError('Global register attribute %s empty' %\n register_attribute)\n if do_sort:\n return sorted(set(flatten_iterable(register_attribute_list)))\n else:\n return flatten_iterable(register_attribute_list)\n", "role": "user" }, { "content": "get_global_register_attributes", "role": "assistant" } ]
def x(self, do_sort=None, reverse=False, **kwargs): try: names = iterable(kwargs.pop('name')) except KeyError: register_objects = [] else: register_objects = [self.global_registers[reg] for reg in names] for keyword in kwargs.iterkeys(): allowed_values = iterable(kwargs[keyword]) register_objects.extend(filter(lambda global_register: set(iterable (global_register[keyword])).intersection(allowed_values), self. global_registers.itervalues())) if not register_objects and filter(None, kwargs.itervalues()): raise ValueError('Global register objects empty') if do_sort: return sorted(register_objects, key=itemgetter(*do_sort), reverse= reverse) else: return register_objects
get_global_register_objects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, do_sort=None, reverse=False, **kwargs):\n try:\n names = iterable(kwargs.pop('name'))\n except KeyError:\n register_objects = []\n else:\n register_objects = [self.global_registers[reg] for reg in names]\n for keyword in kwargs.iterkeys():\n allowed_values = iterable(kwargs[keyword])\n register_objects.extend(filter(lambda global_register: set(iterable\n (global_register[keyword])).intersection(allowed_values), self.\n global_registers.itervalues()))\n if not register_objects and filter(None, kwargs.itervalues()):\n raise ValueError('Global register objects empty')\n if do_sort:\n return sorted(register_objects, key=itemgetter(*do_sort), reverse=\n reverse)\n else:\n return register_objects\n", "role": "user" }, { "content": "get_global_register_objects", "role": "assistant" } ]
def x(self, register_addresses): register_bitsets = [] for register_address in register_addresses: register_objects = self.get_global_register_objects(addresses= register_address) register_bitset = bitarray(16, endian='little') register_bitset.setall(0) register_littleendian = False for register_object in register_objects: if register_object['register_littleendian']: register_littleendian = True if 16 * register_object['address'] + register_object['offset' ] < 16 * (register_address + 1) and 16 * register_object[ 'address'] + register_object['offset'] + register_object[ 'bitlength'] > 16 * register_address: reg = bitarray_from_value(value=register_object['value'], size=register_object['bitlength']) if register_object['littleendian']: reg.reverse() register_bitset[max(0, 16 - 16 * (register_object['address' ] - register_address) - register_object['offset'] - register_object['bitlength']):min(16, 16 - 16 * ( register_object['address'] - register_address) - register_object['offset'])] |= reg[max(0, register_object['bitlength'] - 16 - 16 * ( register_address - register_object['address']) + register_object['offset']):min(register_object[ 'bitlength'], register_object['bitlength'] + 16 - 16 * (register_address - register_object['address'] + 1) + register_object['offset'])] else: raise Exception('wrong register object') if register_littleendian: register_bitset.reverse() register_bitsets.append(register_bitset) return register_bitsets
get_global_register_bitsets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, register_addresses):\n register_bitsets = []\n for register_address in register_addresses:\n register_objects = self.get_global_register_objects(addresses=\n register_address)\n register_bitset = bitarray(16, endian='little')\n register_bitset.setall(0)\n register_littleendian = False\n for register_object in register_objects:\n if register_object['register_littleendian']:\n register_littleendian = True\n if 16 * register_object['address'] + register_object['offset'\n ] < 16 * (register_address + 1) and 16 * register_object[\n 'address'] + register_object['offset'] + register_object[\n 'bitlength'] > 16 * register_address:\n reg = bitarray_from_value(value=register_object['value'],\n size=register_object['bitlength'])\n if register_object['littleendian']:\n reg.reverse()\n register_bitset[max(0, 16 - 16 * (register_object['address'\n ] - register_address) - register_object['offset'] -\n register_object['bitlength']):min(16, 16 - 16 * (\n register_object['address'] - register_address) -\n register_object['offset'])] |= reg[max(0, \n register_object['bitlength'] - 16 - 16 * (\n register_address - register_object['address']) +\n register_object['offset']):min(register_object[\n 'bitlength'], register_object['bitlength'] + 16 - 16 *\n (register_address - register_object['address'] + 1) +\n register_object['offset'])]\n else:\n raise Exception('wrong register object')\n if register_littleendian:\n register_bitset.reverse()\n register_bitsets.append(register_bitset)\n return register_bitsets\n", "role": "user" }, { "content": "get_global_register_bitsets", "role": "assistant" } ]
def x(self, do_sort=None, reverse=False, **kwargs): try: names = iterable(kwargs.pop('name')) except KeyError: register_objects = [] else: register_objects = [self.pixel_registers[reg] for reg in names] for keyword in kwargs.iterkeys(): allowed_values = iterable(kwargs[keyword]) register_objects.extend(filter(lambda pixel_register: pixel_register[keyword] in allowed_values, self.pixel_registers .itervalues())) if not register_objects and filter(None, kwargs.itervalues()): raise ValueError('Pixel register objects empty') if do_sort: return sorted(register_objects, key=itemgetter(*do_sort), reverse= reverse) else: return register_objects
get_pixel_register_objects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, do_sort=None, reverse=False, **kwargs):\n try:\n names = iterable(kwargs.pop('name'))\n except KeyError:\n register_objects = []\n else:\n register_objects = [self.pixel_registers[reg] for reg in names]\n for keyword in kwargs.iterkeys():\n allowed_values = iterable(kwargs[keyword])\n register_objects.extend(filter(lambda pixel_register: \n pixel_register[keyword] in allowed_values, self.pixel_registers\n .itervalues()))\n if not register_objects and filter(None, kwargs.itervalues()):\n raise ValueError('Pixel register objects empty')\n if do_sort:\n return sorted(register_objects, key=itemgetter(*do_sort), reverse=\n reverse)\n else:\n return register_objects\n", "role": "user" }, { "content": "get_pixel_register_objects", "role": "assistant" } ]
def x(self, register_object, bit_no, dc_no): if not 0 <= dc_no < 40: raise ValueError('Pixel register %s: DC out of range' % register_object['name']) if not 0 <= bit_no < register_object['bitlength']: raise ValueError('Pixel register %s: bit number out of range' % register_object['name']) col0 = register_object['value'][dc_no * 2, :] sel0 = 2 ** bit_no == col0 & 2 ** bit_no bv0 = bitarray(sel0.tolist(), endian='little') col1 = register_object['value'][dc_no * 2 + 1, :] sel1 = 2 ** bit_no == col1 & 2 ** bit_no bv1 = bitarray(sel1.tolist(), endian='little') bv1.reverse() return bv1 + bv0
get_pixel_register_bitset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, register_object, bit_no, dc_no):\n if not 0 <= dc_no < 40:\n raise ValueError('Pixel register %s: DC out of range' %\n register_object['name'])\n if not 0 <= bit_no < register_object['bitlength']:\n raise ValueError('Pixel register %s: bit number out of range' %\n register_object['name'])\n col0 = register_object['value'][dc_no * 2, :]\n sel0 = 2 ** bit_no == col0 & 2 ** bit_no\n bv0 = bitarray(sel0.tolist(), endian='little')\n col1 = register_object['value'][dc_no * 2 + 1, :]\n sel1 = 2 ** bit_no == col1 & 2 ** bit_no\n bv1 = bitarray(sel1.tolist(), endian='little')\n bv1.reverse()\n return bv1 + bv0\n", "role": "user" }, { "content": "get_pixel_register_bitset", "role": "assistant" } ]
def x(self, name=None): if name is None: for i in iter(int, 1): name = datetime.datetime.utcnow().strftime('%Y%m%d%H%M%S%f' ) + '_' + str(i) try: self.config_state[name] except KeyError: break else: pass if name in self.config_state: raise ValueError('Restore point %s already exists' % name) self.config_state[name] = copy.deepcopy(self.global_registers ), copy.deepcopy(self.pixel_registers) return name
create_restore_point
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name=None):\n if name is None:\n for i in iter(int, 1):\n name = datetime.datetime.utcnow().strftime('%Y%m%d%H%M%S%f'\n ) + '_' + str(i)\n try:\n self.config_state[name]\n except KeyError:\n break\n else:\n pass\n if name in self.config_state:\n raise ValueError('Restore point %s already exists' % name)\n self.config_state[name] = copy.deepcopy(self.global_registers\n ), copy.deepcopy(self.pixel_registers)\n return name\n", "role": "user" }, { "content": "create_restore_point", "role": "assistant" } ]
def x(self, name=None, keep=False, last=True, global_register=True, pixel_register=True): if name is None: if keep: name = next(reversed(self.config_state)) if last else next(iter (self.config_state)) value = self.config_state[name] else: name, value = self.config_state.popitem(last=last) else: value = self.config_state[name] if not keep: value = copy.deepcopy(value) del self.config_state[name] if global_register: self.global_registers = copy.deepcopy(value[0]) if pixel_register: self.pixel_registers = copy.deepcopy(value[1])
restore
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name=None, keep=False, last=True, global_register=True,\n pixel_register=True):\n if name is None:\n if keep:\n name = next(reversed(self.config_state)) if last else next(iter\n (self.config_state))\n value = self.config_state[name]\n else:\n name, value = self.config_state.popitem(last=last)\n else:\n value = self.config_state[name]\n if not keep:\n value = copy.deepcopy(value)\n del self.config_state[name]\n if global_register:\n self.global_registers = copy.deepcopy(value[0])\n if pixel_register:\n self.pixel_registers = copy.deepcopy(value[1])\n", "role": "user" }, { "content": "restore", "role": "assistant" } ]
def x(self, name=None): if name is None: self.config_state.clear() else: del self.config_state[name]
clear_restore_points
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name=None):\n if name is None:\n self.config_state.clear()\n else:\n del self.config_state[name]\n", "role": "user" }, { "content": "clear_restore_points", "role": "assistant" } ]
def x(h5_file, configuation_name, configuration, **kwargs): def x(): try: h5_file.remove_node(h5_file.root.configuration, name= configuation_name) except tb.NodeError: pass try: configuration_group = h5_file.create_group(h5_file.root, 'configuration') except tb.NodeError: configuration_group = h5_file.root.configuration scan_param_table = h5_file.create_table(configuration_group, name= configuation_name, description=NameValue, title=configuation_name) row_scan_param = scan_param_table.row for key, value in dict.iteritems(configuration): row_scan_param['name'] = key row_scan_param['value'] = str(value) row_scan_param.append() scan_param_table.flush() if isinstance(h5_file, tb.file.File): save_conf() else: if os.path.splitext(h5_file)[1].strip().lower() != '.h5': h5_file = os.path.splitext(h5_file)[0] + '.h5' with tb.open_file(h5_file, mode='a', title='', **kwargs) as h5_file: save_conf()
save_configuration_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(h5_file, configuation_name, configuration, **kwargs):\n\n def x():\n try:\n h5_file.remove_node(h5_file.root.configuration, name=\n configuation_name)\n except tb.NodeError:\n pass\n try:\n configuration_group = h5_file.create_group(h5_file.root,\n 'configuration')\n except tb.NodeError:\n configuration_group = h5_file.root.configuration\n scan_param_table = h5_file.create_table(configuration_group, name=\n configuation_name, description=NameValue, title=configuation_name)\n row_scan_param = scan_param_table.row\n for key, value in dict.iteritems(configuration):\n row_scan_param['name'] = key\n row_scan_param['value'] = str(value)\n row_scan_param.append()\n scan_param_table.flush()\n if isinstance(h5_file, tb.file.File):\n save_conf()\n else:\n if os.path.splitext(h5_file)[1].strip().lower() != '.h5':\n h5_file = os.path.splitext(h5_file)[0] + '.h5'\n with tb.open_file(h5_file, mode='a', title='', **kwargs) as h5_file:\n save_conf()\n", "role": "user" }, { "content": "save_configuration_dict", "role": "assistant" } ]
def x(array, filter_func=None, converter_func=None): if filter_func: array = array[filter_func(array)] if converter_func: array = converter_func(array) return array
convert_data_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(array, filter_func=None, converter_func=None):\n if filter_func:\n array = array[filter_func(array)]\n if converter_func:\n array = converter_func(array)\n return array\n", "role": "user" }, { "content": "convert_data_array", "role": "assistant" } ]
def x(data_iterable, filter_func=None, converter_func=None): data_list = [] for item in data_iterable: data_list.append((convert_data_array(item[0], filter_func= filter_func, converter_func=converter_func), item[1], item[2], item[3])) return data_list
convert_data_iterable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_iterable, filter_func=None, converter_func=None):\n data_list = []\n for item in data_iterable:\n data_list.append((convert_data_array(item[0], filter_func=\n filter_func, converter_func=converter_func), item[1], item[2],\n item[3]))\n return data_list\n", "role": "user" }, { "content": "convert_data_iterable", "role": "assistant" } ]
def x(data_iterable): try: data_array = np.concatenate([item[0] for item in data_iterable]) except ValueError: data_array = np.empty(0, dtype=np.uint32) return data_array
data_array_from_data_iterable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_iterable):\n try:\n data_array = np.concatenate([item[0] for item in data_iterable])\n except ValueError:\n data_array = np.empty(0, dtype=np.uint32)\n return data_array\n", "role": "user" }, { "content": "data_array_from_data_iterable", "role": "assistant" } ]
def x(channel): def x(value): filter_func = logical_and(is_tdc_word, is_tdc_from_channel(channel)) select = filter_func(value) value[select] = np.bitwise_and(value[select], 268435455) value[select] = np.bitwise_or(value[select], 1073741824) f.__name__ = 'convert_tdc_to_channel_' + str(channel) return value return f
convert_tdc_to_channel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(channel):\n\n def x(value):\n filter_func = logical_and(is_tdc_word, is_tdc_from_channel(channel))\n select = filter_func(value)\n value[select] = np.bitwise_and(value[select], 268435455)\n value[select] = np.bitwise_or(value[select], 1073741824)\n f.__name__ = 'convert_tdc_to_channel_' + str(channel)\n return value\n return f\n", "role": "user" }, { "content": "convert_tdc_to_channel", "role": "assistant" } ]
def x(channel=4): if channel >= 0 and channel < 16: def x(value): return np.equal(np.right_shift(np.bitwise_and(value, 251658240), 24), channel) f.__name__ = 'is_data_from_channel_' + str(channel) return f else: raise ValueError('Invalid channel number')
is_data_from_channel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(channel=4):\n if channel >= 0 and channel < 16:\n\n def x(value):\n return np.equal(np.right_shift(np.bitwise_and(value, 251658240),\n 24), channel)\n f.__name__ = 'is_data_from_channel_' + str(channel)\n return f\n else:\n raise ValueError('Invalid channel number')\n", "role": "user" }, { "content": "is_data_from_channel", "role": "assistant" } ]
def x(f1, f2): def x(value): return np.logical_and(f1(value), f2(value)) f.__name__ = '(' + f1.__name__ + '_and_' + f2.__name__ + ')' return f
logical_and
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f1, f2):\n\n def x(value):\n return np.logical_and(f1(value), f2(value))\n f.__name__ = '(' + f1.__name__ + '_and_' + f2.__name__ + ')'\n return f\n", "role": "user" }, { "content": "logical_and", "role": "assistant" } ]
def x(f1, f2): def x(value): return np.logical_or(f1(value), f2(value)) f.__name__ = '(' + f1.__name__ + '_or_' + f2.__name__ + ')' return f
logical_or
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f1, f2):\n\n def x(value):\n return np.logical_or(f1(value), f2(value))\n f.__name__ = '(' + f1.__name__ + '_or_' + f2.__name__ + ')'\n return f\n", "role": "user" }, { "content": "logical_or", "role": "assistant" } ]
def x(f): def x(value): return np.logical_not(f(value)) f.__name__ = 'not_' + f.__name__ return f
logical_not
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n\n def x(value):\n return np.logical_not(f(value))\n f.__name__ = 'not_' + f.__name__\n return f\n", "role": "user" }, { "content": "logical_not", "role": "assistant" } ]
def x(f1, f2): def x(value): return np.logical_xor(f1(value), f2(value)) f.__name__ = '(' + f1.__name__ + '_xor_' + f2.__name__ + ')' return f
logical_xor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f1, f2):\n\n def x(value):\n return np.logical_xor(f1(value), f2(value))\n f.__name__ = '(' + f1.__name__ + '_xor_' + f2.__name__ + ')'\n return f\n", "role": "user" }, { "content": "logical_xor", "role": "assistant" } ]
def x(value, mode=0): if mode == 2: return np.right_shift(np.bitwise_and(value, 2147418112), 16 ), np.bitwise_and(value, 65535) else: return np.bitwise_and(value, 2147483647)
get_trigger_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, mode=0):\n if mode == 2:\n return np.right_shift(np.bitwise_and(value, 2147418112), 16\n ), np.bitwise_and(value, 65535)\n else:\n return np.bitwise_and(value, 2147483647)\n", "role": "user" }, { "content": "get_trigger_data", "role": "assistant" } ]
def x(array): def x(value): return np.right_shift(np.bitwise_and(value, 16646144), 17 ), np.right_shift(np.bitwise_and(value, 130816), 8 ), np.right_shift(np.bitwise_and(value, 240), 4) def x(value): return np.right_shift(np.bitwise_and(value, 16646144), 17), np.add(np .right_shift(np.bitwise_and(value, 130816), 8), 1), np.bitwise_and( value, 15) col_row_tot_1_array = np.column_stack( get_col_row_tot_1_array_from_data_record_array(array)) col_row_tot_2_array = np.column_stack( get_col_row_tot_2_array_from_data_record_array(array)) col_row_tot_array = np.vstack((col_row_tot_1_array.T, col_row_tot_2_array.T)).reshape((3, -1), order='F').T try: col_row_tot_array_filtered = col_row_tot_array[col_row_tot_array[:, 2] < 14] except IndexError: return np.array([], dtype=np.dtype('>u4')), np.array([], dtype=np. dtype('>u4')), np.array([], dtype=np.dtype('>u4')) return col_row_tot_array_filtered[:, 0], col_row_tot_array_filtered[:, 1 ], col_row_tot_array_filtered[:, 2]
get_col_row_tot_array_from_data_record_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(array):\n\n def x(value):\n return np.right_shift(np.bitwise_and(value, 16646144), 17\n ), np.right_shift(np.bitwise_and(value, 130816), 8\n ), np.right_shift(np.bitwise_and(value, 240), 4)\n\n def x(value):\n return np.right_shift(np.bitwise_and(value, 16646144), 17), np.add(np\n .right_shift(np.bitwise_and(value, 130816), 8), 1), np.bitwise_and(\n value, 15)\n col_row_tot_1_array = np.column_stack(\n get_col_row_tot_1_array_from_data_record_array(array))\n col_row_tot_2_array = np.column_stack(\n get_col_row_tot_2_array_from_data_record_array(array))\n col_row_tot_array = np.vstack((col_row_tot_1_array.T,\n col_row_tot_2_array.T)).reshape((3, -1), order='F').T\n try:\n col_row_tot_array_filtered = col_row_tot_array[col_row_tot_array[:,\n 2] < 14]\n except IndexError:\n return np.array([], dtype=np.dtype('>u4')), np.array([], dtype=np.\n dtype('>u4')), np.array([], dtype=np.dtype('>u4'))\n return col_row_tot_array_filtered[:, 0], col_row_tot_array_filtered[:, 1\n ], col_row_tot_array_filtered[:, 2]\n", "role": "user" }, { "content": "get_col_row_tot_array_from_data_record_array", "role": "assistant" } ]
def x(data, dc, pixel_array, invert=True): index_value = np.where(is_address_record(data))[0] + 1 index_value = index_value[is_value_record(data[index_value])] index_address = index_value - 1 address = get_address_record_address(data[index_address]) value = get_value_record(data[index_address + 1]) address_split = np.array_split(address, np.where(np.diff(address.astype (np.int32)) < 0)[0] + 1) value_split = np.array_split(value, np.where(np.diff(address.astype(np. int32)) < 0)[0] + 1) if len(address_split) > 5: pixel_array.mask[dc * 2, :] = True pixel_array.mask[dc * 2 + 1, :] = True logging.warning('Invalid pixel data for DC %d', dc) return mask = np.empty_like(pixel_array.data) mask[:] = len(address_split) for bit, (bit_address, bit_value) in enumerate(zip(address_split, value_split)): if len(bit_address) == 0: logging.warning('No pixel data for DC %d', dc) continue if len(bit_address) != 42: logging.warning('Some pixel data missing for DC %d', dc) if np.any(bit_address > 672): RuntimeError('Pixel data corrupt for DC %d', dc) pixel = [] for i in bit_address: pixel.extend(range(i - 15, i + 1)) pixel = np.array(pixel) value_new = bit_value.view(np.uint8) if invert: value_new = np.invert(value_new) value_new = np.insert(value_new[::4], np.arange(len(value_new[1::4] )), value_new[1::4]) value_bit = np.unpackbits(value_new, axis=0) if len(address_split) == 5: bit_set = len(address_split) - bit - 1 else: bit_set = bit pixel_array.data[dc * 2, pixel[pixel >= 336] - 336] = np.bitwise_or( pixel_array.data[dc * 2, pixel[pixel >= 336] - 336], np. left_shift(value_bit[pixel >= 336], bit_set)) pixel_array.data[dc * 2 + 1, pixel[pixel < 336]] = np.bitwise_or( pixel_array.data[dc * 2 + 1, pixel[pixel < 336]], np.left_shift (value_bit[pixel < 336], bit_set)[::-1]) mask[dc * 2, pixel[pixel >= 336] - 336] = mask[dc * 2, pixel[pixel >= 336] - 336] - 1 mask[dc * 2 + 1, pixel[pixel < 336]] = mask[dc * 2 + 1, pixel[pixel < 336]] - 1 pixel_array.mask[np.equal(mask, 0)] = False
interpret_pixel_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, dc, pixel_array, invert=True):\n index_value = np.where(is_address_record(data))[0] + 1\n index_value = index_value[is_value_record(data[index_value])]\n index_address = index_value - 1\n address = get_address_record_address(data[index_address])\n value = get_value_record(data[index_address + 1])\n address_split = np.array_split(address, np.where(np.diff(address.astype\n (np.int32)) < 0)[0] + 1)\n value_split = np.array_split(value, np.where(np.diff(address.astype(np.\n int32)) < 0)[0] + 1)\n if len(address_split) > 5:\n pixel_array.mask[dc * 2, :] = True\n pixel_array.mask[dc * 2 + 1, :] = True\n logging.warning('Invalid pixel data for DC %d', dc)\n return\n mask = np.empty_like(pixel_array.data)\n mask[:] = len(address_split)\n for bit, (bit_address, bit_value) in enumerate(zip(address_split,\n value_split)):\n if len(bit_address) == 0:\n logging.warning('No pixel data for DC %d', dc)\n continue\n if len(bit_address) != 42:\n logging.warning('Some pixel data missing for DC %d', dc)\n if np.any(bit_address > 672):\n RuntimeError('Pixel data corrupt for DC %d', dc)\n pixel = []\n for i in bit_address:\n pixel.extend(range(i - 15, i + 1))\n pixel = np.array(pixel)\n value_new = bit_value.view(np.uint8)\n if invert:\n value_new = np.invert(value_new)\n value_new = np.insert(value_new[::4], np.arange(len(value_new[1::4]\n )), value_new[1::4])\n value_bit = np.unpackbits(value_new, axis=0)\n if len(address_split) == 5:\n bit_set = len(address_split) - bit - 1\n else:\n bit_set = bit\n pixel_array.data[dc * 2, pixel[pixel >= 336] - 336] = np.bitwise_or(\n pixel_array.data[dc * 2, pixel[pixel >= 336] - 336], np.\n left_shift(value_bit[pixel >= 336], bit_set))\n pixel_array.data[dc * 2 + 1, pixel[pixel < 336]] = np.bitwise_or(\n pixel_array.data[dc * 2 + 1, pixel[pixel < 336]], np.left_shift\n (value_bit[pixel < 336], bit_set)[::-1])\n mask[dc * 2, pixel[pixel >= 336] - 336] = mask[dc * 2, pixel[pixel >=\n 336] - 336] - 1\n mask[dc * 2 + 1, pixel[pixel < 336]] = mask[dc * 2 + 1, pixel[pixel <\n 336]] - 1\n pixel_array.mask[np.equal(mask, 0)] = False\n", "role": "user" }, { "content": "interpret_pixel_data", "role": "assistant" } ]
def x(self): if self.is_open(self.out_file_h5): self.out_file_h5.close() self.out_file_h5 = None self._setup_clusterizer() self.chunk_size = 3000000 self.n_injections = None self.trig_count = 0 self.max_tot_value = 13 self.vcal_c0, self.vcal_c1 = None, None self.c_low, self.c_mid, self.c_high = None, None, None self.c_low_mask, self.c_high_mask = None, None self._filter_table = tb.Filters(complib='blosc', complevel=5, fletcher32=False) warnings.simplefilter('ignore', OptimizeWarning) self.meta_event_index = None self.fei4b = False self.create_hit_table = False self.create_empty_event_hits = False self.create_meta_event_index = True self.create_tot_hist = True self.create_mean_tot_hist = False self.create_tot_pixel_hist = True self.create_rel_bcid_hist = True self.correct_corrupted_data = False self.create_error_hist = True self.create_service_record_hist = True self.create_occupancy_hist = True self.create_meta_word_index = False self.create_source_scan_hist = False self.create_tdc_hist = False self.create_tdc_counter_hist = False self.create_tdc_pixel_hist = False self.create_trigger_error_hist = False self.create_threshold_hists = False self.create_threshold_mask = True self.create_fitted_threshold_mask = True self.create_fitted_threshold_hists = False self.create_cluster_hit_table = False self.create_cluster_table = False self.create_cluster_size_hist = False self.create_cluster_tot_hist = False self.align_at_trigger = False self.align_at_tdc = False self.trigger_data_format = 0 self.use_tdc_trigger_time_stamp = False self.max_tdc_delay = 255 self.max_trigger_number = 2 ** 16 - 1 self.set_stop_mode = False
set_standard_settings
[ { "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.is_open(self.out_file_h5):\n self.out_file_h5.close()\n self.out_file_h5 = None\n self._setup_clusterizer()\n self.chunk_size = 3000000\n self.n_injections = None\n self.trig_count = 0\n self.max_tot_value = 13\n self.vcal_c0, self.vcal_c1 = None, None\n self.c_low, self.c_mid, self.c_high = None, None, None\n self.c_low_mask, self.c_high_mask = None, None\n self._filter_table = tb.Filters(complib='blosc', complevel=5,\n fletcher32=False)\n warnings.simplefilter('ignore', OptimizeWarning)\n self.meta_event_index = None\n self.fei4b = False\n self.create_hit_table = False\n self.create_empty_event_hits = False\n self.create_meta_event_index = True\n self.create_tot_hist = True\n self.create_mean_tot_hist = False\n self.create_tot_pixel_hist = True\n self.create_rel_bcid_hist = True\n self.correct_corrupted_data = False\n self.create_error_hist = True\n self.create_service_record_hist = True\n self.create_occupancy_hist = True\n self.create_meta_word_index = False\n self.create_source_scan_hist = False\n self.create_tdc_hist = False\n self.create_tdc_counter_hist = False\n self.create_tdc_pixel_hist = False\n self.create_trigger_error_hist = False\n self.create_threshold_hists = False\n self.create_threshold_mask = True\n self.create_fitted_threshold_mask = True\n self.create_fitted_threshold_hists = False\n self.create_cluster_hit_table = False\n self.create_cluster_table = False\n self.create_cluster_size_hist = False\n self.create_cluster_tot_hist = False\n self.align_at_trigger = False\n self.align_at_tdc = False\n self.trigger_data_format = 0\n self.use_tdc_trigger_time_stamp = False\n self.max_tdc_delay = 255\n self.max_trigger_number = 2 ** 16 - 1\n self.set_stop_mode = False\n", "role": "user" }, { "content": "set_standard_settings", "role": "assistant" } ]
def x(self, value): self._trig_count = 16 if value == 0 else value self.interpreter.set_trig_count(self._trig_count)
trig_count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self._trig_count = 16 if value == 0 else value\n self.interpreter.set_trig_count(self._trig_count)\n", "role": "user" }, { "content": "trig_count", "role": "assistant" } ]
def x(self, value): self._max_tot_value = value self.interpreter.set_max_tot(self._max_tot_value) self.histogram.set_max_tot(self._max_tot_value) self.clusterizer.set_max_hit_charge(self._max_tot_value)
max_tot_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self._max_tot_value = value\n self.interpreter.set_max_tot(self._max_tot_value)\n self.histogram.set_max_tot(self._max_tot_value)\n self.clusterizer.set_max_hit_charge(self._max_tot_value)\n", "role": "user" }, { "content": "max_tot_value", "role": "assistant" } ]
def x(self, opened_raw_data_file): try: flavor = opened_raw_data_file.root.configuration.miscellaneous[:][np .where(opened_raw_data_file.root.configuration.miscellaneous[:] ['name'] == 'Flavor')]['value'][0] self._settings_from_file_set = True if 'trig_count' in opened_raw_data_file.root.configuration.run_conf[:][ 'name']: trig_count = opened_raw_data_file.root.configuration.run_conf[:][np .where(opened_raw_data_file.root.configuration.run_conf[:][ 'name'] == 'trig_count')]['value'][0] else: trig_count = (opened_raw_data_file.root.configuration. global_register[:][np.where(opened_raw_data_file.root. configuration.global_register[:]['name'] == 'Trig_Count')][ 'value'][0]) vcal_c0 = (opened_raw_data_file.root.configuration. calibration_parameters[:][np.where(opened_raw_data_file.root. configuration.calibration_parameters[:]['name'] == 'Vcal_Coeff_0')]['value'][0]) vcal_c1 = (opened_raw_data_file.root.configuration. calibration_parameters[:][np.where(opened_raw_data_file.root. configuration.calibration_parameters[:]['name'] == 'Vcal_Coeff_1')]['value'][0]) c_low = opened_raw_data_file.root.configuration.calibration_parameters[ :][np.where(opened_raw_data_file.root.configuration. calibration_parameters[:]['name'] == 'C_Inj_Low')]['value'][0] c_mid = opened_raw_data_file.root.configuration.calibration_parameters[ :][np.where(opened_raw_data_file.root.configuration. calibration_parameters[:]['name'] == 'C_Inj_Med')]['value'][0] c_high = (opened_raw_data_file.root.configuration. calibration_parameters[:][np.where(opened_raw_data_file.root. configuration.calibration_parameters[:]['name'] == 'C_Inj_High' )]['value'][0]) self.c_low_mask = opened_raw_data_file.root.configuration.C_Low[:] self.c_high_mask = opened_raw_data_file.root.configuration.C_High[:] self.fei4b = False if str(flavor) == 'fei4a' else True self.trig_count = int(trig_count) self.vcal_c0 = float(vcal_c0) self.vcal_c1 = float(vcal_c1) self.c_low = float(c_low) self.c_mid = float(c_mid) self.c_high = float(c_high) self.n_injections = int(opened_raw_data_file.root.configuration. run_conf[:][np.where(opened_raw_data_file.root.configuration. run_conf[:]['name'] == 'n_injections')]['value'][0]) except tb.exceptions.NoSuchNodeError: if not self._settings_from_file_set: logging.warning( 'No settings stored in raw data file %s, use standard settings' , opened_raw_data_file.filename) else: logging.info( 'No settings provided in raw data file %s, use already set settings' , opened_raw_data_file.filename) except IndexError: pass
deduce_settings_from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, opened_raw_data_file):\n try:\n flavor = opened_raw_data_file.root.configuration.miscellaneous[:][np\n .where(opened_raw_data_file.root.configuration.miscellaneous[:]\n ['name'] == 'Flavor')]['value'][0]\n self._settings_from_file_set = True\n if 'trig_count' in opened_raw_data_file.root.configuration.run_conf[:][\n 'name']:\n trig_count = opened_raw_data_file.root.configuration.run_conf[:][np\n .where(opened_raw_data_file.root.configuration.run_conf[:][\n 'name'] == 'trig_count')]['value'][0]\n else:\n trig_count = (opened_raw_data_file.root.configuration.\n global_register[:][np.where(opened_raw_data_file.root.\n configuration.global_register[:]['name'] == 'Trig_Count')][\n 'value'][0])\n vcal_c0 = (opened_raw_data_file.root.configuration.\n calibration_parameters[:][np.where(opened_raw_data_file.root.\n configuration.calibration_parameters[:]['name'] ==\n 'Vcal_Coeff_0')]['value'][0])\n vcal_c1 = (opened_raw_data_file.root.configuration.\n calibration_parameters[:][np.where(opened_raw_data_file.root.\n configuration.calibration_parameters[:]['name'] ==\n 'Vcal_Coeff_1')]['value'][0])\n c_low = opened_raw_data_file.root.configuration.calibration_parameters[\n :][np.where(opened_raw_data_file.root.configuration.\n calibration_parameters[:]['name'] == 'C_Inj_Low')]['value'][0]\n c_mid = opened_raw_data_file.root.configuration.calibration_parameters[\n :][np.where(opened_raw_data_file.root.configuration.\n calibration_parameters[:]['name'] == 'C_Inj_Med')]['value'][0]\n c_high = (opened_raw_data_file.root.configuration.\n calibration_parameters[:][np.where(opened_raw_data_file.root.\n configuration.calibration_parameters[:]['name'] == 'C_Inj_High'\n )]['value'][0])\n self.c_low_mask = opened_raw_data_file.root.configuration.C_Low[:]\n self.c_high_mask = opened_raw_data_file.root.configuration.C_High[:]\n self.fei4b = False if str(flavor) == 'fei4a' else True\n self.trig_count = int(trig_count)\n self.vcal_c0 = float(vcal_c0)\n self.vcal_c1 = float(vcal_c1)\n self.c_low = float(c_low)\n self.c_mid = float(c_mid)\n self.c_high = float(c_high)\n self.n_injections = int(opened_raw_data_file.root.configuration.\n run_conf[:][np.where(opened_raw_data_file.root.configuration.\n run_conf[:]['name'] == 'n_injections')]['value'][0])\n except tb.exceptions.NoSuchNodeError:\n if not self._settings_from_file_set:\n logging.warning(\n 'No settings stored in raw data file %s, use standard settings'\n , opened_raw_data_file.filename)\n else:\n logging.info(\n 'No settings provided in raw data file %s, use already set settings'\n , opened_raw_data_file.filename)\n except IndexError:\n pass\n", "role": "user" }, { "content": "deduce_settings_from_file", "role": "assistant" } ]
def x(self, plsr_dac_array, no_offset=False): charge = np.zeros_like(self.c_low_mask, dtype=np.float16) if (self.vcal_c0 is not None and self.vcal_c1 is not None and self. c_low is not None and self.c_mid is not None and self.c_high is not None): voltage = (self.vcal_c1 * plsr_dac_array if no_offset else self. vcal_c0 + self.vcal_c1 * plsr_dac_array) charge[np.logical_and(self.c_low_mask, ~self.c_high_mask)] = voltage[np .logical_and(self.c_low_mask, ~self.c_high_mask) ] * self.c_low / 0.16022 charge[np.logical_and(~self.c_low_mask, self.c_high_mask)] = voltage[np .logical_and(self.c_low_mask, ~self.c_high_mask) ] * self.c_mid / 0.16022 charge[np.logical_and(self.c_low_mask, self.c_high_mask)] = voltage[np .logical_and(self.c_low_mask, ~self.c_high_mask) ] * self.c_high / 0.16022 return charge
get_plsr_dac_charge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, plsr_dac_array, no_offset=False):\n charge = np.zeros_like(self.c_low_mask, dtype=np.float16)\n if (self.vcal_c0 is not None and self.vcal_c1 is not None and self.\n c_low is not None and self.c_mid is not None and self.c_high is not\n None):\n voltage = (self.vcal_c1 * plsr_dac_array if no_offset else self.\n vcal_c0 + self.vcal_c1 * plsr_dac_array)\n charge[np.logical_and(self.c_low_mask, ~self.c_high_mask)] = voltage[np\n .logical_and(self.c_low_mask, ~self.c_high_mask)\n ] * self.c_low / 0.16022\n charge[np.logical_and(~self.c_low_mask, self.c_high_mask)] = voltage[np\n .logical_and(self.c_low_mask, ~self.c_high_mask)\n ] * self.c_mid / 0.16022\n charge[np.logical_and(self.c_low_mask, self.c_high_mask)] = voltage[np\n .logical_and(self.c_low_mask, ~self.c_high_mask)\n ] * self.c_high / 0.16022\n return charge\n", "role": "user" }, { "content": "get_plsr_dac_charge", "role": "assistant" } ]
def x(self, result, field_name): field_list = [] for key, value in result.get('schema', {}).get(field_name, {}).items(): if key not in field_list: field_list.append(key) return field_list
parse_fields
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, result, field_name):\n field_list = []\n for key, value in result.get('schema', {}).get(field_name, {}).items():\n if key not in field_list:\n field_list.append(key)\n return field_list\n", "role": "user" }, { "content": "parse_fields", "role": "assistant" } ]
def x(self): declared_fields = self.solr._send_request('get', ADMIN_URL) result = decoder.decode(declared_fields) self.field_list = self._parse_fields(result, 'fields') self._dynamic_field_regexes = [] for wc_pattern in self._parse_fields(result, 'dynamicFields'): if wc_pattern[0] == '*': self._dynamic_field_regexes.append(re.compile('.*%s\\Z' % wc_pattern[1:])) elif wc_pattern[-1] == '*': self._dynamic_field_regexes.append(re.compile('\\A%s.*' % wc_pattern[:-1]))
build_fields
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n declared_fields = self.solr._send_request('get', ADMIN_URL)\n result = decoder.decode(declared_fields)\n self.field_list = self._parse_fields(result, 'fields')\n self._dynamic_field_regexes = []\n for wc_pattern in self._parse_fields(result, 'dynamicFields'):\n if wc_pattern[0] == '*':\n self._dynamic_field_regexes.append(re.compile('.*%s\\\\Z' %\n wc_pattern[1:]))\n elif wc_pattern[-1] == '*':\n self._dynamic_field_regexes.append(re.compile('\\\\A%s.*' %\n wc_pattern[:-1]))\n", "role": "user" }, { "content": "build_fields", "role": "assistant" } ]
def x(self, doc, namespace, timestamp): if '_id' in doc: doc[self.unique_key] = u(doc.pop('_id')) if 'ns' in doc or '_ts' in doc: raise errors.OperationFailed( 'Need to set "ns" and "_ts" fields, but these fields already exist in the document %r!' % doc) doc['ns'] = namespace doc['_ts'] = timestamp flat_doc = self._formatter.format_document(doc) if len(self.field_list) + len(self._dynamic_field_regexes) > 0: def x(field): return field in self.field_list or any(regex.match(field) for regex in self._dynamic_field_regexes) return dict((k, v) for k, v in flat_doc.items() if include_field(k)) return flat_doc
clean_doc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, doc, namespace, timestamp):\n if '_id' in doc:\n doc[self.unique_key] = u(doc.pop('_id'))\n if 'ns' in doc or '_ts' in doc:\n raise errors.OperationFailed(\n 'Need to set \"ns\" and \"_ts\" fields, but these fields already exist in the document %r!'\n % doc)\n doc['ns'] = namespace\n doc['_ts'] = timestamp\n flat_doc = self._formatter.format_document(doc)\n if len(self.field_list) + len(self._dynamic_field_regexes) > 0:\n\n def x(field):\n return field in self.field_list or any(regex.match(field) for\n regex in self._dynamic_field_regexes)\n return dict((k, v) for k, v in flat_doc.items() if include_field(k))\n return flat_doc\n", "role": "user" }, { "content": "clean_doc", "role": "assistant" } ]
def x(self, doc, update_spec): if not '$set' in update_spec and not '$unset' in update_spec: update_spec['_id'] = doc[self.unique_key] return update_spec for to_set in update_spec.get('$set', []): value = update_spec['$set'][to_set] keys_to_pop = [] for key in doc: if key.startswith(to_set): if key == to_set or key[len(to_set)] == '.': keys_to_pop.append(key) for key in keys_to_pop: doc.pop(key) doc[to_set] = value for to_unset in update_spec.get('$unset', []): keys_to_pop = [] for key in doc: if key.startswith(to_unset): if key == to_unset or key[len(to_unset)] == '.': keys_to_pop.append(key) for key in keys_to_pop: doc.pop(key) return doc
apply_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, doc, update_spec):\n if not '$set' in update_spec and not '$unset' in update_spec:\n update_spec['_id'] = doc[self.unique_key]\n return update_spec\n for to_set in update_spec.get('$set', []):\n value = update_spec['$set'][to_set]\n keys_to_pop = []\n for key in doc:\n if key.startswith(to_set):\n if key == to_set or key[len(to_set)] == '.':\n keys_to_pop.append(key)\n for key in keys_to_pop:\n doc.pop(key)\n doc[to_set] = value\n for to_unset in update_spec.get('$unset', []):\n keys_to_pop = []\n for key in doc:\n if key.startswith(to_unset):\n if key == to_unset or key[len(to_unset)] == '.':\n keys_to_pop.append(key)\n for key in keys_to_pop:\n doc.pop(key)\n return doc\n", "role": "user" }, { "content": "apply_update", "role": "assistant" } ]
def x(self, document_id, update_spec, namespace, timestamp): self.commit() document_id = ''.join(map(lambda c: '\\' + c if c in ESCAPE_CHARACTERS else c, u(document_id))) query = '%s:%s' % (self.unique_key, document_id) results = self.solr.search(query) if not len(results): self.commit() results = self.solr.search(query) for doc in results: doc.pop('ns') doc.pop('_ts') updated = self.apply_update(doc, update_spec) updated['_version_'] = 0 self.upsert(updated, namespace, timestamp) return updated
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, document_id, update_spec, namespace, timestamp):\n self.commit()\n document_id = ''.join(map(lambda c: '\\\\' + c if c in ESCAPE_CHARACTERS else\n c, u(document_id)))\n query = '%s:%s' % (self.unique_key, document_id)\n results = self.solr.search(query)\n if not len(results):\n self.commit()\n results = self.solr.search(query)\n for doc in results:\n doc.pop('ns')\n doc.pop('_ts')\n updated = self.apply_update(doc, update_spec)\n updated['_version_'] = 0\n self.upsert(updated, namespace, timestamp)\n return updated\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, doc, namespace, timestamp): if self.auto_commit_interval is not None: self.solr.add([self._clean_doc(doc, namespace, timestamp)], commit= self.auto_commit_interval == 0, commitWithin=u(self. auto_commit_interval)) else: self.solr.add([self._clean_doc(doc, namespace, timestamp)], commit= False)
upsert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, doc, namespace, timestamp):\n if self.auto_commit_interval is not None:\n self.solr.add([self._clean_doc(doc, namespace, timestamp)], commit=\n self.auto_commit_interval == 0, commitWithin=u(self.\n auto_commit_interval))\n else:\n self.solr.add([self._clean_doc(doc, namespace, timestamp)], commit=\n False)\n", "role": "user" }, { "content": "upsert", "role": "assistant" } ]
def x(self, docs, namespace, timestamp): if self.auto_commit_interval is not None: add_kwargs = {'commit': self.auto_commit_interval == 0, 'commitWithin': str(self.auto_commit_interval)} else: add_kwargs = {'commit': False} cleaned = (self._clean_doc(d, namespace, timestamp) for d in docs) if self.chunk_size > 0: batch = list(next(cleaned) for i in range(self.chunk_size)) while batch: self.solr.add(batch, **add_kwargs) batch = list(next(cleaned) for i in range(self.chunk_size)) else: self.solr.add(cleaned, **add_kwargs)
bulk_upsert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, docs, namespace, timestamp):\n if self.auto_commit_interval is not None:\n add_kwargs = {'commit': self.auto_commit_interval == 0,\n 'commitWithin': str(self.auto_commit_interval)}\n else:\n add_kwargs = {'commit': False}\n cleaned = (self._clean_doc(d, namespace, timestamp) for d in docs)\n if self.chunk_size > 0:\n batch = list(next(cleaned) for i in range(self.chunk_size))\n while batch:\n self.solr.add(batch, **add_kwargs)\n batch = list(next(cleaned) for i in range(self.chunk_size))\n else:\n self.solr.add(cleaned, **add_kwargs)\n", "role": "user" }, { "content": "bulk_upsert", "role": "assistant" } ]
def x(self, document_id, namespace, timestamp): self.solr.delete(id=u(document_id), commit=self.auto_commit_interval == 0)
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, document_id, namespace, timestamp):\n self.solr.delete(id=u(document_id), commit=self.auto_commit_interval == 0)\n", "role": "user" }, { "content": "remove", "role": "assistant" } ]
def x(self, query): for doc in self.solr.search(query, rows=100000000): if self.unique_key != '_id': doc['_id'] = doc.pop(self.unique_key) yield doc
stream_search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query):\n for doc in self.solr.search(query, rows=100000000):\n if self.unique_key != '_id':\n doc['_id'] = doc.pop(self.unique_key)\n yield doc\n", "role": "user" }, { "content": "stream_search", "role": "assistant" } ]
def x(self, start_ts, end_ts): query = '_ts: [%s TO %s]' % (start_ts, end_ts) return self._stream_search(query)
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start_ts, end_ts):\n query = '_ts: [%s TO %s]' % (start_ts, end_ts)\n return self._stream_search(query)\n", "role": "user" }, { "content": "search", "role": "assistant" } ]
def x(self): try: result = self.solr.search('*:*', sort='_ts desc', rows=1) except ValueError: return None for r in result: r['_id'] = r.pop(self.unique_key) return r
get_last_doc
[ { "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 result = self.solr.search('*:*', sort='_ts desc', rows=1)\n except ValueError:\n return None\n for r in result:\n r['_id'] = r.pop(self.unique_key)\n return r\n", "role": "user" }, { "content": "get_last_doc", "role": "assistant" } ]
def x(password, salt, key_length, prf): block_number = 0 result = b'' while len(result) < key_length: block_number += 1 result += prf(password, salt + struct.pack('>L', block_number)) return result[:key_length]
pbkdf2_single
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(password, salt, key_length, prf):\n block_number = 0\n result = b''\n while len(result) < key_length:\n block_number += 1\n result += prf(password, salt + struct.pack('>L', block_number))\n return result[:key_length]\n", "role": "user" }, { "content": "pbkdf2_single", "role": "assistant" } ]
def x(B): x = B[:] for i in (8, 6, 4, 2): a = x[0] + x[12] & 4294967295 x[4] ^= a << 7 | a >> 25 a = x[4] + x[0] & 4294967295 x[8] ^= a << 9 | a >> 23 a = x[8] + x[4] & 4294967295 x[12] ^= a << 13 | a >> 19 a = x[12] + x[8] & 4294967295 x[0] ^= a << 18 | a >> 14 a = x[5] + x[1] & 4294967295 x[9] ^= a << 7 | a >> 25 a = x[9] + x[5] & 4294967295 x[13] ^= a << 9 | a >> 23 a = x[13] + x[9] & 4294967295 x[1] ^= a << 13 | a >> 19 a = x[1] + x[13] & 4294967295 x[5] ^= a << 18 | a >> 14 a = x[10] + x[6] & 4294967295 x[14] ^= a << 7 | a >> 25 a = x[14] + x[10] & 4294967295 x[2] ^= a << 9 | a >> 23 a = x[2] + x[14] & 4294967295 x[6] ^= a << 13 | a >> 19 a = x[6] + x[2] & 4294967295 x[10] ^= a << 18 | a >> 14 a = x[15] + x[11] & 4294967295 x[3] ^= a << 7 | a >> 25 a = x[3] + x[15] & 4294967295 x[7] ^= a << 9 | a >> 23 a = x[7] + x[3] & 4294967295 x[11] ^= a << 13 | a >> 19 a = x[11] + x[7] & 4294967295 x[15] ^= a << 18 | a >> 14 a = x[0] + x[3] & 4294967295 x[1] ^= a << 7 | a >> 25 a = x[1] + x[0] & 4294967295 x[2] ^= a << 9 | a >> 23 a = x[2] + x[1] & 4294967295 x[3] ^= a << 13 | a >> 19 a = x[3] + x[2] & 4294967295 x[0] ^= a << 18 | a >> 14 a = x[5] + x[4] & 4294967295 x[6] ^= a << 7 | a >> 25 a = x[6] + x[5] & 4294967295 x[7] ^= a << 9 | a >> 23 a = x[7] + x[6] & 4294967295 x[4] ^= a << 13 | a >> 19 a = x[4] + x[7] & 4294967295 x[5] ^= a << 18 | a >> 14 a = x[10] + x[9] & 4294967295 x[11] ^= a << 7 | a >> 25 a = x[11] + x[10] & 4294967295 x[8] ^= a << 9 | a >> 23 a = x[8] + x[11] & 4294967295 x[9] ^= a << 13 | a >> 19 a = x[9] + x[8] & 4294967295 x[10] ^= a << 18 | a >> 14 a = x[15] + x[14] & 4294967295 x[12] ^= a << 7 | a >> 25 a = x[12] + x[15] & 4294967295 x[13] ^= a << 9 | a >> 23 a = x[13] + x[12] & 4294967295 x[14] ^= a << 13 | a >> 19 a = x[14] + x[13] & 4294967295 x[15] ^= a << 18 | a >> 14 for i in xrange(0, 16): B[i] = B[i] + x[i] & 4294967295
salsa20_8
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(B):\n x = B[:]\n for i in (8, 6, 4, 2):\n a = x[0] + x[12] & 4294967295\n x[4] ^= a << 7 | a >> 25\n a = x[4] + x[0] & 4294967295\n x[8] ^= a << 9 | a >> 23\n a = x[8] + x[4] & 4294967295\n x[12] ^= a << 13 | a >> 19\n a = x[12] + x[8] & 4294967295\n x[0] ^= a << 18 | a >> 14\n a = x[5] + x[1] & 4294967295\n x[9] ^= a << 7 | a >> 25\n a = x[9] + x[5] & 4294967295\n x[13] ^= a << 9 | a >> 23\n a = x[13] + x[9] & 4294967295\n x[1] ^= a << 13 | a >> 19\n a = x[1] + x[13] & 4294967295\n x[5] ^= a << 18 | a >> 14\n a = x[10] + x[6] & 4294967295\n x[14] ^= a << 7 | a >> 25\n a = x[14] + x[10] & 4294967295\n x[2] ^= a << 9 | a >> 23\n a = x[2] + x[14] & 4294967295\n x[6] ^= a << 13 | a >> 19\n a = x[6] + x[2] & 4294967295\n x[10] ^= a << 18 | a >> 14\n a = x[15] + x[11] & 4294967295\n x[3] ^= a << 7 | a >> 25\n a = x[3] + x[15] & 4294967295\n x[7] ^= a << 9 | a >> 23\n a = x[7] + x[3] & 4294967295\n x[11] ^= a << 13 | a >> 19\n a = x[11] + x[7] & 4294967295\n x[15] ^= a << 18 | a >> 14\n a = x[0] + x[3] & 4294967295\n x[1] ^= a << 7 | a >> 25\n a = x[1] + x[0] & 4294967295\n x[2] ^= a << 9 | a >> 23\n a = x[2] + x[1] & 4294967295\n x[3] ^= a << 13 | a >> 19\n a = x[3] + x[2] & 4294967295\n x[0] ^= a << 18 | a >> 14\n a = x[5] + x[4] & 4294967295\n x[6] ^= a << 7 | a >> 25\n a = x[6] + x[5] & 4294967295\n x[7] ^= a << 9 | a >> 23\n a = x[7] + x[6] & 4294967295\n x[4] ^= a << 13 | a >> 19\n a = x[4] + x[7] & 4294967295\n x[5] ^= a << 18 | a >> 14\n a = x[10] + x[9] & 4294967295\n x[11] ^= a << 7 | a >> 25\n a = x[11] + x[10] & 4294967295\n x[8] ^= a << 9 | a >> 23\n a = x[8] + x[11] & 4294967295\n x[9] ^= a << 13 | a >> 19\n a = x[9] + x[8] & 4294967295\n x[10] ^= a << 18 | a >> 14\n a = x[15] + x[14] & 4294967295\n x[12] ^= a << 7 | a >> 25\n a = x[12] + x[15] & 4294967295\n x[13] ^= a << 9 | a >> 23\n a = x[13] + x[12] & 4294967295\n x[14] ^= a << 13 | a >> 19\n a = x[14] + x[13] & 4294967295\n x[15] ^= a << 18 | a >> 14\n for i in xrange(0, 16):\n B[i] = B[i] + x[i] & 4294967295\n", "role": "user" }, { "content": "salsa20_8", "role": "assistant" } ]
def x(BY, Yi, r): start = (2 * r - 1) * 16 X = BY[start:start + 16] for i in xrange(0, 2 * r): for xi in xrange(0, 16): X[xi] ^= BY[i * 16 + xi] salsa20_8(X) aod = Yi + i * 16 BY[aod:aod + 16] = X[:16] for i in xrange(0, r): aos = Yi + i * 32 aod = i * 16 BY[aod:aod + 16] = BY[aos:aos + 16] for i in xrange(0, r): aos = Yi + (i * 2 + 1) * 16 aod = (i + r) * 16 BY[aod:aod + 16] = BY[aos:aos + 16]
blockmix_salsa8
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(BY, Yi, r):\n start = (2 * r - 1) * 16\n X = BY[start:start + 16]\n for i in xrange(0, 2 * r):\n for xi in xrange(0, 16):\n X[xi] ^= BY[i * 16 + xi]\n salsa20_8(X)\n aod = Yi + i * 16\n BY[aod:aod + 16] = X[:16]\n for i in xrange(0, r):\n aos = Yi + i * 32\n aod = i * 16\n BY[aod:aod + 16] = BY[aos:aos + 16]\n for i in xrange(0, r):\n aos = Yi + (i * 2 + 1) * 16\n aod = (i + r) * 16\n BY[aod:aod + 16] = BY[aos:aos + 16]\n", "role": "user" }, { "content": "blockmix_salsa8", "role": "assistant" } ]
def x(B, Bi, r, N, V, X): X[:32 * r] = B[Bi:Bi + 32 * r] for i in xrange(0, N): aod = i * 32 * r V[aod:aod + 32 * r] = X[:32 * r] blockmix_salsa8(X, 32 * r, r) for i in xrange(0, N): j = X[(2 * r - 1) * 16] & N - 1 for xi in xrange(0, 32 * r): X[xi] ^= V[j * 32 * r + xi] blockmix_salsa8(X, 32 * r, r) B[Bi:Bi + 32 * r] = X[:32 * r]
smix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(B, Bi, r, N, V, X):\n X[:32 * r] = B[Bi:Bi + 32 * r]\n for i in xrange(0, N):\n aod = i * 32 * r\n V[aod:aod + 32 * r] = X[:32 * r]\n blockmix_salsa8(X, 32 * r, r)\n for i in xrange(0, N):\n j = X[(2 * r - 1) * 16] & N - 1\n for xi in xrange(0, 32 * r):\n X[xi] ^= V[j * 32 * r + xi]\n blockmix_salsa8(X, 32 * r, r)\n B[Bi:Bi + 32 * r] = X[:32 * r]\n", "role": "user" }, { "content": "smix", "role": "assistant" } ]
def x(password, salt, N, r, p, dkLen): if not check_bytes(password): raise ValueError('password must be a byte array') if not check_bytes(salt): raise ValueError('salt must be a byte array') if N < 2 or N & N - 1: raise ValueError('Scrypt N must be a power of 2 greater than 1') prf = lambda k, m: hmac.new(key=k, msg=m, digestmod=hashlib.sha256).digest( ) B = [get_byte(c) for c in pbkdf2_single(password, salt, p * 128 * r, prf)] B = [(B[i + 3] << 24 | B[i + 2] << 16 | B[i + 1] << 8 | B[i + 0]) for i in xrange(0, len(B), 4)] XY = [0] * (64 * r) V = [0] * (32 * r * N) for i in xrange(0, p): smix(B, i * 32 * r, r, N, V, XY) Bc = [] for i in B: Bc.append(i >> 0 & 255) Bc.append(i >> 8 & 255) Bc.append(i >> 16 & 255) Bc.append(i >> 24 & 255) return pbkdf2_single(password, chars_to_bytes(Bc), dkLen, prf)
hash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(password, salt, N, r, p, dkLen):\n if not check_bytes(password):\n raise ValueError('password must be a byte array')\n if not check_bytes(salt):\n raise ValueError('salt must be a byte array')\n if N < 2 or N & N - 1:\n raise ValueError('Scrypt N must be a power of 2 greater than 1')\n prf = lambda k, m: hmac.new(key=k, msg=m, digestmod=hashlib.sha256).digest(\n )\n B = [get_byte(c) for c in pbkdf2_single(password, salt, p * 128 * r, prf)]\n B = [(B[i + 3] << 24 | B[i + 2] << 16 | B[i + 1] << 8 | B[i + 0]) for i in\n xrange(0, len(B), 4)]\n XY = [0] * (64 * r)\n V = [0] * (32 * r * N)\n for i in xrange(0, p):\n smix(B, i * 32 * r, r, N, V, XY)\n Bc = []\n for i in B:\n Bc.append(i >> 0 & 255)\n Bc.append(i >> 8 & 255)\n Bc.append(i >> 16 & 255)\n Bc.append(i >> 24 & 255)\n return pbkdf2_single(password, chars_to_bytes(Bc), dkLen, prf)\n", "role": "user" }, { "content": "hash", "role": "assistant" } ]
def x(self, name): if self._mode in _allowed_read and self._N is None: self._read_header() return getattr(self, name)
load_get_attr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n if self._mode in _allowed_read and self._N is None:\n self._read_header()\n return getattr(self, name)\n", "role": "user" }, { "content": "load_get_attr", "role": "assistant" } ]
def x(self): if self._mode in _allowed_write and self._valid is None: self._finalize_write() result = self._fp.close() self._closed = True return result
close
[ { "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._mode in _allowed_write and self._valid is None:\n self._finalize_write()\n result = self._fp.close()\n self._closed = True\n return result\n", "role": "user" }, { "content": "close", "role": "assistant" } ]
def x(fp, password): sf = ScryptFile(fp=fp, password=password) for line in sf: pass sf.close() return sf.valid
verify_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fp, password):\n sf = ScryptFile(fp=fp, password=password)\n for line in sf:\n pass\n sf.close()\n return sf.valid\n", "role": "user" }, { "content": "verify_file", "role": "assistant" } ]
def x(self, size=None): if self.closed: raise ValueError('file closed') if self._mode in _allowed_write: raise Exception('file opened for write only') if self._read_finished: return None line = b'' while not line.endswith(b'\n') and not self._read_finished and (size is None or len(line) <= size): line += self.read(1) return line
readline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, size=None):\n if self.closed:\n raise ValueError('file closed')\n if self._mode in _allowed_write:\n raise Exception('file opened for write only')\n if self._read_finished:\n return None\n line = b''\n while not line.endswith(b'\\n') and not self._read_finished and (size is\n None or len(line) <= size):\n line += self.read(1)\n return line\n", "role": "user" }, { "content": "readline", "role": "assistant" } ]
def x(self): try: header = self._fp.read(96) if len(header) != 96: raise InvalidScryptFileFormat('Incomplete header') if header[0:6] != b'scrypt': raise InvalidScryptFileFormat('Invalid magic number").') version = get_byte(header[6]) if version != 0: raise InvalidScryptFileFormat('Unsupported version (%d)' % version) self._N = 1 << get_byte(header[7]) self._r, self._p = struct.unpack('>II', header[8:16]) self._salt = header[16:48] self._key = hash(self._password, self._salt, self._N, self._r, self ._p, 64) checksum = header[48:64] calculate_checksum = hashlib.sha256(header[0:48]).digest()[:16] if checksum != calculate_checksum: raise InvalidScryptFileFormat('Incorrect header checksum') checksum = header[64:96] self._checksumer = hmac.new(self.key[32:], msg=header[0:64], digestmod=hashlib.sha256) if checksum != self._checksumer.digest(): raise InvalidScryptFileFormat('Incorrect header stream checksum') self._checksumer.update(header[64:96]) self._crypto = aesctr.AESCounterModeOfOperation(key=self.key[:32]) self._done_header = True except InvalidScryptFileFormat as e: self.close() raise e except Exception as e: self.close() raise InvalidScryptFileFormat('Header error (%s)' % e)
read_header
[ { "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 header = self._fp.read(96)\n if len(header) != 96:\n raise InvalidScryptFileFormat('Incomplete header')\n if header[0:6] != b'scrypt':\n raise InvalidScryptFileFormat('Invalid magic number\").')\n version = get_byte(header[6])\n if version != 0:\n raise InvalidScryptFileFormat('Unsupported version (%d)' % version)\n self._N = 1 << get_byte(header[7])\n self._r, self._p = struct.unpack('>II', header[8:16])\n self._salt = header[16:48]\n self._key = hash(self._password, self._salt, self._N, self._r, self\n ._p, 64)\n checksum = header[48:64]\n calculate_checksum = hashlib.sha256(header[0:48]).digest()[:16]\n if checksum != calculate_checksum:\n raise InvalidScryptFileFormat('Incorrect header checksum')\n checksum = header[64:96]\n self._checksumer = hmac.new(self.key[32:], msg=header[0:64],\n digestmod=hashlib.sha256)\n if checksum != self._checksumer.digest():\n raise InvalidScryptFileFormat('Incorrect header stream checksum')\n self._checksumer.update(header[64:96])\n self._crypto = aesctr.AESCounterModeOfOperation(key=self.key[:32])\n self._done_header = True\n except InvalidScryptFileFormat as e:\n self.close()\n raise e\n except Exception as e:\n self.close()\n raise InvalidScryptFileFormat('Header error (%s)' % e)\n", "role": "user" }, { "content": "read_header", "role": "assistant" } ]
def x(self, size=None): if self.closed: raise ValueError('File closed') if self._mode in _allowed_write: raise Exception('File opened for write only') if not self._done_header: self._read_header() if self._read_finished: if size is None: decrypted = self._decrypted_buffer else: decrypted = self._decrypted_buffer[:size] self._decrypted_buffer = self._decrypted[len(decrypted):] return decrypted if size is None or size < 0: self._encrypted_buffer = self._fp.read() self._read_finished = True else: while not self._read_finished: available = len(self._decrypted_buffer) + len(self. _encrypted_buffer) - 32 if available >= size: break data = self._fp.read(BLOCK_SIZE) if not data: self._read_finished = True break self._encrypted_buffer += data safe = self._encrypted_buffer[:-32] self._encrypted_buffer = self._encrypted_buffer[-32:] self._decrypted_buffer += self._crypto.decrypt(safe) self._checksumer.update(safe) if self._read_finished: self._check_final_checksum(self._encrypted_buffer) decrypted = self._decrypted_buffer[:size] self._decrypted_buffer = self._decrypted_buffer[size:] return decrypted
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, size=None):\n if self.closed:\n raise ValueError('File closed')\n if self._mode in _allowed_write:\n raise Exception('File opened for write only')\n if not self._done_header:\n self._read_header()\n if self._read_finished:\n if size is None:\n decrypted = self._decrypted_buffer\n else:\n decrypted = self._decrypted_buffer[:size]\n self._decrypted_buffer = self._decrypted[len(decrypted):]\n return decrypted\n if size is None or size < 0:\n self._encrypted_buffer = self._fp.read()\n self._read_finished = True\n else:\n while not self._read_finished:\n available = len(self._decrypted_buffer) + len(self.\n _encrypted_buffer) - 32\n if available >= size:\n break\n data = self._fp.read(BLOCK_SIZE)\n if not data:\n self._read_finished = True\n break\n self._encrypted_buffer += data\n safe = self._encrypted_buffer[:-32]\n self._encrypted_buffer = self._encrypted_buffer[-32:]\n self._decrypted_buffer += self._crypto.decrypt(safe)\n self._checksumer.update(safe)\n if self._read_finished:\n self._check_final_checksum(self._encrypted_buffer)\n decrypted = self._decrypted_buffer[:size]\n self._decrypted_buffer = self._decrypted_buffer[size:]\n return decrypted\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(self): header = b'scrypt' + CHR0 + struct.pack('>BII', int(math.log(self.N, 2) ), self.r, self.p) + self.salt checksum = hashlib.sha256(header).digest()[:16] header += checksum self._checksumer = hmac.new(self.key[32:], msg=header, digestmod= hashlib.sha256) checksum = self._checksumer.digest() header += checksum self._checksumer.update(checksum) self._fp.write(header) self._crypto = aesctr.AESCounterModeOfOperation(key=self.key[:32]) self._done_header = True
write_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n header = b'scrypt' + CHR0 + struct.pack('>BII', int(math.log(self.N, 2)\n ), self.r, self.p) + self.salt\n checksum = hashlib.sha256(header).digest()[:16]\n header += checksum\n self._checksumer = hmac.new(self.key[32:], msg=header, digestmod=\n hashlib.sha256)\n checksum = self._checksumer.digest()\n header += checksum\n self._checksumer.update(checksum)\n self._fp.write(header)\n self._crypto = aesctr.AESCounterModeOfOperation(key=self.key[:32])\n self._done_header = True\n", "role": "user" }, { "content": "write_header", "role": "assistant" } ]
def x(self): if not self._done_header: self._write_header() block = self._crypto.encrypt(self._decrypted_buffer) self._decrypted = '' self._fp.write(block) self._checksumer.update(block) self._fp.write(self._checksumer.digest()) self._valid = True
finalize_write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self._done_header:\n self._write_header()\n block = self._crypto.encrypt(self._decrypted_buffer)\n self._decrypted = ''\n self._fp.write(block)\n self._checksumer.update(block)\n self._fp.write(self._checksumer.digest())\n self._valid = True\n", "role": "user" }, { "content": "finalize_write", "role": "assistant" } ]
def x(self, str): if self.closed: raise ValueError('File closed') if self._mode in _allowed_read: raise Exception('File opened for read only') if self._valid is not None: raise Exception('file already finalized') if not self._done_header: self._write_header() encrypted = self._crypto.encrypt(str) self._checksumer.update(encrypted) self._fp.write(encrypted)
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, str):\n if self.closed:\n raise ValueError('File closed')\n if self._mode in _allowed_read:\n raise Exception('File opened for read only')\n if self._valid is not None:\n raise Exception('file already finalized')\n if not self._done_header:\n self._write_header()\n encrypted = self._crypto.encrypt(str)\n self._checksumer.update(encrypted)\n self._fp.write(encrypted)\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(logger_name): if logger_name is None: return __instance assert isinstance(logger_name, str), 'Logger name must be a string!' with __lock: if logger_name in __loggers: return __loggers[logger_name] logger_instance = LogOne(logger_name=logger_name) __loggers[logger_name] = logger_instance return logger_instance
get_logger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(logger_name):\n if logger_name is None:\n return __instance\n assert isinstance(logger_name, str), 'Logger name must be a string!'\n with __lock:\n if logger_name in __loggers:\n return __loggers[logger_name]\n logger_instance = LogOne(logger_name=logger_name)\n __loggers[logger_name] = logger_instance\n return logger_instance\n", "role": "user" }, { "content": "get_logger", "role": "assistant" } ]
def x(file): if 'y' in speech.question('Are you sure you want to remove ' + file + '? (Y/N): '): speech.speak('Removing ' + file + " with the 'rm' command.") subprocess.call(['rm', '-r', file]) else: speech.speak("Okay, I won't remove " + file + '.')
removeFile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file):\n if 'y' in speech.question('Are you sure you want to remove ' + file +\n '? (Y/N): '):\n speech.speak('Removing ' + file + \" with the 'rm' command.\")\n subprocess.call(['rm', '-r', file])\n else:\n speech.speak(\"Okay, I won't remove \" + file + '.')\n", "role": "user" }, { "content": "removeFile", "role": "assistant" } ]
def x(location): copyData = settings.getDataFile() copyFileLocation = os.path.abspath(location) copy = {'copyLocation': copyFileLocation} dataFile = open(copyData, 'wb') pickle.dump(copy, dataFile) speech.speak(location + ' copied successfully!') speech.speak("Tip: use 'hallie paste' to paste this file.")
copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(location):\n copyData = settings.getDataFile()\n copyFileLocation = os.path.abspath(location)\n copy = {'copyLocation': copyFileLocation}\n dataFile = open(copyData, 'wb')\n pickle.dump(copy, dataFile)\n speech.speak(location + ' copied successfully!')\n speech.speak(\"Tip: use 'hallie paste' to paste this file.\")\n", "role": "user" }, { "content": "copy", "role": "assistant" } ]
def x(location): copyData = settings.getDataFile() if not location: location = '.' try: data = pickle.load(open(copyData, 'rb')) speech.speak('Pasting ' + data['copyLocation'] + ' to current directory.') except: speech.fail("It doesn't look like you've copied anything yet.") speech.fail("Type 'hallie copy <file>' to copy a file or folder.") return process, error = subprocess.Popen(['cp', '-r', data['copyLocation'], location], stderr=subprocess.STDOUT, stdout=subprocess.PIPE ).communicate() if 'denied' in process: speech.fail( 'Unable to paste your file successfully. This is most likely due to a permission issue. You can try to run me as sudo!' )
paste
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(location):\n copyData = settings.getDataFile()\n if not location:\n location = '.'\n try:\n data = pickle.load(open(copyData, 'rb'))\n speech.speak('Pasting ' + data['copyLocation'] +\n ' to current directory.')\n except:\n speech.fail(\"It doesn't look like you've copied anything yet.\")\n speech.fail(\"Type 'hallie copy <file>' to copy a file or folder.\")\n return\n process, error = subprocess.Popen(['cp', '-r', data['copyLocation'],\n location], stderr=subprocess.STDOUT, stdout=subprocess.PIPE\n ).communicate()\n if 'denied' in process:\n speech.fail(\n 'Unable to paste your file successfully. This is most likely due to a permission issue. You can try to run me as sudo!'\n )\n", "role": "user" }, { "content": "paste", "role": "assistant" } ]
def x(): with settings(hide('warnings', 'running', 'stdout'), warn_only=False, capture=True): sudo('DEBIAN_FRONTEND=noninteractive /usr/bin/apt-get update') install_ubuntu_development_tools() apt_install(packages=['software-properties-common', 'dkms', 'linux-headers-generic', 'build-essential']) sudo('echo | add-apt-repository ppa:zfs-native/stable') sudo('DEBIAN_FRONTEND=noninteractive /usr/bin/apt-get update') return True
add_zfs_apt_repository
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n with settings(hide('warnings', 'running', 'stdout'), warn_only=False,\n capture=True):\n sudo('DEBIAN_FRONTEND=noninteractive /usr/bin/apt-get update')\n install_ubuntu_development_tools()\n apt_install(packages=['software-properties-common', 'dkms',\n 'linux-headers-generic', 'build-essential'])\n sudo('echo | add-apt-repository ppa:zfs-native/stable')\n sudo('DEBIAN_FRONTEND=noninteractive /usr/bin/apt-get update')\n return True\n", "role": "user" }, { "content": "add_zfs_apt_repository", "role": "assistant" } ]
def x(**kwargs): for pkg in list(kwargs['packages']): if is_package_installed(distribution='ubuntu', pkg=pkg) is False: sudo( 'DEBIAN_FRONTEND=noninteractive /usr/bin/apt-get install -y %s' % pkg) return True
apt_install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**kwargs):\n for pkg in list(kwargs['packages']):\n if is_package_installed(distribution='ubuntu', pkg=pkg) is False:\n sudo(\n 'DEBIAN_FRONTEND=noninteractive /usr/bin/apt-get install -y %s'\n % pkg)\n return True\n", "role": "user" }, { "content": "apt_install", "role": "assistant" } ]
def x(pkg_name, url, log=False): if is_package_installed(distribution='ubuntu', pkg=pkg_name) is False: if log: log_green('installing %s from %s' % (pkg_name, url)) with settings(hide('warnings', 'running', 'stdout'), capture=True): sudo('wget -c -O %s.deb %s' % (pkg_name, url)) sudo('dpkg -i %s.deb' % pkg_name) return True
apt_install_from_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pkg_name, url, log=False):\n if is_package_installed(distribution='ubuntu', pkg=pkg_name) is False:\n if log:\n log_green('installing %s from %s' % (pkg_name, url))\n with settings(hide('warnings', 'running', 'stdout'), capture=True):\n sudo('wget -c -O %s.deb %s' % (pkg_name, url))\n sudo('dpkg -i %s.deb' % pkg_name)\n return True\n", "role": "user" }, { "content": "apt_install_from_url", "role": "assistant" } ]
def x(keyid, keyserver='keyserver.ubuntu.com', log=False): if log: log_green('trusting keyid %s from %s' % (keyid, keyserver)) with settings(hide('warnings', 'running', 'stdout')): sudo('apt-key adv --keyserver %s --recv %s' % (keyserver, keyid)) return True
apt_add_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(keyid, keyserver='keyserver.ubuntu.com', log=False):\n if log:\n log_green('trusting keyid %s from %s' % (keyid, keyserver))\n with settings(hide('warnings', 'running', 'stdout')):\n sudo('apt-key adv --keyserver %s --recv %s' % (keyserver, keyid))\n return True\n", "role": "user" }, { "content": "apt_add_key", "role": "assistant" } ]
def x(prefix, url, version, repositories): with settings(hide('warnings', 'running', 'stdout'), warn_only=False, capture=True): sudo('apt-add-repository "%s %s %s %s"' % (prefix, url, version, repositories)) with hide('running', 'stdout'): output = sudo( 'DEBIAN_FRONTEND=noninteractive /usr/bin/apt-get update') if 'Some index files failed to download' in output: raise SystemExit(1) else: return True
enable_apt_repositories
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prefix, url, version, repositories):\n with settings(hide('warnings', 'running', 'stdout'), warn_only=False,\n capture=True):\n sudo('apt-add-repository \"%s %s %s %s\"' % (prefix, url, version,\n repositories))\n with hide('running', 'stdout'):\n output = sudo(\n 'DEBIAN_FRONTEND=noninteractive /usr/bin/apt-get update')\n if 'Some index files failed to download' in output:\n raise SystemExit(1)\n else:\n return True\n", "role": "user" }, { "content": "enable_apt_repositories", "role": "assistant" } ]
def x(gem): with settings(hide('warnings', 'running', 'stdout', 'stderr'), warn_only=False, capture=True): return not bool(run('gem install %s --no-rdoc --no-ri' % gem). return_code)
install_gem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gem):\n with settings(hide('warnings', 'running', 'stdout', 'stderr'),\n warn_only=False, capture=True):\n return not bool(run('gem install %s --no-rdoc --no-ri' % gem).\n return_code)\n", "role": "user" }, { "content": "install_gem", "role": "assistant" } ]
def x(name): with settings(hide('everything'), warn_only=False, capture=True): print(not bool(local('pip --quiet install %s' % name).return_code)) return not bool(local('pip --quiet install %s' % name).return_code)
install_python_module_locally
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n with settings(hide('everything'), warn_only=False, capture=True):\n print(not bool(local('pip --quiet install %s' % name).return_code))\n return not bool(local('pip --quiet install %s' % name).return_code)\n", "role": "user" }, { "content": "install_python_module_locally", "role": "assistant" } ]
def x(distribution, pkg): if ('centos' in distribution or 'el' in distribution or 'redhat' in distribution): return is_rpm_package_installed(pkg) if 'ubuntu' in distribution or 'debian' in distribution: return is_deb_package_installed(pkg)
is_package_installed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(distribution, pkg):\n if ('centos' in distribution or 'el' in distribution or 'redhat' in\n distribution):\n return is_rpm_package_installed(pkg)\n if 'ubuntu' in distribution or 'debian' in distribution:\n return is_deb_package_installed(pkg)\n", "role": "user" }, { "content": "is_package_installed", "role": "assistant" } ]
def x(pkg): with settings(hide('warnings', 'running', 'stdout', 'stderr'), warn_only=True, capture=True): result = sudo('rpm -q %s' % pkg) if result.return_code == 0: return True elif result.return_code == 1: return False else: print(result) raise SystemExit()
is_rpm_package_installed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pkg):\n with settings(hide('warnings', 'running', 'stdout', 'stderr'),\n warn_only=True, capture=True):\n result = sudo('rpm -q %s' % pkg)\n if result.return_code == 0:\n return True\n elif result.return_code == 1:\n return False\n else:\n print(result)\n raise SystemExit()\n", "role": "user" }, { "content": "is_rpm_package_installed", "role": "assistant" } ]
def x(**kwargs): if 'repo' in kwargs: repo = kwargs['repo'] for pkg in list(kwargs['packages']): if is_package_installed(distribution='el', pkg=pkg) is False: if 'repo' in locals(): log_green('installing %s from repo %s ...' % (pkg, repo)) sudo('yum install -y --quiet --enablerepo=%s %s' % (repo, pkg)) else: log_green('installing %s ...' % pkg) sudo('yum install -y --quiet %s' % pkg)
yum_install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**kwargs):\n if 'repo' in kwargs:\n repo = kwargs['repo']\n for pkg in list(kwargs['packages']):\n if is_package_installed(distribution='el', pkg=pkg) is False:\n if 'repo' in locals():\n log_green('installing %s from repo %s ...' % (pkg, repo))\n sudo('yum install -y --quiet --enablerepo=%s %s' % (repo, pkg))\n else:\n log_green('installing %s ...' % pkg)\n sudo('yum install -y --quiet %s' % pkg)\n", "role": "user" }, { "content": "yum_install", "role": "assistant" } ]
def x(**kwargs): for grp in list(kwargs['groups']): log_green('installing %s ...' % grp) if 'repo' in kwargs: repo = kwargs['repo'] sudo("yum groupinstall -y --quiet --enablerepo=%s '%s'" % (repo, grp)) else: sudo("yum groups mark install -y --quiet '%s'" % grp) sudo("yum groups mark convert -y --quiet '%s'" % grp) sudo("yum groupinstall -y --quiet '%s'" % grp)
yum_group_install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**kwargs):\n for grp in list(kwargs['groups']):\n log_green('installing %s ...' % grp)\n if 'repo' in kwargs:\n repo = kwargs['repo']\n sudo(\"yum groupinstall -y --quiet --enablerepo=%s '%s'\" % (repo,\n grp))\n else:\n sudo(\"yum groups mark install -y --quiet '%s'\" % grp)\n sudo(\"yum groups mark convert -y --quiet '%s'\" % grp)\n sudo(\"yum groupinstall -y --quiet '%s'\" % grp)\n", "role": "user" }, { "content": "yum_group_install", "role": "assistant" } ]
def x(pkg_name, url): if is_package_installed(distribution='el', pkg=pkg_name) is False: log_green('installing %s from %s' % (pkg_name, url)) with settings(hide('warnings', 'running', 'stdout', 'stderr'), warn_only=True, capture=True): result = sudo('rpm -i %s' % url) if result.return_code == 0: return True elif result.return_code == 1: return False else: print(result) raise SystemExit()
yum_install_from_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pkg_name, url):\n if is_package_installed(distribution='el', pkg=pkg_name) is False:\n log_green('installing %s from %s' % (pkg_name, url))\n with settings(hide('warnings', 'running', 'stdout', 'stderr'),\n warn_only=True, capture=True):\n result = sudo('rpm -i %s' % url)\n if result.return_code == 0:\n return True\n elif result.return_code == 1:\n return False\n else:\n print(result)\n raise SystemExit()\n", "role": "user" }, { "content": "yum_install_from_url", "role": "assistant" } ]
def x(self, pattern, entete, in_all=False): if in_all: self.collection = self.get_all() self.collection.recherche(pattern, entete) self._reset_render() return len(self.collection)
recherche
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pattern, entete, in_all=False):\n if in_all:\n self.collection = self.get_all()\n self.collection.recherche(pattern, entete)\n self._reset_render()\n return len(self.collection)\n", "role": "user" }, { "content": "recherche", "role": "assistant" } ]
def x(self, job, on_error=None, on_success=None): if not self.main.mode_online: self.sortie_erreur_GUI( "Local mode activated. Can't run background task !") self.reset() return on_error = on_error or self.sortie_erreur_GUI on_success = on_success or self.sortie_standard_GUI def x(r): on_success(r) self.update() def x(r): on_error(r) self.reset() logging.info( f'Launching background task from interface {self.__class__.__name__} ...' ) th = threads.worker(job, thread_error, thread_end) self._add_thread(th)
launch_background_job
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, job, on_error=None, on_success=None):\n if not self.main.mode_online:\n self.sortie_erreur_GUI(\n \"Local mode activated. Can't run background task !\")\n self.reset()\n return\n on_error = on_error or self.sortie_erreur_GUI\n on_success = on_success or self.sortie_standard_GUI\n\n def x(r):\n on_success(r)\n self.update()\n\n def x(r):\n on_error(r)\n self.reset()\n logging.info(\n f'Launching background task from interface {self.__class__.__name__} ...'\n )\n th = threads.worker(job, thread_error, thread_end)\n self._add_thread(th)\n", "role": "user" }, { "content": "launch_background_job", "role": "assistant" } ]
def x(liste_base, criteres) ->groups.Collection: def x(ac): for cat, li in criteres.items(): v = ac[cat] if not v in li: return False return True return groups.Collection(a for a in liste_base if choisi(a))
filtre
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(liste_base, criteres) ->groups.Collection:\n\n def x(ac):\n for cat, li in criteres.items():\n v = ac[cat]\n if not v in li:\n return False\n return True\n return groups.Collection(a for a in liste_base if choisi(a))\n", "role": "user" }, { "content": "filtre", "role": "assistant" } ]
def x(self, callback_etat=print): callback_etat('Chargement des utilisateurs', 0, 1) self._load_users() self.base = self.BASE_CLASS.load_from_db(callback_etat=callback_etat)
load_remote_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callback_etat=print):\n callback_etat('Chargement des utilisateurs', 0, 1)\n self._load_users()\n self.base = self.BASE_CLASS.load_from_db(callback_etat=callback_etat)\n", "role": "user" }, { "content": "load_remote_data", "role": "assistant" } ]
def x(self): r = sql.abstractRequetesSQL.get_users()() self.users = {d['id']: dict(d) for d in r}
load_users
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n r = sql.abstractRequetesSQL.get_users()()\n self.users = {d['id']: dict(d) for d in r}\n", "role": "user" }, { "content": "load_users", "role": "assistant" } ]
def x(self): if self.INTERFACES_MODULE is None: raise NotImplementedError( 'A module containing interfaces modules should be setup in INTERFACES_MODULE !' ) else: for module, permission in self.modules.items(): i = getattr(self.INTERFACES_MODULE, module).Interface(self, permission) self.interfaces[module] = i
load_modules
[ { "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.INTERFACES_MODULE is None:\n raise NotImplementedError(\n 'A module containing interfaces modules should be setup in INTERFACES_MODULE !'\n )\n else:\n for module, permission in self.modules.items():\n i = getattr(self.INTERFACES_MODULE, module).Interface(self,\n permission)\n self.interfaces[module] = i\n", "role": "user" }, { "content": "load_modules", "role": "assistant" } ]
def x(self, user_id): try: with open('local/init', 'rb') as f: s = f.read() s = security.protege_data(s, False) self.autolog = json.loads(s).get('autolog', {}) except FileNotFoundError: return mdp = self.autolog.get(user_id, None) return mdp
has_autolog
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_id):\n try:\n with open('local/init', 'rb') as f:\n s = f.read()\n s = security.protege_data(s, False)\n self.autolog = json.loads(s).get('autolog', {})\n except FileNotFoundError:\n return\n mdp = self.autolog.get(user_id, None)\n return mdp\n", "role": "user" }, { "content": "has_autolog", "role": "assistant" } ]
def x(self, user_id, mdp, autolog): r = sql.abstractRequetesSQL.check_mdp_user(user_id, mdp) if r(): self.autolog[user_id] = autolog and mdp or False self.modules = self.users[user_id]['modules'] dic = {'autolog': self.autolog, 'modules': self.modules} s = json.dumps(dic, indent=4, ensure_ascii=False) b = security.protege_data(s, True) with open('local/init', 'wb') as f: f.write(b) self.mode_online = True return True else: logging.debug('Bad password !')
loggin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_id, mdp, autolog):\n r = sql.abstractRequetesSQL.check_mdp_user(user_id, mdp)\n if r():\n self.autolog[user_id] = autolog and mdp or False\n self.modules = self.users[user_id]['modules']\n dic = {'autolog': self.autolog, 'modules': self.modules}\n s = json.dumps(dic, indent=4, ensure_ascii=False)\n b = security.protege_data(s, True)\n with open('local/init', 'wb') as f:\n f.write(b)\n self.mode_online = True\n return True\n else:\n logging.debug('Bad password !')\n", "role": "user" }, { "content": "loggin", "role": "assistant" } ]
def x(self, w): if self.layout(): self.layout().addWidget(w) else: layout = QVBoxLayout(self) layout.addWidget(w)
add_widget
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, w):\n if self.layout():\n self.layout().addWidget(w)\n else:\n layout = QVBoxLayout(self)\n layout.addWidget(w)\n", "role": "user" }, { "content": "add_widget", "role": "assistant" } ]
def x(self, l): if self.layout(): self.layout().addLayout(l) else: layout = QVBoxLayout(self) layout.addLayout(l)
add_layout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, l):\n if self.layout():\n self.layout().addLayout(l)\n else:\n layout = QVBoxLayout(self)\n layout.addLayout(l)\n", "role": "user" }, { "content": "add_layout", "role": "assistant" } ]
def x(items): pad = 0 stritems = [str(e) for e in items] for e in stritems: index = stritems.index(e) if len(stritems[index]) > pad: pad = len(stritems[index]) pad += 2 return pad
mkpad
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(items):\n pad = 0\n stritems = [str(e) for e in items]\n for e in stritems:\n index = stritems.index(e)\n if len(stritems[index]) > pad:\n pad = len(stritems[index])\n pad += 2\n return pad\n", "role": "user" }, { "content": "mkpad", "role": "assistant" } ]
def x(l, rows): cols = [] base = 0 while len(l) > rows and len(l) % rows != 0: l.append('') for i in range(rows, len(l) + rows, rows): cols.append(l[base:i]) base = i return cols
mkcols
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(l, rows):\n cols = []\n base = 0\n while len(l) > rows and len(l) % rows != 0:\n l.append('')\n for i in range(rows, len(l) + rows, rows):\n cols.append(l[base:i])\n base = i\n return cols\n", "role": "user" }, { "content": "mkcols", "role": "assistant" } ]
def x(l, pad, width, height): maxcols = int(width / pad) while len(l) > height * maxcols: height += 1 return height
mkrows
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(l, pad, width, height):\n maxcols = int(width / pad)\n while len(l) > height * maxcols:\n height += 1\n return height\n", "role": "user" }, { "content": "mkrows", "role": "assistant" } ]
def x(items, vpad=6): from os import get_terminal_size items = list(items) width, height = get_terminal_size() height -= vpad pad = mkpad(items) rows = mkrows(items, pad, width, height) cols = mkcols(items, rows) for c in zip(*cols): row_format = '{:<{pad}}' * len(cols) print(row_format.format(*c, pad=pad))
prtcols
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(items, vpad=6):\n from os import get_terminal_size\n items = list(items)\n width, height = get_terminal_size()\n height -= vpad\n pad = mkpad(items)\n rows = mkrows(items, pad, width, height)\n cols = mkcols(items, rows)\n for c in zip(*cols):\n row_format = '{:<{pad}}' * len(cols)\n print(row_format.format(*c, pad=pad))\n", "role": "user" }, { "content": "prtcols", "role": "assistant" } ]
def x(cmd): p = Popen(cmd, stdout=PIPE, stderr=PIPE, shell=True) stdout, stderr = p.communicate() if p.returncode != 0 and stderr != '': return 'ERROR: %s\n' % stderr else: return stdout.split('\n')
cmd2list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cmd):\n p = Popen(cmd, stdout=PIPE, stderr=PIPE, shell=True)\n stdout, stderr = p.communicate()\n if p.returncode != 0 and stderr != '':\n return 'ERROR: %s\\n' % stderr\n else:\n return stdout.split('\\n')\n", "role": "user" }, { "content": "cmd2list", "role": "assistant" } ]