source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self): if not self.grid.changes: print('-I- No changes to save') return if self.grid_type == 'age': age_data_type = self.er_magic.age_type self.er_magic.write_ages = True starred_cols = self.grid.remove_starred_labels() self.grid.SaveEditControlValue() if self.grid.changes: num_cols = self.grid.GetNumberCols() for change in self.grid.changes: if change == -1: continue else: old_item = self.grid.row_items[change] new_item_name = self.grid.GetCellValue(change, 0) new_er_data = {} new_pmag_data = {} er_header = self.grid_headers[self.grid_type]['er'][0] pmag_header = self.grid_headers[self.grid_type]['pmag'][0] start_num = 2 if self.parent_type else 1 result_data = {} for col in range(start_num, num_cols): col_label = str(self.grid.GetColLabelValue(col)) value = str(self.grid.GetCellValue(change, col)) if value == '\t': value = '' if '++' in col_label: col_name = col_label[:-2] new_pmag_data[col_name] = value continue if col_label == 'er_citation_names': new_pmag_data[col_label] = 'This study' new_er_data[col_label] = value continue if er_header and col_label in er_header: new_er_data[col_label] = value if self.grid_type in ('specimen', 'sample', 'site'): if (pmag_header and col_label in pmag_header and col_label not in self.er_magic.double): new_pmag_data[col_label] = value elif pmag_header and col_label in pmag_header: new_pmag_data[col_label] = value if col_label in ('er_specimen_names', 'er_sample_names', 'er_site_names', 'er_location_names'): result_data[col_label] = value if isinstance(old_item, str): old_item_name = None else: old_item_name = self.grid.row_items[change].name if self.parent_type: new_parent_name = self.grid.GetCellValue(change, 1) else: new_parent_name = '' if new_item_name and not old_item_name: print('-I- make new item named', new_item_name) if self.grid_type == 'result': specs, samps, sites, locs = self.get_result_children( result_data) item = self.er_magic.add_result(new_item_name, specs, samps, sites, locs, new_pmag_data) else: item = self.er_magic.add_methods[self.grid_type]( new_item_name, new_parent_name, new_er_data, new_pmag_data) elif new_item_name and old_item_name: print('-I- update existing {} formerly named {} to {}'. format(self.grid_type, old_item_name, new_item_name)) if self.grid_type == 'result': specs, samps, sites, locs = self.get_result_children( result_data) item = self.er_magic.update_methods['result']( old_item_name, new_item_name, new_er_data=None, new_pmag_data=new_pmag_data, spec_names=specs, samp_names=samps, site_names=sites, loc_names= locs, replace_data=True) elif self.grid_type == 'age': item_type = age_data_type item = self.er_magic.update_methods['age']( old_item_name, new_er_data, item_type, replace_data=True) else: item = self.er_magic.update_methods[self.grid_type]( old_item_name, new_item_name, new_parent_name, new_er_data, new_pmag_data, replace_data=True)
save_grid_data
[ { "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.grid.changes:\n print('-I- No changes to save')\n return\n if self.grid_type == 'age':\n age_data_type = self.er_magic.age_type\n self.er_magic.write_ages = True\n starred_cols = self.grid.remove_starred_labels()\n self.grid.SaveEditControlValue()\n if self.grid.changes:\n num_cols = self.grid.GetNumberCols()\n for change in self.grid.changes:\n if change == -1:\n continue\n else:\n old_item = self.grid.row_items[change]\n new_item_name = self.grid.GetCellValue(change, 0)\n new_er_data = {}\n new_pmag_data = {}\n er_header = self.grid_headers[self.grid_type]['er'][0]\n pmag_header = self.grid_headers[self.grid_type]['pmag'][0]\n start_num = 2 if self.parent_type else 1\n result_data = {}\n for col in range(start_num, num_cols):\n col_label = str(self.grid.GetColLabelValue(col))\n value = str(self.grid.GetCellValue(change, col))\n if value == '\\t':\n value = ''\n if '++' in col_label:\n col_name = col_label[:-2]\n new_pmag_data[col_name] = value\n continue\n if col_label == 'er_citation_names':\n new_pmag_data[col_label] = 'This study'\n new_er_data[col_label] = value\n continue\n if er_header and col_label in er_header:\n new_er_data[col_label] = value\n if self.grid_type in ('specimen', 'sample', 'site'):\n if (pmag_header and col_label in pmag_header and \n col_label not in self.er_magic.double):\n new_pmag_data[col_label] = value\n elif pmag_header and col_label in pmag_header:\n new_pmag_data[col_label] = value\n if col_label in ('er_specimen_names', 'er_sample_names',\n 'er_site_names', 'er_location_names'):\n result_data[col_label] = value\n if isinstance(old_item, str):\n old_item_name = None\n else:\n old_item_name = self.grid.row_items[change].name\n if self.parent_type:\n new_parent_name = self.grid.GetCellValue(change, 1)\n else:\n new_parent_name = ''\n if new_item_name and not old_item_name:\n print('-I- make new item named', new_item_name)\n if self.grid_type == 'result':\n specs, samps, sites, locs = self.get_result_children(\n result_data)\n item = self.er_magic.add_result(new_item_name,\n specs, samps, sites, locs, new_pmag_data)\n else:\n item = self.er_magic.add_methods[self.grid_type](\n new_item_name, new_parent_name, new_er_data,\n new_pmag_data)\n elif new_item_name and old_item_name:\n print('-I- update existing {} formerly named {} to {}'.\n format(self.grid_type, old_item_name, new_item_name))\n if self.grid_type == 'result':\n specs, samps, sites, locs = self.get_result_children(\n result_data)\n item = self.er_magic.update_methods['result'](\n old_item_name, new_item_name, new_er_data=None,\n new_pmag_data=new_pmag_data, spec_names=specs,\n samp_names=samps, site_names=sites, loc_names=\n locs, replace_data=True)\n elif self.grid_type == 'age':\n item_type = age_data_type\n item = self.er_magic.update_methods['age'](\n old_item_name, new_er_data, item_type,\n replace_data=True)\n else:\n item = self.er_magic.update_methods[self.grid_type](\n old_item_name, new_item_name, new_parent_name,\n new_er_data, new_pmag_data, replace_data=True)\n", "role": "user" }, { "content": "save_grid_data", "role": "assistant" } ]
def x(): args = sys.argv if '-h' in args: print(main.__doc__) sys.exit() dir_path = pmag.get_named_arg('-WD', '.') user = pmag.get_named_arg('-usr', '') labfield = pmag.get_named_arg('-dc', '0.5') meas_file = pmag.get_named_arg('-F', 'measurements.txt') samp_file = pmag.get_named_arg('-fsa', 'samples.txt') try: infile = pmag.get_named_arg('-f', reqd=True) except pmag.MissingCommandLineArgException: print(main.__doc__) print('-f is required option') sys.exit() specnum = int(pmag.get_named_arg('-spc', 0)) location = pmag.get_named_arg('-loc', '') specimen_name = pmag.get_named_arg('-spn', reqd=True) syn = 0 if '-syn' in args: syn = 1 samp_con = pmag.get_named_arg('-ncn', '1') if '-ncn' in args: ind = args.index('-ncn') samp_con = sys.argv[ind + 1] data_model_num = int(pmag.get_named_arg('-DM', 3)) convert.mst(infile, specimen_name, dir_path, '', meas_file, samp_file, user, specnum, samp_con, labfield, location, syn, data_model_num)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n args = sys.argv\n if '-h' in args:\n print(main.__doc__)\n sys.exit()\n dir_path = pmag.get_named_arg('-WD', '.')\n user = pmag.get_named_arg('-usr', '')\n labfield = pmag.get_named_arg('-dc', '0.5')\n meas_file = pmag.get_named_arg('-F', 'measurements.txt')\n samp_file = pmag.get_named_arg('-fsa', 'samples.txt')\n try:\n infile = pmag.get_named_arg('-f', reqd=True)\n except pmag.MissingCommandLineArgException:\n print(main.__doc__)\n print('-f is required option')\n sys.exit()\n specnum = int(pmag.get_named_arg('-spc', 0))\n location = pmag.get_named_arg('-loc', '')\n specimen_name = pmag.get_named_arg('-spn', reqd=True)\n syn = 0\n if '-syn' in args:\n syn = 1\n samp_con = pmag.get_named_arg('-ncn', '1')\n if '-ncn' in args:\n ind = args.index('-ncn')\n samp_con = sys.argv[ind + 1]\n data_model_num = int(pmag.get_named_arg('-DM', 3))\n convert.mst(infile, specimen_name, dir_path, '', meas_file, samp_file,\n user, specnum, samp_con, labfield, location, syn, data_model_num)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): infile = 'magic_measurements.txt' sitefile = '' specout = 'er_specimens.txt' instout = 'magic_instruments.txt' if '-h' in sys.argv: print(main.__doc__) sys.exit() if '-f' in sys.argv: ind = sys.argv.index('-f') infile = sys.argv[ind + 1] if '-fsi' in sys.argv: ind = sys.argv.index('-fsi') sitefile = sys.argv[ind + 1] if '-Fsp' in sys.argv: ind = sys.argv.index('-Fsp') specout = sys.argv[ind + 1] if '-Fin' in sys.argv: ind = sys.argv.index('-Fin') instout = sys.argv[ind + 1] if '-WD' in sys.argv: ind = sys.argv.index('-WD') dir_path = sys.argv[ind + 1] infile = dir_path + '/' + infile if sitefile != '': sitefile = dir_path + '/' + sitefile specout = dir_path + '/' + specout instout = dir_path + '/' + instout pmag.ParseMeasFile(infile, sitefile, instout, specout)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n infile = 'magic_measurements.txt'\n sitefile = ''\n specout = 'er_specimens.txt'\n instout = 'magic_instruments.txt'\n if '-h' in sys.argv:\n print(main.__doc__)\n sys.exit()\n if '-f' in sys.argv:\n ind = sys.argv.index('-f')\n infile = sys.argv[ind + 1]\n if '-fsi' in sys.argv:\n ind = sys.argv.index('-fsi')\n sitefile = sys.argv[ind + 1]\n if '-Fsp' in sys.argv:\n ind = sys.argv.index('-Fsp')\n specout = sys.argv[ind + 1]\n if '-Fin' in sys.argv:\n ind = sys.argv.index('-Fin')\n instout = sys.argv[ind + 1]\n if '-WD' in sys.argv:\n ind = sys.argv.index('-WD')\n dir_path = sys.argv[ind + 1]\n infile = dir_path + '/' + infile\n if sitefile != '':\n sitefile = dir_path + '/' + sitefile\n specout = dir_path + '/' + specout\n instout = dir_path + '/' + instout\n pmag.ParseMeasFile(infile, sitefile, instout, specout)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self, event): os.chdir(self.WD) options = {} HUJI_file = self.bSizer0.return_value() if not HUJI_file: pw.simple_warning('You must select a HUJI format file') return False options['magfile'] = HUJI_file magicoutfile = os.path.split(HUJI_file)[1] + '.magic' outfile = os.path.join(self.WD, magicoutfile) options['meas_file'] = outfile user = self.bSizer1.return_value() options['user'] = user if user: user = '-usr ' + user experiment_type = self.bSizer2.return_value() options['codelist'] = experiment_type if not experiment_type: pw.simple_warning('You must select an experiment type') return False cooling_rate = self.cooling_rate.GetValue() or 0 if cooling_rate: experiment_type = experiment_type + ' ' + cooling_rate lab_field = self.bSizer3.return_value() if not lab_field: lab_field = '0 0 0' lab_field_list = lab_field.split() options['labfield'] = lab_field_list[0] options['phi'] = lab_field_list[1] options['theta'] = lab_field_list[2] lab_field = '-dc ' + lab_field spc = self.bSizer4.return_value() options['specnum'] = spc or 0 if not spc: spc = '-spc 0' else: spc = '-spc ' + spc ncn = self.bSizer5.return_value() options['samp_con'] = ncn loc_name = self.bSizer6.return_value() options['er_location_name'] = loc_name if loc_name: loc_name = '-loc ' + loc_name peak_AF = self.bSizer7.return_value() options['peakfield'] = peak_AF replicate = self.bSizer8.return_value() if replicate: options['noave'] = 0 replicate = '' else: options['noave'] = 1 replicate = '-A' old_format = self.bSizer0a.return_value() if old_format: COMMAND = ('huji_magic.py -f {} -F {} {} -LP {} {} -ncn {} {} {} {} {}' .format(HUJI_file, outfile, user, experiment_type, loc_name, ncn, lab_field, spc, peak_AF, replicate)) program_ran, error_message = huji_magic.main(False, **options) if program_ran: pw.close_window(self, COMMAND, outfile) else: pw.simple_warning(error_message) else: COMMAND = ( 'huji_magic_new.py -f {} -F {} {} -LP {} {} -ncn {} {} {} {}'. format(HUJI_file, outfile, user, experiment_type, loc_name, ncn, lab_field, spc, peak_AF)) program_ran, error_message = huji_magic_new.main(False, **options) if program_ran: pw.close_window(self, COMMAND, outfile) else: pw.simple_warning(error_message)
on_okButton
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n os.chdir(self.WD)\n options = {}\n HUJI_file = self.bSizer0.return_value()\n if not HUJI_file:\n pw.simple_warning('You must select a HUJI format file')\n return False\n options['magfile'] = HUJI_file\n magicoutfile = os.path.split(HUJI_file)[1] + '.magic'\n outfile = os.path.join(self.WD, magicoutfile)\n options['meas_file'] = outfile\n user = self.bSizer1.return_value()\n options['user'] = user\n if user:\n user = '-usr ' + user\n experiment_type = self.bSizer2.return_value()\n options['codelist'] = experiment_type\n if not experiment_type:\n pw.simple_warning('You must select an experiment type')\n return False\n cooling_rate = self.cooling_rate.GetValue() or 0\n if cooling_rate:\n experiment_type = experiment_type + ' ' + cooling_rate\n lab_field = self.bSizer3.return_value()\n if not lab_field:\n lab_field = '0 0 0'\n lab_field_list = lab_field.split()\n options['labfield'] = lab_field_list[0]\n options['phi'] = lab_field_list[1]\n options['theta'] = lab_field_list[2]\n lab_field = '-dc ' + lab_field\n spc = self.bSizer4.return_value()\n options['specnum'] = spc or 0\n if not spc:\n spc = '-spc 0'\n else:\n spc = '-spc ' + spc\n ncn = self.bSizer5.return_value()\n options['samp_con'] = ncn\n loc_name = self.bSizer6.return_value()\n options['er_location_name'] = loc_name\n if loc_name:\n loc_name = '-loc ' + loc_name\n peak_AF = self.bSizer7.return_value()\n options['peakfield'] = peak_AF\n replicate = self.bSizer8.return_value()\n if replicate:\n options['noave'] = 0\n replicate = ''\n else:\n options['noave'] = 1\n replicate = '-A'\n old_format = self.bSizer0a.return_value()\n if old_format:\n COMMAND = ('huji_magic.py -f {} -F {} {} -LP {} {} -ncn {} {} {} {} {}'\n .format(HUJI_file, outfile, user, experiment_type, loc_name,\n ncn, lab_field, spc, peak_AF, replicate))\n program_ran, error_message = huji_magic.main(False, **options)\n if program_ran:\n pw.close_window(self, COMMAND, outfile)\n else:\n pw.simple_warning(error_message)\n else:\n COMMAND = (\n 'huji_magic_new.py -f {} -F {} {} -LP {} {} -ncn {} {} {} {}'.\n format(HUJI_file, outfile, user, experiment_type, loc_name, ncn,\n lab_field, spc, peak_AF))\n program_ran, error_message = huji_magic_new.main(False, **options)\n if program_ran:\n pw.close_window(self, COMMAND, outfile)\n else:\n pw.simple_warning(error_message)\n", "role": "user" }, { "content": "on_okButton", "role": "assistant" } ]
def x(self, event): os.chdir(self.WD) options_dict = {} wd = self.WD options_dict['dir_path'] = wd full_file = self.bSizer0.return_value() if not full_file: pw.simple_warning('You must provide a Utrecht format file') return False input_directory, Utrecht_file = os.path.split(full_file) options_dict['mag_file'] = Utrecht_file options_dict['input_dir_path'] = input_directory if input_directory: ID = '-ID ' + input_directory else: ID = '' outfile = Utrecht_file + '.magic' options_dict['meas_file'] = outfile samp_outfile = Utrecht_file[:Utrecht_file.find('.')] + '_er_samples.txt' options_dict['samp_file'] = samp_outfile spec_outfile = Utrecht_file[:Utrecht_file.find('.')] + '_er_specimens.txt' options_dict['spec_file'] = spec_outfile site_outfile = Utrecht_file[:Utrecht_file.find('.')] + '_er_sites.txt' options_dict['site_file'] = site_outfile dc_flag, dc_params = '', '' if self.bSizer6.return_value() != '': dc_params = list(map(float, self.bSizer6.return_value().split())) options_dict['dc_params'] = dc_params dc_flag = '-dc' spec_num = self.bSizer3.return_value() options_dict['specnum'] = spec_num if spec_num: spec_num = '-spc ' + str(spec_num) else: spec_num = '-spc 0' loc_name = self.bSizer4.return_value() options_dict['location_name'] = loc_name if loc_name: loc_name = '-loc ' + loc_name ncn = self.bSizer2.return_value() options_dict['samp_con'] = ncn particulars = self.bSizer1.return_value() options_dict['meth_code'] = particulars if particulars: particulars = '-mcd ' + particulars euro_date = self.bSizer7.return_value() if euro_date: options_dict['dmy_flag'] = True dmy_flag = '-dmy' else: options_dict['dmy_flag'] = False dmy_flag = '' try: site_lat, site_lon = self.bSizer8.return_value().split() except ValueError: site_lat, site_lon = '', '' options_dict['site_lat'] = site_lat options_dict['site_lon'] = site_lon replicate = self.bSizer5.return_value() if replicate: options_dict['avg'] = False replicate = '' else: options_dict['avg'] = True replicate = '-A' COMMAND = ( 'cit_magic.py -WD {} -f {} -F {} {} {} {} -ncn {} {} -Fsp {} -Fsi {} -Fsa {} {} {} {} {} -lat {} -lon {}' .format(wd, Utrecht_file, outfile, particulars, spec_num, loc_name, ncn, ID, spec_outfile, site_outfile, samp_outfile, replicate, dc_flag, dc_params, dmy_flag, site_lon, site_lat)) program_ran, error_message = utrecht_magic.main(command_line=False, ** options_dict) if program_ran: pw.close_window(self, COMMAND, outfile) else: pw.simple_warning(error_message)
on_okButton
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n os.chdir(self.WD)\n options_dict = {}\n wd = self.WD\n options_dict['dir_path'] = wd\n full_file = self.bSizer0.return_value()\n if not full_file:\n pw.simple_warning('You must provide a Utrecht format file')\n return False\n input_directory, Utrecht_file = os.path.split(full_file)\n options_dict['mag_file'] = Utrecht_file\n options_dict['input_dir_path'] = input_directory\n if input_directory:\n ID = '-ID ' + input_directory\n else:\n ID = ''\n outfile = Utrecht_file + '.magic'\n options_dict['meas_file'] = outfile\n samp_outfile = Utrecht_file[:Utrecht_file.find('.')] + '_er_samples.txt'\n options_dict['samp_file'] = samp_outfile\n spec_outfile = Utrecht_file[:Utrecht_file.find('.')] + '_er_specimens.txt'\n options_dict['spec_file'] = spec_outfile\n site_outfile = Utrecht_file[:Utrecht_file.find('.')] + '_er_sites.txt'\n options_dict['site_file'] = site_outfile\n dc_flag, dc_params = '', ''\n if self.bSizer6.return_value() != '':\n dc_params = list(map(float, self.bSizer6.return_value().split()))\n options_dict['dc_params'] = dc_params\n dc_flag = '-dc'\n spec_num = self.bSizer3.return_value()\n options_dict['specnum'] = spec_num\n if spec_num:\n spec_num = '-spc ' + str(spec_num)\n else:\n spec_num = '-spc 0'\n loc_name = self.bSizer4.return_value()\n options_dict['location_name'] = loc_name\n if loc_name:\n loc_name = '-loc ' + loc_name\n ncn = self.bSizer2.return_value()\n options_dict['samp_con'] = ncn\n particulars = self.bSizer1.return_value()\n options_dict['meth_code'] = particulars\n if particulars:\n particulars = '-mcd ' + particulars\n euro_date = self.bSizer7.return_value()\n if euro_date:\n options_dict['dmy_flag'] = True\n dmy_flag = '-dmy'\n else:\n options_dict['dmy_flag'] = False\n dmy_flag = ''\n try:\n site_lat, site_lon = self.bSizer8.return_value().split()\n except ValueError:\n site_lat, site_lon = '', ''\n options_dict['site_lat'] = site_lat\n options_dict['site_lon'] = site_lon\n replicate = self.bSizer5.return_value()\n if replicate:\n options_dict['avg'] = False\n replicate = ''\n else:\n options_dict['avg'] = True\n replicate = '-A'\n COMMAND = (\n 'cit_magic.py -WD {} -f {} -F {} {} {} {} -ncn {} {} -Fsp {} -Fsi {} -Fsa {} {} {} {} {} -lat {} -lon {}'\n .format(wd, Utrecht_file, outfile, particulars, spec_num, loc_name,\n ncn, ID, spec_outfile, site_outfile, samp_outfile, replicate,\n dc_flag, dc_params, dmy_flag, site_lon, site_lat))\n program_ran, error_message = utrecht_magic.main(command_line=False, **\n options_dict)\n if program_ran:\n pw.close_window(self, COMMAND, outfile)\n else:\n pw.simple_warning(error_message)\n", "role": "user" }, { "content": "on_okButton", "role": "assistant" } ]
def x(self, event): self.on_m_save_file(None) orient_convention_dia = orient_convention(None) orient_convention_dia.Center() if orient_convention_dia.ShowModal() == wx.ID_OK: ocn_flag = orient_convention_dia.ocn_flag dcn_flag = orient_convention_dia.dcn_flag gmt_flags = orient_convention_dia.gmt_flags orient_convention_dia.Destroy() else: return or_con = orient_convention_dia.ocn dec_correction_con = int(orient_convention_dia.dcn) try: hours_from_gmt = float(orient_convention_dia.gmt) except: hours_from_gmt = 0 try: dec_correction = float(orient_convention_dia.correct_dec) except: dec_correction = 0 method_code_dia = method_code_dialog(None) method_code_dia.Center() if method_code_dia.ShowModal() == wx.ID_OK: bedding_codes_flags = method_code_dia.bedding_codes_flags methodcodes_flags = method_code_dia.methodcodes_flags method_code_dia.Destroy() else: print('-I- Canceling calculation') return method_codes = method_code_dia.methodcodes average_bedding = method_code_dia.average_bedding bed_correction = method_code_dia.bed_correction command_args = ['orientation_magic.py'] command_args.append('-WD %s' % self.WD) command_args.append('-Fsa er_samples_orient.txt') command_args.append('-Fsi er_sites_orient.txt ') command_args.append('-f %s' % 'demag_orient.txt') command_args.append(ocn_flag) command_args.append(dcn_flag) command_args.append(gmt_flags) command_args.append(bedding_codes_flags) command_args.append(methodcodes_flags) commandline = ' '.join(command_args) print('-I- executing command: %s' % commandline) os.chdir(self.WD) if os.path.exists(os.path.join(self.WD, 'er_samples.txt') ) or os.path.exists(os.path.join(self.WD, 'er_sites.txt')): append = True else: append = False samp_file = 'er_samples.txt' site_file = 'er_sites.txt' success, error_message = ipmag.orientation_magic(or_con, dec_correction_con, dec_correction, bed_correction, hours_from_gmt= hours_from_gmt, method_codes=method_codes, average_bedding= average_bedding, orient_file='demag_orient.txt', samp_file= samp_file, site_file=site_file, input_dir_path=self.WD, output_dir_path=self.WD, append=append, data_model=3) if not success: dlg1 = wx.MessageDialog(None, caption='Message:', message= """-E- ERROR: Error in running orientation_magic.py {}""". format(error_message), style=wx.OK | wx.ICON_INFORMATION) dlg1.ShowModal() dlg1.Destroy() print('-E- ERROR: Error in running orientation_magic.py') return else: dlg2 = wx.MessageDialog(None, caption='Message:', message= '-I- Successfully ran orientation_magic', style=wx.OK | wx. ICON_INFORMATION) dlg2.ShowModal() dlg2.Destroy() self.Parent.Show() self.Parent.Raise() self.Destroy() self.contribution.add_magic_table('samples') return
on_m_calc_orient
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n self.on_m_save_file(None)\n orient_convention_dia = orient_convention(None)\n orient_convention_dia.Center()\n if orient_convention_dia.ShowModal() == wx.ID_OK:\n ocn_flag = orient_convention_dia.ocn_flag\n dcn_flag = orient_convention_dia.dcn_flag\n gmt_flags = orient_convention_dia.gmt_flags\n orient_convention_dia.Destroy()\n else:\n return\n or_con = orient_convention_dia.ocn\n dec_correction_con = int(orient_convention_dia.dcn)\n try:\n hours_from_gmt = float(orient_convention_dia.gmt)\n except:\n hours_from_gmt = 0\n try:\n dec_correction = float(orient_convention_dia.correct_dec)\n except:\n dec_correction = 0\n method_code_dia = method_code_dialog(None)\n method_code_dia.Center()\n if method_code_dia.ShowModal() == wx.ID_OK:\n bedding_codes_flags = method_code_dia.bedding_codes_flags\n methodcodes_flags = method_code_dia.methodcodes_flags\n method_code_dia.Destroy()\n else:\n print('-I- Canceling calculation')\n return\n method_codes = method_code_dia.methodcodes\n average_bedding = method_code_dia.average_bedding\n bed_correction = method_code_dia.bed_correction\n command_args = ['orientation_magic.py']\n command_args.append('-WD %s' % self.WD)\n command_args.append('-Fsa er_samples_orient.txt')\n command_args.append('-Fsi er_sites_orient.txt ')\n command_args.append('-f %s' % 'demag_orient.txt')\n command_args.append(ocn_flag)\n command_args.append(dcn_flag)\n command_args.append(gmt_flags)\n command_args.append(bedding_codes_flags)\n command_args.append(methodcodes_flags)\n commandline = ' '.join(command_args)\n print('-I- executing command: %s' % commandline)\n os.chdir(self.WD)\n if os.path.exists(os.path.join(self.WD, 'er_samples.txt')\n ) or os.path.exists(os.path.join(self.WD, 'er_sites.txt')):\n append = True\n else:\n append = False\n samp_file = 'er_samples.txt'\n site_file = 'er_sites.txt'\n success, error_message = ipmag.orientation_magic(or_con,\n dec_correction_con, dec_correction, bed_correction, hours_from_gmt=\n hours_from_gmt, method_codes=method_codes, average_bedding=\n average_bedding, orient_file='demag_orient.txt', samp_file=\n samp_file, site_file=site_file, input_dir_path=self.WD,\n output_dir_path=self.WD, append=append, data_model=3)\n if not success:\n dlg1 = wx.MessageDialog(None, caption='Message:', message=\n \"\"\"-E- ERROR: Error in running orientation_magic.py\n{}\"\"\".\n format(error_message), style=wx.OK | wx.ICON_INFORMATION)\n dlg1.ShowModal()\n dlg1.Destroy()\n print('-E- ERROR: Error in running orientation_magic.py')\n return\n else:\n dlg2 = wx.MessageDialog(None, caption='Message:', message=\n '-I- Successfully ran orientation_magic', style=wx.OK | wx.\n ICON_INFORMATION)\n dlg2.ShowModal()\n dlg2.Destroy()\n self.Parent.Show()\n self.Parent.Raise()\n self.Destroy()\n self.contribution.add_magic_table('samples')\n return\n", "role": "user" }, { "content": "on_m_calc_orient", "role": "assistant" } ]
def x(): file = '' if '-h' in sys.argv: print(main.__doc__) sys.exit() elif '-i' in sys.argv: file = input('Enter eigenparameters data file name: ') elif '-f' in sys.argv: ind = sys.argv.index('-f') file = sys.argv[ind + 1] if file != '': f = open(file, 'r') data = f.readlines() f.close() else: data = sys.stdin.readlines() ofile = '' if '-F' in sys.argv: ind = sys.argv.index('-F') ofile = sys.argv[ind + 1] out = open(ofile, 'w + a') file_outstring = '' for line in data: tau, Vdirs = [], [] rec = line.split() for k in range(0, 9, 3): tau.append(float(rec[k])) Vdirs.append((float(rec[k + 1]), float(rec[k + 2]))) srot = pmag.doeigs_s(tau, Vdirs) outstring = '' for s in srot: outstring += '%10.8f ' % s if ofile == '': print(outstring) else: out.write(outstring + '\n')
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n file = ''\n if '-h' in sys.argv:\n print(main.__doc__)\n sys.exit()\n elif '-i' in sys.argv:\n file = input('Enter eigenparameters data file name: ')\n elif '-f' in sys.argv:\n ind = sys.argv.index('-f')\n file = sys.argv[ind + 1]\n if file != '':\n f = open(file, 'r')\n data = f.readlines()\n f.close()\n else:\n data = sys.stdin.readlines()\n ofile = ''\n if '-F' in sys.argv:\n ind = sys.argv.index('-F')\n ofile = sys.argv[ind + 1]\n out = open(ofile, 'w + a')\n file_outstring = ''\n for line in data:\n tau, Vdirs = [], []\n rec = line.split()\n for k in range(0, 9, 3):\n tau.append(float(rec[k]))\n Vdirs.append((float(rec[k + 1]), float(rec[k + 2])))\n srot = pmag.doeigs_s(tau, Vdirs)\n outstring = ''\n for s in srot:\n outstring += '%10.8f ' % s\n if ofile == '':\n print(outstring)\n else:\n out.write(outstring + '\\n')\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): args = sys.argv if '-h' in args: print(main.__doc__) sys.exit() dataframe = extractor.command_line_dataframe([['f', False, 'rmag_anisotropy.txt'], ['fb', False, 'magic_measurements.txt'], [ 'fsa', False, 'er_samples.txt'], ['fa', False, None], ['fsum', False, None], ['fmt', False, 'svg'], ['ds', False, 'mbsf'], ['d', False, '-1 -1'], ['sav', False, False], ['WD', False, '.'], ['DM', False, 3], ['fsp', False, 'specimens.txt']]) checked_args = extractor.extract_and_check_args(args, dataframe) (ani_file, meas_file, samp_file, age_file, sum_file, fmt, depth_scale, depth, save_quietly, dir_path, data_model, spec_file) = (extractor. get_vars(['f', 'fb', 'fsa', 'fa', 'fsum', 'fmt', 'ds', 'd', 'sav', 'WD', 'DM', 'fsp'], checked_args)) try: dmin, dmax = depth.split() dmin, dmax = float(dmin), float(dmax) except: print('you must provide depth in this format: -d dmin dmax') print('could not parse "{}", defaulting to plotting all depths'. format('-d ' + str(depth))) dmin, dmax = -1, -1 if depth_scale: if depth_scale not in ['age', 'mbsf', 'mcd']: print( """-W- Unrecognized option "{}" provided for depth scale. Options for depth scale are mbsf (meters below sea floor) or mcd (meters composite depth). Alternatively, if you provide an age file the depth scale will be automatically set to plot by age instead. Using default "mbsf\"""" .format(depth_scale)) depth_scale = 'sample_core_depth' if age_file: depth_scale = 'age' elif 'mbsf' in depth_scale: depth_scale = 'sample_core_depth' elif 'mcd' in depth_scale: depth_scale = 'sample_composite_depth' data_model = int(float(data_model)) if data_model == 2: fig, figname = ipmag.ani_depthplot2(ani_file, meas_file, samp_file, age_file, sum_file, fmt, dmin, dmax, depth_scale, dir_path) else: if meas_file == 'magic_measurements.txt': meas_file = 'measurements.txt' if samp_file in ['er_samples.txt', 'pmag_samples.txt']: samp_file = 'samples.txt' site_file = 'sites.txt' fig, fignames = ipmag.ani_depthplot(spec_file, samp_file, meas_file, site_file, age_file, sum_file, fmt, dmin, dmax, depth_scale, dir_path) figname = fignames[0] if save_quietly: if dir_path == '.': dir_path = os.getcwd() plt.savefig(figname) plt.clf() print('Saved file: {}'.format(figname)) return False app = wx.App(redirect=False) if not fig: pw.simple_warning( """No plot was able to be created with the data you provided. Make sure you have given all the required information and try again""" ) return False dpi = fig.get_dpi() pixel_width = dpi * fig.get_figwidth() pixel_height = dpi * fig.get_figheight() figname = os.path.join(dir_path, figname) plot_frame = pmag_menu_dialogs.PlotFrame((int(pixel_width), int( pixel_height + 50)), fig, figname, standalone=True) app.MainLoop()
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n args = sys.argv\n if '-h' in args:\n print(main.__doc__)\n sys.exit()\n dataframe = extractor.command_line_dataframe([['f', False,\n 'rmag_anisotropy.txt'], ['fb', False, 'magic_measurements.txt'], [\n 'fsa', False, 'er_samples.txt'], ['fa', False, None], ['fsum', \n False, None], ['fmt', False, 'svg'], ['ds', False, 'mbsf'], ['d', \n False, '-1 -1'], ['sav', False, False], ['WD', False, '.'], ['DM', \n False, 3], ['fsp', False, 'specimens.txt']])\n checked_args = extractor.extract_and_check_args(args, dataframe)\n (ani_file, meas_file, samp_file, age_file, sum_file, fmt, depth_scale,\n depth, save_quietly, dir_path, data_model, spec_file) = (extractor.\n get_vars(['f', 'fb', 'fsa', 'fa', 'fsum', 'fmt', 'ds', 'd', 'sav',\n 'WD', 'DM', 'fsp'], checked_args))\n try:\n dmin, dmax = depth.split()\n dmin, dmax = float(dmin), float(dmax)\n except:\n print('you must provide depth in this format: -d dmin dmax')\n print('could not parse \"{}\", defaulting to plotting all depths'.\n format('-d ' + str(depth)))\n dmin, dmax = -1, -1\n if depth_scale:\n if depth_scale not in ['age', 'mbsf', 'mcd']:\n print(\n \"\"\"-W- Unrecognized option \"{}\" provided for depth scale.\n Options for depth scale are mbsf (meters below sea floor) or mcd (meters composite depth).\n Alternatively, if you provide an age file the depth scale will be automatically set to plot by age instead.\n Using default \"mbsf\\\"\"\"\"\n .format(depth_scale))\n depth_scale = 'sample_core_depth'\n if age_file:\n depth_scale = 'age'\n elif 'mbsf' in depth_scale:\n depth_scale = 'sample_core_depth'\n elif 'mcd' in depth_scale:\n depth_scale = 'sample_composite_depth'\n data_model = int(float(data_model))\n if data_model == 2:\n fig, figname = ipmag.ani_depthplot2(ani_file, meas_file, samp_file,\n age_file, sum_file, fmt, dmin, dmax, depth_scale, dir_path)\n else:\n if meas_file == 'magic_measurements.txt':\n meas_file = 'measurements.txt'\n if samp_file in ['er_samples.txt', 'pmag_samples.txt']:\n samp_file = 'samples.txt'\n site_file = 'sites.txt'\n fig, fignames = ipmag.ani_depthplot(spec_file, samp_file, meas_file,\n site_file, age_file, sum_file, fmt, dmin, dmax, depth_scale,\n dir_path)\n figname = fignames[0]\n if save_quietly:\n if dir_path == '.':\n dir_path = os.getcwd()\n plt.savefig(figname)\n plt.clf()\n print('Saved file: {}'.format(figname))\n return False\n app = wx.App(redirect=False)\n if not fig:\n pw.simple_warning(\n \"\"\"No plot was able to be created with the data you provided.\nMake sure you have given all the required information and try again\"\"\"\n )\n return False\n dpi = fig.get_dpi()\n pixel_width = dpi * fig.get_figwidth()\n pixel_height = dpi * fig.get_figheight()\n figname = os.path.join(dir_path, figname)\n plot_frame = pmag_menu_dialogs.PlotFrame((int(pixel_width), int(\n pixel_height + 50)), fig, figname, standalone=True)\n app.MainLoop()\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(obj): if ndarray is not FakeObject: import numpy as np if isinstance(obj, np.generic) or isinstance(obj, np.ndarray): try: return obj.dtype.type except (AttributeError, RuntimeError): return
get_numpy_dtype
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n if ndarray is not FakeObject:\n import numpy as np\n if isinstance(obj, np.generic) or isinstance(obj, np.ndarray):\n try:\n return obj.dtype.type\n except (AttributeError, RuntimeError):\n return\n", "role": "user" }, { "content": "get_numpy_dtype", "role": "assistant" } ]
def x(obj): return '<%s @ %s>' % (obj.__class__.__name__, hex(id(obj)).upper(). replace('X', 'x'))
address
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n return '<%s @ %s>' % (obj.__class__.__name__, hex(id(obj)).upper().\n replace('X', 'x'))\n", "role": "user" }, { "content": "address", "role": "assistant" } ]
def x(item): if isinstance(item, (list, set, tuple, dict)): return len(item) elif isinstance(item, (ndarray, MaskedArray)): return item.shape elif isinstance(item, Image): return item.size if isinstance(item, (DataFrame, Index, Series)): return item.shape else: return 1
get_size
[ { "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, (list, set, tuple, dict)):\n return len(item)\n elif isinstance(item, (ndarray, MaskedArray)):\n return item.shape\n elif isinstance(item, Image):\n return item.size\n if isinstance(item, (DataFrame, Index, Series)):\n return item.shape\n else:\n return 1\n", "role": "user" }, { "content": "get_size", "role": "assistant" } ]
def x(obj): attrs = [k for k in dir(obj) if not k.startswith('__')] if not attrs: attrs = dir(obj) return attrs
get_object_attrs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n attrs = [k for k in dir(obj) if not k.startswith('__')]\n if not attrs:\n attrs = dir(obj)\n return attrs\n", "role": "user" }, { "content": "get_object_attrs", "role": "assistant" } ]
def x(value): m = re.match('^(?:(?:datetime\\.)?timedelta)?\\(?([^)]*)\\)?$', value) if not m: raise ValueError('Invalid string for datetime.timedelta') args = [int(a.strip()) for a in m.group(1).split(',')] return datetime.timedelta(*args)
str_to_timedelta
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n m = re.match('^(?:(?:datetime\\\\.)?timedelta)?\\\\(?([^)]*)\\\\)?$', value)\n if not m:\n raise ValueError('Invalid string for datetime.timedelta')\n args = [int(a.strip()) for a in m.group(1).split(',')]\n return datetime.timedelta(*args)\n", "role": "user" }, { "content": "str_to_timedelta", "role": "assistant" } ]
def x(value): if not is_known_type(value): return CUSTOM_TYPE_COLOR for typ, name in list(COLORS.items()): if isinstance(value, typ): return name else: np_dtype = get_numpy_dtype(value) if np_dtype is None or not hasattr(value, 'size'): return UNSUPPORTED_COLOR elif value.size == 1: return SCALAR_COLOR else: return ARRAY_COLOR
get_color_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if not is_known_type(value):\n return CUSTOM_TYPE_COLOR\n for typ, name in list(COLORS.items()):\n if isinstance(value, typ):\n return name\n else:\n np_dtype = get_numpy_dtype(value)\n if np_dtype is None or not hasattr(value, 'size'):\n return UNSUPPORTED_COLOR\n elif value.size == 1:\n return SCALAR_COLOR\n else:\n return ARRAY_COLOR\n", "role": "user" }, { "content": "get_color_name", "role": "assistant" } ]
def x(list1, list2, reverse=False): try: return [item for _, item in sorted(zip(list2, list1), key=lambda x: x[0], reverse=reverse)] except: return list1
sort_against
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(list1, list2, reverse=False):\n try:\n return [item for _, item in sorted(zip(list2, list1), key=lambda x:\n x[0], reverse=reverse)]\n except:\n return list1\n", "role": "user" }, { "content": "sort_against", "role": "assistant" } ]
def x(value, with_module=True): object_type = type(value) try: name = object_type.__name__ module = object_type.__module__ if with_module: return name + ' object of ' + module + ' module' else: return name except: type_str = to_text_string(object_type) return type_str[1:-1]
default_display
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, with_module=True):\n object_type = type(value)\n try:\n name = object_type.__name__\n module = object_type.__module__\n if with_module:\n return name + ' object of ' + module + ' module'\n else:\n return name\n except:\n type_str = to_text_string(object_type)\n return type_str[1:-1]\n", "role": "user" }, { "content": "default_display", "role": "assistant" } ]
def x(value, level): is_dict = isinstance(value, dict) is_set = isinstance(value, set) if is_dict: elements = iteritems(value) else: elements = value truncate = False if level == 1 and len(value) > 10: elements = islice(elements, 10) if is_dict or is_set else value[:10] truncate = True elif level == 2 and len(value) > 5: elements = islice(elements, 5) if is_dict or is_set else value[:5] truncate = True if level <= 2: if is_dict: displays = [(value_to_display(k, level=level) + ':' + value_to_display(v, level=level)) for k, v in list(elements)] else: displays = [value_to_display(e, level=level) for e in elements] if truncate: displays.append('...') display = ', '.join(displays) else: display = '...' if is_dict: display = '{' + display + '}' elif isinstance(value, list): display = '[' + display + ']' elif isinstance(value, set): display = '{' + display + '}' else: display = '(' + display + ')' return display
collections_display
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, level):\n is_dict = isinstance(value, dict)\n is_set = isinstance(value, set)\n if is_dict:\n elements = iteritems(value)\n else:\n elements = value\n truncate = False\n if level == 1 and len(value) > 10:\n elements = islice(elements, 10) if is_dict or is_set else value[:10]\n truncate = True\n elif level == 2 and len(value) > 5:\n elements = islice(elements, 5) if is_dict or is_set else value[:5]\n truncate = True\n if level <= 2:\n if is_dict:\n displays = [(value_to_display(k, level=level) + ':' +\n value_to_display(v, level=level)) for k, v in list(elements)]\n else:\n displays = [value_to_display(e, level=level) for e in elements]\n if truncate:\n displays.append('...')\n display = ', '.join(displays)\n else:\n display = '...'\n if is_dict:\n display = '{' + display + '}'\n elif isinstance(value, list):\n display = '[' + display + ']'\n elif isinstance(value, set):\n display = '{' + display + '}'\n else:\n display = '(' + display + ')'\n return display\n", "role": "user" }, { "content": "collections_display", "role": "assistant" } ]
def x(value, minmax=False, level=0): np_printoptions = FakeObject try: numeric_numpy_types = (int64, int32, int16, int8, uint64, uint32, uint16, uint8, float64, float32, float16, complex128, complex64, bool_) if ndarray is not FakeObject: np_printoptions = get_printoptions() set_printoptions(threshold=10) if isinstance(value, recarray): if level == 0: fields = value.names display = 'Field names: ' + ', '.join(fields) else: display = 'Recarray' elif isinstance(value, MaskedArray): display = 'Masked array' elif isinstance(value, ndarray): if level == 0: if minmax: try: display = 'Min: %r\nMax: %r' % (value.min(), value. max()) except (TypeError, ValueError): if value.dtype.type in numeric_numpy_types: display = str(value) else: display = default_display(value) elif value.dtype.type in numeric_numpy_types: display = str(value) else: display = default_display(value) else: display = 'Numpy array' elif any([(type(value) == t) for t in [list, set, tuple, dict]]): display = collections_display(value, level + 1) elif isinstance(value, Image): if level == 0: display = '%s Mode: %s' % (address(value), value.mode) else: display = 'Image' elif isinstance(value, DataFrame): if level == 0: cols = value.columns if PY2 and len(cols) > 0: try: ini_col = to_text_string(cols[0], encoding='utf-8-sig') except: ini_col = to_text_string(cols[0]) cols = [ini_col] + [to_text_string(c) for c in cols[1:]] else: cols = [to_text_string(c) for c in cols] display = 'Column names: ' + ', '.join(list(cols)) else: display = 'Dataframe' elif isinstance(value, NavigableString): display = to_text_string(value) if level > 0: display = u"'" + display + u"'" elif isinstance(value, Index): if level == 0: try: display = value._summary() except AttributeError: display = value.summary() else: display = 'Index' elif is_binary_string(value): if is_type_text_string(value): try: display = to_text_string(value, 'utf8') if level > 0: display = u"'" + display + u"'" except: display = value if level > 0: display = b"'" + display + b"'" else: display = default_display(value) elif is_text_string(value): if is_type_text_string(value): display = value if level > 0: display = u"'" + display + u"'" else: display = default_display(value) elif isinstance(value, datetime.date) or isinstance(value, datetime .timedelta): display = str(value) elif isinstance(value, NUMERIC_TYPES) or isinstance(value, bool ) or isinstance(value, numeric_numpy_types): display = repr(value) elif level == 0: display = default_display(value) else: display = default_display(value, with_module=False) except: display = default_display(value) if len(display) > 70: if is_binary_string(display): ellipses = b' ...' else: ellipses = u' ...' display = display[:70].rstrip() + ellipses if np_printoptions is not FakeObject: set_printoptions(**np_printoptions) return display
value_to_display
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, minmax=False, level=0):\n np_printoptions = FakeObject\n try:\n numeric_numpy_types = (int64, int32, int16, int8, uint64, uint32,\n uint16, uint8, float64, float32, float16, complex128, complex64,\n bool_)\n if ndarray is not FakeObject:\n np_printoptions = get_printoptions()\n set_printoptions(threshold=10)\n if isinstance(value, recarray):\n if level == 0:\n fields = value.names\n display = 'Field names: ' + ', '.join(fields)\n else:\n display = 'Recarray'\n elif isinstance(value, MaskedArray):\n display = 'Masked array'\n elif isinstance(value, ndarray):\n if level == 0:\n if minmax:\n try:\n display = 'Min: %r\\nMax: %r' % (value.min(), value.\n max())\n except (TypeError, ValueError):\n if value.dtype.type in numeric_numpy_types:\n display = str(value)\n else:\n display = default_display(value)\n elif value.dtype.type in numeric_numpy_types:\n display = str(value)\n else:\n display = default_display(value)\n else:\n display = 'Numpy array'\n elif any([(type(value) == t) for t in [list, set, tuple, dict]]):\n display = collections_display(value, level + 1)\n elif isinstance(value, Image):\n if level == 0:\n display = '%s Mode: %s' % (address(value), value.mode)\n else:\n display = 'Image'\n elif isinstance(value, DataFrame):\n if level == 0:\n cols = value.columns\n if PY2 and len(cols) > 0:\n try:\n ini_col = to_text_string(cols[0], encoding='utf-8-sig')\n except:\n ini_col = to_text_string(cols[0])\n cols = [ini_col] + [to_text_string(c) for c in cols[1:]]\n else:\n cols = [to_text_string(c) for c in cols]\n display = 'Column names: ' + ', '.join(list(cols))\n else:\n display = 'Dataframe'\n elif isinstance(value, NavigableString):\n display = to_text_string(value)\n if level > 0:\n display = u\"'\" + display + u\"'\"\n elif isinstance(value, Index):\n if level == 0:\n try:\n display = value._summary()\n except AttributeError:\n display = value.summary()\n else:\n display = 'Index'\n elif is_binary_string(value):\n if is_type_text_string(value):\n try:\n display = to_text_string(value, 'utf8')\n if level > 0:\n display = u\"'\" + display + u\"'\"\n except:\n display = value\n if level > 0:\n display = b\"'\" + display + b\"'\"\n else:\n display = default_display(value)\n elif is_text_string(value):\n if is_type_text_string(value):\n display = value\n if level > 0:\n display = u\"'\" + display + u\"'\"\n else:\n display = default_display(value)\n elif isinstance(value, datetime.date) or isinstance(value, datetime\n .timedelta):\n display = str(value)\n elif isinstance(value, NUMERIC_TYPES) or isinstance(value, bool\n ) or isinstance(value, numeric_numpy_types):\n display = repr(value)\n elif level == 0:\n display = default_display(value)\n else:\n display = default_display(value, with_module=False)\n except:\n display = default_display(value)\n if len(display) > 70:\n if is_binary_string(display):\n ellipses = b' ...'\n else:\n ellipses = u' ...'\n display = display[:70].rstrip() + ellipses\n if np_printoptions is not FakeObject:\n set_printoptions(**np_printoptions)\n return display\n", "role": "user" }, { "content": "value_to_display", "role": "assistant" } ]
def x(value, default_value, ignore_errors=True): from qtpy.compat import from_qvariant value = from_qvariant(value, to_text_string) try: np_dtype = get_numpy_dtype(default_value) if isinstance(default_value, bool): try: value = bool(float(value)) except ValueError: value = value.lower() == 'true' elif np_dtype is not None: if 'complex' in str(type(default_value)): value = np_dtype(complex(value)) else: value = np_dtype(value) elif is_binary_string(default_value): value = to_binary_string(value, 'utf8') elif is_text_string(default_value): value = to_text_string(value) elif isinstance(default_value, complex): value = complex(value) elif isinstance(default_value, float): value = float(value) elif isinstance(default_value, int): try: value = int(value) except ValueError: value = float(value) elif isinstance(default_value, datetime.datetime): value = datestr_to_datetime(value) elif isinstance(default_value, datetime.date): value = datestr_to_datetime(value).date() elif isinstance(default_value, datetime.timedelta): value = str_to_timedelta(value) elif ignore_errors: value = try_to_eval(value) else: value = eval(value) except (ValueError, SyntaxError): if ignore_errors: value = try_to_eval(value) else: return default_value return value
display_to_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, default_value, ignore_errors=True):\n from qtpy.compat import from_qvariant\n value = from_qvariant(value, to_text_string)\n try:\n np_dtype = get_numpy_dtype(default_value)\n if isinstance(default_value, bool):\n try:\n value = bool(float(value))\n except ValueError:\n value = value.lower() == 'true'\n elif np_dtype is not None:\n if 'complex' in str(type(default_value)):\n value = np_dtype(complex(value))\n else:\n value = np_dtype(value)\n elif is_binary_string(default_value):\n value = to_binary_string(value, 'utf8')\n elif is_text_string(default_value):\n value = to_text_string(value)\n elif isinstance(default_value, complex):\n value = complex(value)\n elif isinstance(default_value, float):\n value = float(value)\n elif isinstance(default_value, int):\n try:\n value = int(value)\n except ValueError:\n value = float(value)\n elif isinstance(default_value, datetime.datetime):\n value = datestr_to_datetime(value)\n elif isinstance(default_value, datetime.date):\n value = datestr_to_datetime(value).date()\n elif isinstance(default_value, datetime.timedelta):\n value = str_to_timedelta(value)\n elif ignore_errors:\n value = try_to_eval(value)\n else:\n value = eval(value)\n except (ValueError, SyntaxError):\n if ignore_errors:\n value = try_to_eval(value)\n else:\n return default_value\n return value\n", "role": "user" }, { "content": "display_to_value", "role": "assistant" } ]
def x(item): if isinstance(item, DataFrame): return 'DataFrame' if isinstance(item, Index): return type(item).__name__ if isinstance(item, Series): return 'Series' found = re.findall("<(?:type|class) '(\\S*)'>", to_text_string(type(item))) if found: return found[0]
get_type_string
[ { "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, DataFrame):\n return 'DataFrame'\n if isinstance(item, Index):\n return type(item).__name__\n if isinstance(item, Series):\n return 'Series'\n found = re.findall(\"<(?:type|class) '(\\\\S*)'>\", to_text_string(type(item)))\n if found:\n return found[0]\n", "role": "user" }, { "content": "get_type_string", "role": "assistant" } ]
def x(item): if isinstance(item, (ndarray, MaskedArray)): return item.dtype.name elif isinstance(item, Image): return 'Image' else: text = get_type_string(item) if text is None: text = to_text_string('unknown') else: return text[text.find('.') + 1:]
get_human_readable_type
[ { "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, (ndarray, MaskedArray)):\n return item.dtype.name\n elif isinstance(item, Image):\n return 'Image'\n else:\n text = get_type_string(item)\n if text is None:\n text = to_text_string('unknown')\n else:\n return text[text.find('.') + 1:]\n", "role": "user" }, { "content": "get_human_readable_type", "role": "assistant" } ]
def x(value, check_all=False, filters=None, iterate=False): assert filters is not None if value is None: return True if not is_editable_type(value): return False elif not isinstance(value, filters): return False elif iterate: if isinstance(value, (list, tuple, set)): valid_count = 0 for val in value: if is_supported(val, filters=filters, iterate=check_all): valid_count += 1 if not check_all: break return valid_count > 0 elif isinstance(value, dict): for key, val in list(value.items()): if not is_supported(key, filters=filters, iterate=check_all ) or not is_supported(val, filters=filters, iterate= check_all): return False if not check_all: break return True
is_supported
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, check_all=False, filters=None, iterate=False):\n assert filters is not None\n if value is None:\n return True\n if not is_editable_type(value):\n return False\n elif not isinstance(value, filters):\n return False\n elif iterate:\n if isinstance(value, (list, tuple, set)):\n valid_count = 0\n for val in value:\n if is_supported(val, filters=filters, iterate=check_all):\n valid_count += 1\n if not check_all:\n break\n return valid_count > 0\n elif isinstance(value, dict):\n for key, val in list(value.items()):\n if not is_supported(key, filters=filters, iterate=check_all\n ) or not is_supported(val, filters=filters, iterate=\n check_all):\n return False\n if not check_all:\n break\n return True\n", "role": "user" }, { "content": "is_supported", "role": "assistant" } ]
def x(input_dict, check_all=False, filters=None, exclude_private=None, exclude_capitalized=None, exclude_uppercase=None, exclude_unsupported= None, excluded_names=None): output_dict = {} for key, value in list(input_dict.items()): excluded = exclude_private and key.startswith('_' ) or exclude_capitalized and key[0].isupper( ) or exclude_uppercase and key.isupper() and len(key ) > 1 and not key[1:].isdigit( ) or key in excluded_names or exclude_unsupported and not is_supported( value, check_all=check_all, filters=filters) if not excluded: output_dict[key] = value return output_dict
globalsfilter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input_dict, check_all=False, filters=None, exclude_private=None,\n exclude_capitalized=None, exclude_uppercase=None, exclude_unsupported=\n None, excluded_names=None):\n output_dict = {}\n for key, value in list(input_dict.items()):\n excluded = exclude_private and key.startswith('_'\n ) or exclude_capitalized and key[0].isupper(\n ) or exclude_uppercase and key.isupper() and len(key\n ) > 1 and not key[1:].isdigit(\n ) or key in excluded_names or exclude_unsupported and not is_supported(\n value, check_all=check_all, filters=filters)\n if not excluded:\n output_dict[key] = value\n return output_dict\n", "role": "user" }, { "content": "globalsfilter", "role": "assistant" } ]
def x(): from datetime import date, timedelta editable_types = [int, float, complex, list, set, dict, tuple, date, timedelta] + list(TEXT_TYPES) + list(INT_TYPES) try: from numpy import ndarray, matrix, generic editable_types += [ndarray, matrix, generic] except: pass try: from pandas import DataFrame, Series, DatetimeIndex editable_types += [DataFrame, Series, Index] except: pass picklable_types = editable_types[:] try: from spyder.pil_patch import Image editable_types.append(Image.Image) except: pass return dict(picklable=picklable_types, editable=editable_types)
get_supported_types
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n from datetime import date, timedelta\n editable_types = [int, float, complex, list, set, dict, tuple, date,\n timedelta] + list(TEXT_TYPES) + list(INT_TYPES)\n try:\n from numpy import ndarray, matrix, generic\n editable_types += [ndarray, matrix, generic]\n except:\n pass\n try:\n from pandas import DataFrame, Series, DatetimeIndex\n editable_types += [DataFrame, Series, Index]\n except:\n pass\n picklable_types = editable_types[:]\n try:\n from spyder.pil_patch import Image\n editable_types.append(Image.Image)\n except:\n pass\n return dict(picklable=picklable_types, editable=editable_types)\n", "role": "user" }, { "content": "get_supported_types", "role": "assistant" } ]
def x(data, settings, mode, more_excluded_names=None): supported_types = get_supported_types() assert mode in list(supported_types.keys()) excluded_names = settings['excluded_names'] if more_excluded_names is not None: excluded_names += more_excluded_names return globalsfilter(data, check_all=settings['check_all'], filters= tuple(supported_types[mode]), exclude_private=settings[ 'exclude_private'], exclude_uppercase=settings['exclude_uppercase'], exclude_capitalized=settings['exclude_capitalized'], exclude_unsupported=settings['exclude_unsupported'], excluded_names =excluded_names)
get_remote_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, settings, mode, more_excluded_names=None):\n supported_types = get_supported_types()\n assert mode in list(supported_types.keys())\n excluded_names = settings['excluded_names']\n if more_excluded_names is not None:\n excluded_names += more_excluded_names\n return globalsfilter(data, check_all=settings['check_all'], filters=\n tuple(supported_types[mode]), exclude_private=settings[\n 'exclude_private'], exclude_uppercase=settings['exclude_uppercase'],\n exclude_capitalized=settings['exclude_capitalized'],\n exclude_unsupported=settings['exclude_unsupported'], excluded_names\n =excluded_names)\n", "role": "user" }, { "content": "get_remote_data", "role": "assistant" } ]
def x(data, settings, more_excluded_names=None): data = get_remote_data(data, settings, mode='editable', more_excluded_names=more_excluded_names) remote = {} for key, value in list(data.items()): view = value_to_display(value, minmax=settings['minmax']) remote[key] = {'type': get_human_readable_type(value), 'size': get_size(value), 'color': get_color_name(value), 'view': view} return remote
make_remote_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, settings, more_excluded_names=None):\n data = get_remote_data(data, settings, mode='editable',\n more_excluded_names=more_excluded_names)\n remote = {}\n for key, value in list(data.items()):\n view = value_to_display(value, minmax=settings['minmax'])\n remote[key] = {'type': get_human_readable_type(value), 'size':\n get_size(value), 'color': get_color_name(value), 'view': view}\n return remote\n", "role": "user" }, { "content": "make_remote_view", "role": "assistant" } ]
def x(self): if self._pdb_obj is not None and self._pdb_obj.curframe is not None: return self._pdb_obj.curframe
pdb_frame
[ { "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._pdb_obj is not None and self._pdb_obj.curframe is not None:\n return self._pdb_obj.curframe\n", "role": "user" }, { "content": "pdb_frame", "role": "assistant" } ]
def x(self): from spyder_kernels.utils.nsview import make_remote_view settings = self.namespace_view_settings if settings: ns = self._get_current_namespace() view = repr(make_remote_view(ns, settings, EXCLUDED_NAMES)) return view else: return repr(None)
get_namespace_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n from spyder_kernels.utils.nsview import make_remote_view\n settings = self.namespace_view_settings\n if settings:\n ns = self._get_current_namespace()\n view = repr(make_remote_view(ns, settings, EXCLUDED_NAMES))\n return view\n else:\n return repr(None)\n", "role": "user" }, { "content": "get_namespace_view", "role": "assistant" } ]
def x(self): from spyder_kernels.utils.nsview import get_remote_data settings = self.namespace_view_settings if settings: ns = self._get_current_namespace() data = get_remote_data(ns, settings, mode='editable', more_excluded_names=EXCLUDED_NAMES) properties = {} for name, value in list(data.items()): properties[name] = {'is_list': isinstance(value, (tuple, list)), 'is_dict': isinstance(value, dict), 'is_set': isinstance( value, set), 'len': self._get_len(value), 'is_array': self. _is_array(value), 'is_image': self._is_image(value), 'is_data_frame': self._is_data_frame(value), 'is_series': self._is_series(value), 'array_shape': self. _get_array_shape(value), 'array_ndim': self._get_array_ndim (value)} return repr(properties) else: return repr(None)
get_var_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n from spyder_kernels.utils.nsview import get_remote_data\n settings = self.namespace_view_settings\n if settings:\n ns = self._get_current_namespace()\n data = get_remote_data(ns, settings, mode='editable',\n more_excluded_names=EXCLUDED_NAMES)\n properties = {}\n for name, value in list(data.items()):\n properties[name] = {'is_list': isinstance(value, (tuple, list)),\n 'is_dict': isinstance(value, dict), 'is_set': isinstance(\n value, set), 'len': self._get_len(value), 'is_array': self.\n _is_array(value), 'is_image': self._is_image(value),\n 'is_data_frame': self._is_data_frame(value), 'is_series':\n self._is_series(value), 'array_shape': self.\n _get_array_shape(value), 'array_ndim': self._get_array_ndim\n (value)}\n return repr(properties)\n else:\n return repr(None)\n", "role": "user" }, { "content": "get_var_properties", "role": "assistant" } ]
def x(self, spyder_msg_type, content=None, data=None): import cloudpickle if content is None: content = {} content['spyder_msg_type'] = spyder_msg_type msg = self.session.send(self.iopub_socket, 'spyder_msg', content= content, buffers=[cloudpickle.dumps(data, protocol=PICKLE_PROTOCOL) ], parent=self._parent_header) self.log.debug(msg)
send_spyder_msg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, spyder_msg_type, content=None, data=None):\n import cloudpickle\n if content is None:\n content = {}\n content['spyder_msg_type'] = spyder_msg_type\n msg = self.session.send(self.iopub_socket, 'spyder_msg', content=\n content, buffers=[cloudpickle.dumps(data, protocol=PICKLE_PROTOCOL)\n ], parent=self._parent_header)\n self.log.debug(msg)\n", "role": "user" }, { "content": "send_spyder_msg", "role": "assistant" } ]
def x(self, name): ns = self._get_current_namespace() value = ns[name] try: self.send_spyder_msg('data', data=value) except: self.send_spyder_msg('data', data=None) self._do_publish_pdb_state = False
get_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n ns = self._get_current_namespace()\n value = ns[name]\n try:\n self.send_spyder_msg('data', data=value)\n except:\n self.send_spyder_msg('data', data=None)\n self._do_publish_pdb_state = False\n", "role": "user" }, { "content": "get_value", "role": "assistant" } ]
def x(self, name, value, PY2_frontend): import cloudpickle ns = self._get_reference_namespace(name) svalue = value[0] if PY2_frontend and not PY2: svalue = bytes(svalue, 'latin-1') dvalue = cloudpickle.loads(svalue) ns[name] = dvalue self.log.debug(ns)
set_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, value, PY2_frontend):\n import cloudpickle\n ns = self._get_reference_namespace(name)\n svalue = value[0]\n if PY2_frontend and not PY2:\n svalue = bytes(svalue, 'latin-1')\n dvalue = cloudpickle.loads(svalue)\n ns[name] = dvalue\n self.log.debug(ns)\n", "role": "user" }, { "content": "set_value", "role": "assistant" } ]
def x(self, name): ns = self._get_reference_namespace(name) ns.pop(name)
remove_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n ns = self._get_reference_namespace(name)\n ns.pop(name)\n", "role": "user" }, { "content": "remove_value", "role": "assistant" } ]
def x(self, orig_name, new_name): ns = self._get_reference_namespace(orig_name) ns[new_name] = ns[orig_name]
copy_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, orig_name, new_name):\n ns = self._get_reference_namespace(orig_name)\n ns[new_name] = ns[orig_name]\n", "role": "user" }, { "content": "copy_value", "role": "assistant" } ]
def x(self, filename, ext): from spyder_kernels.utils.iofuncs import iofunctions from spyder_kernels.utils.misc import fix_reference_name glbs = self._mglobals() load_func = iofunctions.load_funcs[ext] data, error_message = load_func(filename) if error_message: return error_message for key in list(data.keys()): new_key = fix_reference_name(key, blacklist=list(glbs.keys())) if new_key != key: data[new_key] = data.pop(key) try: glbs.update(data) except Exception as error: return str(error) return None
load_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, ext):\n from spyder_kernels.utils.iofuncs import iofunctions\n from spyder_kernels.utils.misc import fix_reference_name\n glbs = self._mglobals()\n load_func = iofunctions.load_funcs[ext]\n data, error_message = load_func(filename)\n if error_message:\n return error_message\n for key in list(data.keys()):\n new_key = fix_reference_name(key, blacklist=list(glbs.keys()))\n if new_key != key:\n data[new_key] = data.pop(key)\n try:\n glbs.update(data)\n except Exception as error:\n return str(error)\n return None\n", "role": "user" }, { "content": "load_data", "role": "assistant" } ]
def x(self, filename): from spyder_kernels.utils.nsview import get_remote_data from spyder_kernels.utils.iofuncs import iofunctions ns = self._get_current_namespace() settings = self.namespace_view_settings data = get_remote_data(ns, settings, mode='picklable', more_excluded_names=EXCLUDED_NAMES).copy() return iofunctions.save(data, filename)
save_namespace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n from spyder_kernels.utils.nsview import get_remote_data\n from spyder_kernels.utils.iofuncs import iofunctions\n ns = self._get_current_namespace()\n settings = self.namespace_view_settings\n data = get_remote_data(ns, settings, mode='picklable',\n more_excluded_names=EXCLUDED_NAMES).copy()\n return iofunctions.save(data, filename)\n", "role": "user" }, { "content": "save_namespace", "role": "assistant" } ]
def x(self): if self._pdb_obj and self._do_publish_pdb_state: state = dict(namespace_view=self.get_namespace_view(), var_properties=self.get_var_properties(), step=self._pdb_step) self.send_spyder_msg('pdb_state', content={'pdb_state': state}) self._do_publish_pdb_state = True
publish_pdb_state
[ { "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._pdb_obj and self._do_publish_pdb_state:\n state = dict(namespace_view=self.get_namespace_view(),\n var_properties=self.get_var_properties(), step=self._pdb_step)\n self.send_spyder_msg('pdb_state', content={'pdb_state': state})\n self._do_publish_pdb_state = True\n", "role": "user" }, { "content": "publish_pdb_state", "role": "assistant" } ]
def x(self, obj, force_import=False): from spyder_kernels.utils.dochelpers import isdefined ns = self._get_current_namespace(with_magics=True) return isdefined(obj, force_import=force_import, namespace=ns)
is_defined
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, force_import=False):\n from spyder_kernels.utils.dochelpers import isdefined\n ns = self._get_current_namespace(with_magics=True)\n return isdefined(obj, force_import=force_import, namespace=ns)\n", "role": "user" }, { "content": "is_defined", "role": "assistant" } ]
def x(self, objtxt): try: import matplotlib matplotlib.rcParams['docstring.hardcopy'] = True except: pass from spyder_kernels.utils.dochelpers import getdoc obj, valid = self._eval(objtxt) if valid: return getdoc(obj)
get_doc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, objtxt):\n try:\n import matplotlib\n matplotlib.rcParams['docstring.hardcopy'] = True\n except:\n pass\n from spyder_kernels.utils.dochelpers import getdoc\n obj, valid = self._eval(objtxt)\n if valid:\n return getdoc(obj)\n", "role": "user" }, { "content": "get_doc", "role": "assistant" } ]
def x(self, objtxt): from spyder_kernels.utils.dochelpers import getsource obj, valid = self._eval(objtxt) if valid: return getsource(obj)
get_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, objtxt):\n from spyder_kernels.utils.dochelpers import getsource\n obj, valid = self._eval(objtxt)\n if valid:\n return getsource(obj)\n", "role": "user" }, { "content": "get_source", "role": "assistant" } ]
def x(self, with_magics=False): ns = {} glbs = self._mglobals() if self._pdb_frame is None: ns.update(glbs) else: ns.update(glbs) ns.update(self._pdb_locals) if with_magics: line_magics = self.shell.magics_manager.magics['line'] cell_magics = self.shell.magics_manager.magics['cell'] ns.update(line_magics) ns.update(cell_magics) return ns
get_current_namespace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, with_magics=False):\n ns = {}\n glbs = self._mglobals()\n if self._pdb_frame is None:\n ns.update(glbs)\n else:\n ns.update(glbs)\n ns.update(self._pdb_locals)\n if with_magics:\n line_magics = self.shell.magics_manager.magics['line']\n cell_magics = self.shell.magics_manager.magics['cell']\n ns.update(line_magics)\n ns.update(cell_magics)\n return ns\n", "role": "user" }, { "content": "get_current_namespace", "role": "assistant" } ]
def x(self, name): glbs = self._mglobals() if self._pdb_frame is None: return glbs else: lcls = self._pdb_locals if name in lcls: return lcls else: return glbs
get_reference_namespace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n glbs = self._mglobals()\n if self._pdb_frame is None:\n return glbs\n else:\n lcls = self._pdb_locals\n if name in lcls:\n return lcls\n else:\n return glbs\n", "role": "user" }, { "content": "get_reference_namespace", "role": "assistant" } ]
def x(self): if self._pdb_frame is not None: return self._pdb_frame.f_globals else: return self.shell.user_ns
mglobals
[ { "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._pdb_frame is not None:\n return self._pdb_frame.f_globals\n else:\n return self.shell.user_ns\n", "role": "user" }, { "content": "mglobals", "role": "assistant" } ]
def x(self, var): try: from PIL import Image return isinstance(var, Image.Image) except: return False
is_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, var):\n try:\n from PIL import Image\n return isinstance(var, Image.Image)\n except:\n return False\n", "role": "user" }, { "content": "is_image", "role": "assistant" } ]
def x(self, breakpoints): if not self._pdb_obj: return serialized_breakpoints = breakpoints[0] breakpoints = pickle.loads(serialized_breakpoints) self._pdb_obj.set_spyder_breakpoints(breakpoints)
set_spyder_breakpoints
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, breakpoints):\n if not self._pdb_obj:\n return\n serialized_breakpoints = breakpoints[0]\n breakpoints = pickle.loads(serialized_breakpoints)\n self._pdb_obj.set_spyder_breakpoints(breakpoints)\n", "role": "user" }, { "content": "set_spyder_breakpoints", "role": "assistant" } ]
def x(self, text): from spyder_kernels.py3compat import is_text_string assert is_text_string(text) ns = self._get_current_namespace(with_magics=True) try: return eval(text, ns), True except: return None, False
eval
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text):\n from spyder_kernels.py3compat import is_text_string\n assert is_text_string(text)\n ns = self._get_current_namespace(with_magics=True)\n try:\n return eval(text, ns), True\n except:\n return None, False\n", "role": "user" }, { "content": "eval", "role": "assistant" } ]
def x(self, backend, pylab=False): import traceback from IPython.core.getipython import get_ipython generic_error = ('\n' + '=' * 73 + """ NOTE: The following error appeared when setting your Matplotlib backend!! """ + '=' * 73 + '\n\n{0}') magic = 'pylab' if pylab else 'matplotlib' error = None try: get_ipython().run_line_magic(magic, backend) except RuntimeError as err: if 'GUI eventloops' in str(err): import matplotlib previous_backend = matplotlib.get_backend() if not backend in previous_backend.lower(): error = ( """ NOTE: Spyder *can't* set your selected Matplotlib backend because there is a previous backend already in use. Your backend will be {0}""" .format(previous_backend)) del matplotlib else: error = generic_error.format(traceback.format_exc()) except Exception: error = generic_error.format(traceback.format_exc()) self._mpl_backend_error = error
set_mpl_backend
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, backend, pylab=False):\n import traceback\n from IPython.core.getipython import get_ipython\n generic_error = ('\\n' + '=' * 73 +\n \"\"\"\nNOTE: The following error appeared when setting your Matplotlib backend!!\n\"\"\"\n + '=' * 73 + '\\n\\n{0}')\n magic = 'pylab' if pylab else 'matplotlib'\n error = None\n try:\n get_ipython().run_line_magic(magic, backend)\n except RuntimeError as err:\n if 'GUI eventloops' in str(err):\n import matplotlib\n previous_backend = matplotlib.get_backend()\n if not backend in previous_backend.lower():\n error = (\n \"\"\"\nNOTE: Spyder *can't* set your selected Matplotlib backend because there is a previous backend already in use.\n\nYour backend will be {0}\"\"\"\n .format(previous_backend))\n del matplotlib\n else:\n error = generic_error.format(traceback.format_exc())\n except Exception:\n error = generic_error.format(traceback.format_exc())\n self._mpl_backend_error = error\n", "role": "user" }, { "content": "set_mpl_backend", "role": "assistant" } ]
def x(self): from IPython.core.getipython import get_ipython try: get_ipython().run_line_magic('reload_ext', 'autoreload') get_ipython().run_line_magic('autoreload', '2') except Exception: pass
load_autoreload_magic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n from IPython.core.getipython import get_ipython\n try:\n get_ipython().run_line_magic('reload_ext', 'autoreload')\n get_ipython().run_line_magic('autoreload', '2')\n except Exception:\n pass\n", "role": "user" }, { "content": "load_autoreload_magic", "role": "assistant" } ]
def x(self): if not os.name == 'nt': from IPython.core.getipython import get_ipython try: get_ipython().run_line_magic('reload_ext', 'wurlitzer') except Exception: pass
load_wurlitzer
[ { "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 os.name == 'nt':\n from IPython.core.getipython import get_ipython\n try:\n get_ipython().run_line_magic('reload_ext', 'wurlitzer')\n except Exception:\n pass\n", "role": "user" }, { "content": "load_wurlitzer", "role": "assistant" } ]
def x(): here = osp.dirname(__file__) parent = osp.dirname(here) customize_dir = osp.join(parent, 'customize') while '' in sys.path: sys.path.remove('') site.addsitedir(customize_dir) import spydercustomize try: sys.path.remove(customize_dir) except ValueError: pass
import_spydercustomize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n here = osp.dirname(__file__)\n parent = osp.dirname(here)\n customize_dir = osp.join(parent, 'customize')\n while '' in sys.path:\n sys.path.remove('')\n site.addsitedir(customize_dir)\n import spydercustomize\n try:\n sys.path.remove(customize_dir)\n except ValueError:\n pass\n", "role": "user" }, { "content": "import_spydercustomize", "role": "assistant" } ]
def x(): import ipykernel from IPython.core.application import get_ipython_dir from traitlets.config.loader import Config, load_pyconfig_files try: profile_path = osp.join(get_ipython_dir(), 'profile_default') cfg = load_pyconfig_files(['ipython_config.py', 'ipython_kernel_config.py'], profile_path) except: cfg = Config() spy_cfg = Config() testing = os.environ.get('SPY_TESTING') == 'True' if testing: spy_cfg.HistoryAccessor.enabled = False spy_cfg.InteractiveShell.xmode = 'Plain' jedi_o = os.environ.get('SPY_JEDI_O') == 'True' if not PY2: spy_cfg.IPCompleter.use_jedi = jedi_o run_lines_o = os.environ.get('SPY_RUN_LINES_O') if run_lines_o is not None: spy_cfg.IPKernelApp.exec_lines = [x.strip() for x in run_lines_o. split(';')] else: spy_cfg.IPKernelApp.exec_lines = [] clear_argv = "import sys;sys.argv = [''];del sys" spy_cfg.IPKernelApp.exec_lines.append(clear_argv) spy_cfg.IPKernelApp.exec_lines.append( 'get_ipython().kernel._load_autoreload_magic()') spy_cfg.IPKernelApp.exec_lines.append( 'get_ipython().kernel._load_wurlitzer()') if LooseVersion(ipykernel.__version__) < LooseVersion('4.5'): dpi_option = 'savefig.dpi' else: dpi_option = 'figure.dpi' spy_cfg.InlineBackend.rc = {'figure.figsize': (6.0, 4.0), dpi_option: 72, 'font.size': 10, 'figure.subplot.bottom': 0.125, 'figure.facecolor': 'white', 'figure.edgecolor': 'white'} mpl_backend = None if is_module_installed('matplotlib'): pylab_o = os.environ.get('SPY_PYLAB_O') backend_o = os.environ.get('SPY_BACKEND_O') if pylab_o == 'True' and backend_o is not None: if backend_o == '1': if is_module_installed('PyQt5'): auto_backend = 'qt5' elif is_module_installed('PyQt4'): auto_backend = 'qt4' elif is_module_installed('_tkinter'): auto_backend = 'tk' else: auto_backend = 'inline' else: auto_backend = '' backends = {'0': 'inline', '1': auto_backend, '2': 'qt5', '3': 'qt4', '4': 'osx', '5': 'gtk3', '6': 'gtk', '7': 'wx', '8': 'tk'} mpl_backend = backends[backend_o] if mpl_backend == 'inline': format_o = os.environ.get('SPY_FORMAT_O') formats = {'0': 'png', '1': 'svg'} if format_o is not None: spy_cfg.InlineBackend.figure_format = formats[format_o] resolution_o = os.environ.get('SPY_RESOLUTION_O') if resolution_o is not None: spy_cfg.InlineBackend.rc[dpi_option] = float(resolution_o) width_o = float(os.environ.get('SPY_WIDTH_O')) height_o = float(os.environ.get('SPY_HEIGHT_O')) if width_o is not None and height_o is not None: spy_cfg.InlineBackend.rc['figure.figsize' ] = width_o, height_o bbox_inches_o = os.environ.get('SPY_BBOX_INCHES_O') bbox_inches = 'tight' if bbox_inches_o == 'True' else None spy_cfg.InlineBackend.print_figure_kwargs.update({ 'bbox_inches': bbox_inches}) else: mpl_backend = 'inline' autoload_pylab_o = os.environ.get('SPY_AUTOLOAD_PYLAB_O') == 'True' command = "get_ipython().kernel._set_mpl_backend('{0}', {1})" spy_cfg.IPKernelApp.exec_lines.append(command.format(mpl_backend, autoload_pylab_o)) run_cython = os.environ.get('SPY_RUN_CYTHON') == 'True' if run_cython and is_module_installed('Cython'): spy_cfg.IPKernelApp.exec_lines.append('%reload_ext Cython') use_file_o = os.environ.get('SPY_USE_FILE_O') run_file_o = os.environ.get('SPY_RUN_FILE_O') if use_file_o == 'True' and run_file_o is not None: spy_cfg.IPKernelApp.file_to_run = run_file_o autocall_o = os.environ.get('SPY_AUTOCALL_O') if autocall_o is not None: spy_cfg.ZMQInteractiveShell.autocall = int(autocall_o) spy_cfg.ZMQInteractiveShell.banner1 = '' greedy_o = os.environ.get('SPY_GREEDY_O') == 'True' spy_cfg.IPCompleter.greedy = greedy_o sympy_o = os.environ.get('SPY_SYMPY_O') == 'True' if sympy_o and is_module_installed('sympy'): lines = sympy_config(mpl_backend) spy_cfg.IPKernelApp.exec_lines.append(lines) cfg._merge(spy_cfg) return cfg
kernel_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n import ipykernel\n from IPython.core.application import get_ipython_dir\n from traitlets.config.loader import Config, load_pyconfig_files\n try:\n profile_path = osp.join(get_ipython_dir(), 'profile_default')\n cfg = load_pyconfig_files(['ipython_config.py',\n 'ipython_kernel_config.py'], profile_path)\n except:\n cfg = Config()\n spy_cfg = Config()\n testing = os.environ.get('SPY_TESTING') == 'True'\n if testing:\n spy_cfg.HistoryAccessor.enabled = False\n spy_cfg.InteractiveShell.xmode = 'Plain'\n jedi_o = os.environ.get('SPY_JEDI_O') == 'True'\n if not PY2:\n spy_cfg.IPCompleter.use_jedi = jedi_o\n run_lines_o = os.environ.get('SPY_RUN_LINES_O')\n if run_lines_o is not None:\n spy_cfg.IPKernelApp.exec_lines = [x.strip() for x in run_lines_o.\n split(';')]\n else:\n spy_cfg.IPKernelApp.exec_lines = []\n clear_argv = \"import sys;sys.argv = [''];del sys\"\n spy_cfg.IPKernelApp.exec_lines.append(clear_argv)\n spy_cfg.IPKernelApp.exec_lines.append(\n 'get_ipython().kernel._load_autoreload_magic()')\n spy_cfg.IPKernelApp.exec_lines.append(\n 'get_ipython().kernel._load_wurlitzer()')\n if LooseVersion(ipykernel.__version__) < LooseVersion('4.5'):\n dpi_option = 'savefig.dpi'\n else:\n dpi_option = 'figure.dpi'\n spy_cfg.InlineBackend.rc = {'figure.figsize': (6.0, 4.0), dpi_option: \n 72, 'font.size': 10, 'figure.subplot.bottom': 0.125,\n 'figure.facecolor': 'white', 'figure.edgecolor': 'white'}\n mpl_backend = None\n if is_module_installed('matplotlib'):\n pylab_o = os.environ.get('SPY_PYLAB_O')\n backend_o = os.environ.get('SPY_BACKEND_O')\n if pylab_o == 'True' and backend_o is not None:\n if backend_o == '1':\n if is_module_installed('PyQt5'):\n auto_backend = 'qt5'\n elif is_module_installed('PyQt4'):\n auto_backend = 'qt4'\n elif is_module_installed('_tkinter'):\n auto_backend = 'tk'\n else:\n auto_backend = 'inline'\n else:\n auto_backend = ''\n backends = {'0': 'inline', '1': auto_backend, '2': 'qt5', '3':\n 'qt4', '4': 'osx', '5': 'gtk3', '6': 'gtk', '7': 'wx', '8':\n 'tk'}\n mpl_backend = backends[backend_o]\n if mpl_backend == 'inline':\n format_o = os.environ.get('SPY_FORMAT_O')\n formats = {'0': 'png', '1': 'svg'}\n if format_o is not None:\n spy_cfg.InlineBackend.figure_format = formats[format_o]\n resolution_o = os.environ.get('SPY_RESOLUTION_O')\n if resolution_o is not None:\n spy_cfg.InlineBackend.rc[dpi_option] = float(resolution_o)\n width_o = float(os.environ.get('SPY_WIDTH_O'))\n height_o = float(os.environ.get('SPY_HEIGHT_O'))\n if width_o is not None and height_o is not None:\n spy_cfg.InlineBackend.rc['figure.figsize'\n ] = width_o, height_o\n bbox_inches_o = os.environ.get('SPY_BBOX_INCHES_O')\n bbox_inches = 'tight' if bbox_inches_o == 'True' else None\n spy_cfg.InlineBackend.print_figure_kwargs.update({\n 'bbox_inches': bbox_inches})\n else:\n mpl_backend = 'inline'\n autoload_pylab_o = os.environ.get('SPY_AUTOLOAD_PYLAB_O') == 'True'\n command = \"get_ipython().kernel._set_mpl_backend('{0}', {1})\"\n spy_cfg.IPKernelApp.exec_lines.append(command.format(mpl_backend,\n autoload_pylab_o))\n run_cython = os.environ.get('SPY_RUN_CYTHON') == 'True'\n if run_cython and is_module_installed('Cython'):\n spy_cfg.IPKernelApp.exec_lines.append('%reload_ext Cython')\n use_file_o = os.environ.get('SPY_USE_FILE_O')\n run_file_o = os.environ.get('SPY_RUN_FILE_O')\n if use_file_o == 'True' and run_file_o is not None:\n spy_cfg.IPKernelApp.file_to_run = run_file_o\n autocall_o = os.environ.get('SPY_AUTOCALL_O')\n if autocall_o is not None:\n spy_cfg.ZMQInteractiveShell.autocall = int(autocall_o)\n spy_cfg.ZMQInteractiveShell.banner1 = ''\n greedy_o = os.environ.get('SPY_GREEDY_O') == 'True'\n spy_cfg.IPCompleter.greedy = greedy_o\n sympy_o = os.environ.get('SPY_SYMPY_O') == 'True'\n if sympy_o and is_module_installed('sympy'):\n lines = sympy_config(mpl_backend)\n spy_cfg.IPKernelApp.exec_lines.append(lines)\n cfg._merge(spy_cfg)\n return cfg\n", "role": "user" }, { "content": "kernel_config", "role": "assistant" } ]
def x(line): ip = get_ipython() funcname, name = line.split() try: import guiqwt.pyplot as pyplot except: import matplotlib.pyplot as pyplot __fig__ = pyplot.figure() __items__ = getattr(pyplot, funcname[2:])(ip.user_ns[name]) pyplot.show() del __fig__, __items__
varexp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(line):\n ip = get_ipython()\n funcname, name = line.split()\n try:\n import guiqwt.pyplot as pyplot\n except:\n import matplotlib.pyplot as pyplot\n __fig__ = pyplot.figure()\n __items__ = getattr(pyplot, funcname[2:])(ip.user_ns[name])\n pyplot.show()\n del __fig__, __items__\n", "role": "user" }, { "content": "varexp", "role": "assistant" } ]
def x(name, blacklist=None): name = ''.join(re.split('[^0-9a-zA-Z_]', name)) while name and not re.match('([a-zA-Z]+[0-9a-zA-Z_]*)$', name): if not re.match('[a-zA-Z]', name[0]): name = name[1:] continue name = str(name) if not name: name = 'data' if blacklist is not None and name in blacklist: get_new_name = lambda index: name + '%03d' % index index = 0 while get_new_name(index) in blacklist: index += 1 name = get_new_name(index) return name
fix_reference_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, blacklist=None):\n name = ''.join(re.split('[^0-9a-zA-Z_]', name))\n while name and not re.match('([a-zA-Z]+[0-9a-zA-Z_]*)$', name):\n if not re.match('[a-zA-Z]', name[0]):\n name = name[1:]\n continue\n name = str(name)\n if not name:\n name = 'data'\n if blacklist is not None and name in blacklist:\n get_new_name = lambda index: name + '%03d' % index\n index = 0\n while get_new_name(index) in blacklist:\n index += 1\n name = get_new_name(index)\n return name\n", "role": "user" }, { "content": "fix_reference_name", "role": "assistant" } ]
def x(self, frame, return_value): if self._wait_for_mainpyfile: if self.mainpyfile != self.canonic(frame.f_code.co_filename ) or frame.f_lineno <= 0: return self._wait_for_mainpyfile = 0 self._old_Pdb_user_return(frame, return_value)
user_return
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, frame, return_value):\n if self._wait_for_mainpyfile:\n if self.mainpyfile != self.canonic(frame.f_code.co_filename\n ) or frame.f_lineno <= 0:\n return\n self._wait_for_mainpyfile = 0\n self._old_Pdb_user_return(frame, return_value)\n", "role": "user" }, { "content": "user_return", "role": "assistant" } ]
def x(type, value, tb): clear_post_mortem() ipython_shell = get_ipython() ipython_shell.showtraceback((type, value, tb)) p = pdb.Pdb(ipython_shell.colors) if not type == SyntaxError: time.sleep(0.1) _print('*' * 40) _print('Entering post mortem debugging...') _print('*' * 40) p.send_initial_notification = False p.reset() frame = tb.tb_frame prev = frame while frame.f_back: prev = frame frame = frame.f_back frame = prev time.sleep(0.1) p.interaction(frame, tb)
post_mortem_excepthook
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(type, value, tb):\n clear_post_mortem()\n ipython_shell = get_ipython()\n ipython_shell.showtraceback((type, value, tb))\n p = pdb.Pdb(ipython_shell.colors)\n if not type == SyntaxError:\n time.sleep(0.1)\n _print('*' * 40)\n _print('Entering post mortem debugging...')\n _print('*' * 40)\n p.send_initial_notification = False\n p.reset()\n frame = tb.tb_frame\n prev = frame\n while frame.f_back:\n prev = frame\n frame = frame.f_back\n frame = prev\n time.sleep(0.1)\n p.interaction(frame, tb)\n", "role": "user" }, { "content": "post_mortem_excepthook", "role": "assistant" } ]
def x(): def x(shell, etype, evalue, tb, tb_offset=None): post_mortem_excepthook(etype, evalue, tb) ipython_shell = get_ipython() ipython_shell.set_custom_exc((Exception,), ipython_post_mortem_debug)
set_post_mortem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n\n def x(shell, etype, evalue, tb, tb_offset=None):\n post_mortem_excepthook(etype, evalue, tb)\n ipython_shell = get_ipython()\n ipython_shell.set_custom_exc((Exception,), ipython_post_mortem_debug)\n", "role": "user" }, { "content": "set_post_mortem", "role": "assistant" } ]
def x(filename, args=None, wdir=None, namespace=None, post_mortem=False): try: filename = filename.decode('utf-8') except (UnicodeError, TypeError, AttributeError): pass if __umr__.enabled: __umr__.run() if args is not None and not isinstance(args, basestring): raise TypeError('expected a character buffer object') if namespace is None: namespace = _get_globals() namespace['__file__'] = filename sys.argv = [filename] if args is not None: for arg in shlex.split(args): sys.argv.append(arg) if wdir is not None: try: wdir = wdir.decode('utf-8') except (UnicodeError, TypeError, AttributeError): pass os.chdir(wdir) if post_mortem: set_post_mortem() if __umr__.has_cython: with io.open(filename, encoding='utf-8') as f: ipython_shell = get_ipython() ipython_shell.run_cell_magic('cython', '', f.read()) else: execfile(filename, namespace) clear_post_mortem() sys.argv = [''] try: namespace.pop('__file__') except KeyError: pass
runfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, args=None, wdir=None, namespace=None, post_mortem=False):\n try:\n filename = filename.decode('utf-8')\n except (UnicodeError, TypeError, AttributeError):\n pass\n if __umr__.enabled:\n __umr__.run()\n if args is not None and not isinstance(args, basestring):\n raise TypeError('expected a character buffer object')\n if namespace is None:\n namespace = _get_globals()\n namespace['__file__'] = filename\n sys.argv = [filename]\n if args is not None:\n for arg in shlex.split(args):\n sys.argv.append(arg)\n if wdir is not None:\n try:\n wdir = wdir.decode('utf-8')\n except (UnicodeError, TypeError, AttributeError):\n pass\n os.chdir(wdir)\n if post_mortem:\n set_post_mortem()\n if __umr__.has_cython:\n with io.open(filename, encoding='utf-8') as f:\n ipython_shell = get_ipython()\n ipython_shell.run_cell_magic('cython', '', f.read())\n else:\n execfile(filename, namespace)\n clear_post_mortem()\n sys.argv = ['']\n try:\n namespace.pop('__file__')\n except KeyError:\n pass\n", "role": "user" }, { "content": "runfile", "role": "assistant" } ]
def x(cellname, filename): try: filename = filename.decode('utf-8') except (UnicodeError, TypeError, AttributeError): pass ipython_shell = get_ipython() namespace = _get_globals() namespace['__file__'] = filename try: cell_code = ipython_shell.cell_code except AttributeError: _print( """--Run Cell Error-- Please use only through Spyder's Editor; shouldn't be called manually from the console""" ) return ipython_shell.events.trigger('post_execute') ipython_shell.run_cell(cell_code) namespace.pop('__file__') del ipython_shell.cell_code
runcell
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cellname, filename):\n try:\n filename = filename.decode('utf-8')\n except (UnicodeError, TypeError, AttributeError):\n pass\n ipython_shell = get_ipython()\n namespace = _get_globals()\n namespace['__file__'] = filename\n try:\n cell_code = ipython_shell.cell_code\n except AttributeError:\n _print(\n \"\"\"--Run Cell Error--\nPlease use only through Spyder's Editor; shouldn't be called manually from the console\"\"\"\n )\n return\n ipython_shell.events.trigger('post_execute')\n ipython_shell.run_cell(cell_code)\n namespace.pop('__file__')\n del ipython_shell.cell_code\n", "role": "user" }, { "content": "runcell", "role": "assistant" } ]
def x(filename, args=None, wdir=None, post_mortem=False): debugger = pdb.Pdb() filename = debugger.canonic(filename) debugger._wait_for_mainpyfile = 1 debugger.mainpyfile = filename debugger._user_requested_quit = 0 if os.name == 'nt': filename = filename.replace('\\', '/') debugger.run('runfile(%r, args=%r, wdir=%r)' % (filename, args, wdir))
debugfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, args=None, wdir=None, post_mortem=False):\n debugger = pdb.Pdb()\n filename = debugger.canonic(filename)\n debugger._wait_for_mainpyfile = 1\n debugger.mainpyfile = filename\n debugger._user_requested_quit = 0\n if os.name == 'nt':\n filename = filename.replace('\\\\', '/')\n debugger.run('runfile(%r, args=%r, wdir=%r)' % (filename, args, wdir))\n", "role": "user" }, { "content": "debugfile", "role": "assistant" } ]
def x(self, initial_pathlist): try: paths = sysconfig.get_paths() standard_paths = [paths['stdlib'], paths['purelib'], paths[ 'scripts'], paths['data']] except Exception: standard_paths = [] try: import site if getattr(site, 'getusersitepackages', False): user_path = [site.getusersitepackages()] elif getattr(site, 'USER_SITE', False): user_path = [site.USER_SITE] else: user_path = [] except Exception: user_path = [] return initial_pathlist + standard_paths + user_path
create_pathlist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, initial_pathlist):\n try:\n paths = sysconfig.get_paths()\n standard_paths = [paths['stdlib'], paths['purelib'], paths[\n 'scripts'], paths['data']]\n except Exception:\n standard_paths = []\n try:\n import site\n if getattr(site, 'getusersitepackages', False):\n user_path = [site.getusersitepackages()]\n elif getattr(site, 'USER_SITE', False):\n user_path = [site.USER_SITE]\n else:\n user_path = []\n except Exception:\n user_path = []\n return initial_pathlist + standard_paths + user_path\n", "role": "user" }, { "content": "create_pathlist", "role": "assistant" } ]
def x(self, module, modname): if self.has_cython: return False elif self.is_module_in_pathlist(module) or self.is_module_in_namelist( modname): return False else: return True
is_module_reloadable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, module, modname):\n if self.has_cython:\n return False\n elif self.is_module_in_pathlist(module) or self.is_module_in_namelist(\n modname):\n return False\n else:\n return True\n", "role": "user" }, { "content": "is_module_reloadable", "role": "assistant" } ]
def x(self, module): modpath = getattr(module, '__file__', None) if modpath is None: return True elif any([(p in modpath) for p in self.pathlist]): return True elif not os.name == 'nt': patterns = ['^/usr/lib.*', '^/usr/local/lib.*', '^/usr/.*/dist-packages/.*', '^/home/.*/.local/lib.*', '^/Library/.*', '^/Users/.*/Library/.*', '^/Users/.*/.local/.*'] if [p for p in patterns if re.search(p, modpath)]: return True else: return False else: return False
is_module_in_pathlist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, module):\n modpath = getattr(module, '__file__', None)\n if modpath is None:\n return True\n elif any([(p in modpath) for p in self.pathlist]):\n return True\n elif not os.name == 'nt':\n patterns = ['^/usr/lib.*', '^/usr/local/lib.*',\n '^/usr/.*/dist-packages/.*', '^/home/.*/.local/lib.*',\n '^/Library/.*', '^/Users/.*/Library/.*', '^/Users/.*/.local/.*']\n if [p for p in patterns if re.search(p, modpath)]:\n return True\n else:\n return False\n else:\n return False\n", "role": "user" }, { "content": "is_module_in_pathlist", "role": "assistant" } ]
def x(self): run_cython = os.environ.get('SPY_RUN_CYTHON') == 'True' if run_cython: try: __import__('Cython') self.has_cython = True except Exception: pass if self.has_cython: import pyximport pyx_setup_args = {} try: import numpy pyx_setup_args['include_dirs'] = numpy.get_include() except Exception: pass pyximport.install(setup_args=pyx_setup_args, reload_support=True)
activate_cython
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n run_cython = os.environ.get('SPY_RUN_CYTHON') == 'True'\n if run_cython:\n try:\n __import__('Cython')\n self.has_cython = True\n except Exception:\n pass\n if self.has_cython:\n import pyximport\n pyx_setup_args = {}\n try:\n import numpy\n pyx_setup_args['include_dirs'] = numpy.get_include()\n except Exception:\n pass\n pyximport.install(setup_args=pyx_setup_args, reload_support=True)\n", "role": "user" }, { "content": "activate_cython", "role": "assistant" } ]
def x(self): self.modnames_to_reload = [] for modname, module in list(sys.modules.items()): if modname not in self.previous_modules: if self.is_module_reloadable(module, modname): self.modnames_to_reload.append(modname) del sys.modules[modname] else: continue if self.verbose and self.modnames_to_reload: modnames = self.modnames_to_reload _print('\x1b[4;33m%s\x1b[24m%s\x1b[0m' % ('Reloaded modules', ': ' + ', '.join(modnames)))
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.modnames_to_reload = []\n for modname, module in list(sys.modules.items()):\n if modname not in self.previous_modules:\n if self.is_module_reloadable(module, modname):\n self.modnames_to_reload.append(modname)\n del sys.modules[modname]\n else:\n continue\n if self.verbose and self.modnames_to_reload:\n modnames = self.modnames_to_reload\n _print('\\x1b[4;33m%s\\x1b[24m%s\\x1b[0m' % ('Reloaded modules', ': ' +\n ', '.join(modnames)))\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(val): import numpy as np if isinstance(val, list): return [get_matlab_value(v) for v in val] if not isinstance(val, np.ndarray): return val if hasattr(val, 'classname'): out = dict() for name in val.dtype.names: out[name] = get_matlab_value(val[name].squeeze().tolist()) cls = type(val.classname, (object,), out) return cls() elif val.dtype.names: out = MatlabStruct() for name in val.dtype.names: out[name] = get_matlab_value(val[name].squeeze().tolist()) val = out elif val.dtype.kind == 'O': val = val.squeeze().tolist() if not isinstance(val, list): val = [val] val = get_matlab_value(val) elif val.size == 1: val = val.item() elif val.size == 0: if val.dtype.kind in 'US': val = '' else: val = [] return val
get_matlab_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(val):\n import numpy as np\n if isinstance(val, list):\n return [get_matlab_value(v) for v in val]\n if not isinstance(val, np.ndarray):\n return val\n if hasattr(val, 'classname'):\n out = dict()\n for name in val.dtype.names:\n out[name] = get_matlab_value(val[name].squeeze().tolist())\n cls = type(val.classname, (object,), out)\n return cls()\n elif val.dtype.names:\n out = MatlabStruct()\n for name in val.dtype.names:\n out[name] = get_matlab_value(val[name].squeeze().tolist())\n val = out\n elif val.dtype.kind == 'O':\n val = val.squeeze().tolist()\n if not isinstance(val, list):\n val = [val]\n val = get_matlab_value(val)\n elif val.size == 1:\n val = val.item()\n elif val.size == 0:\n if val.dtype.kind in 'US':\n val = ''\n else:\n val = []\n return val\n", "role": "user" }, { "content": "get_matlab_value", "role": "assistant" } ]
def x(filename): try: if pd: return pd.read_pickle(filename), None else: with open(filename, 'rb') as fid: data = pickle.load(fid) return data, None except Exception as err: return None, str(err)
load_pickle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n try:\n if pd:\n return pd.read_pickle(filename), None\n else:\n with open(filename, 'rb') as fid:\n data = pickle.load(fid)\n return data, None\n except Exception as err:\n return None, str(err)\n", "role": "user" }, { "content": "load_pickle", "role": "assistant" } ]
def x(filename): try: if PY2: args = 'rb' else: args = 'r' with open(filename, args) as fid: data = json.load(fid) return data, None except Exception as err: return None, str(err)
load_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n try:\n if PY2:\n args = 'rb'\n else:\n args = 'r'\n with open(filename, args) as fid:\n data = json.load(fid)\n return data, None\n except Exception as err:\n return None, str(err)\n", "role": "user" }, { "content": "load_json", "role": "assistant" } ]
def x(data, filename): filename = osp.abspath(filename) old_cwd = getcwd() os.chdir(osp.dirname(filename)) error_message = None skipped_keys = [] data_copy = {} try: for obj_name, obj_value in data.items(): if not (callable(obj_value) or isinstance(obj_value, types. ModuleType)): try: data_copy[obj_name] = copy.deepcopy(obj_value) except Exception: skipped_keys.append(obj_name) data = data_copy if not data: raise RuntimeError('No supported objects to save') saved_arrays = {} if load_array is not None: arr_fname = osp.splitext(filename)[0] for name in list(data.keys()): try: if isinstance(data[name], np.ndarray) and data[name ].size > 0: fname = __save_array(data[name], arr_fname, len( saved_arrays)) saved_arrays[name, None] = osp.basename(fname) data.pop(name) elif isinstance(data[name], (list, dict)): if isinstance(data[name], list): iterator = enumerate(data[name]) else: iterator = iter(list(data[name].items())) to_remove = [] for index, value in iterator: if isinstance(value, np.ndarray ) and value.size > 0: fname = __save_array(value, arr_fname, len( saved_arrays)) saved_arrays[name, index] = osp.basename(fname) to_remove.append(index) for index in sorted(to_remove, reverse=True): data[name].pop(index) except (RuntimeError, pickle.PicklingError, TypeError, AttributeError, IndexError): pass if saved_arrays: data['__saved_arrays__'] = saved_arrays pickle_filename = osp.splitext(filename)[0] + '.pickle' with open(pickle_filename, 'w+b') as fdesc: try: pickle.dump(data, fdesc, protocol=2) except (pickle.PicklingError, AttributeError, TypeError, ImportError, IndexError, RuntimeError): data_filtered = {} for obj_name, obj_value in data.items(): try: pickle.dumps(obj_value, protocol=2) except Exception: skipped_keys.append(obj_name) else: data_filtered[obj_name] = obj_value if not data_filtered: raise RuntimeError('No supported objects to save') pickle.dump(data_filtered, fdesc, protocol=2) with tarfile.open(filename, 'w', format=tarfile.PAX_FORMAT) as tar: for fname in ([pickle_filename] + [fn for fn in list( saved_arrays.values())]): tar.add(osp.basename(fname)) os.remove(fname) except (RuntimeError, pickle.PicklingError, TypeError) as error: error_message = to_text_string(error) else: if skipped_keys: skipped_keys.sort() error_message = 'Some objects could not be saved: ' + ', '.join( skipped_keys) finally: os.chdir(old_cwd) return error_message
save_dictionary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, filename):\n filename = osp.abspath(filename)\n old_cwd = getcwd()\n os.chdir(osp.dirname(filename))\n error_message = None\n skipped_keys = []\n data_copy = {}\n try:\n for obj_name, obj_value in data.items():\n if not (callable(obj_value) or isinstance(obj_value, types.\n ModuleType)):\n try:\n data_copy[obj_name] = copy.deepcopy(obj_value)\n except Exception:\n skipped_keys.append(obj_name)\n data = data_copy\n if not data:\n raise RuntimeError('No supported objects to save')\n saved_arrays = {}\n if load_array is not None:\n arr_fname = osp.splitext(filename)[0]\n for name in list(data.keys()):\n try:\n if isinstance(data[name], np.ndarray) and data[name\n ].size > 0:\n fname = __save_array(data[name], arr_fname, len(\n saved_arrays))\n saved_arrays[name, None] = osp.basename(fname)\n data.pop(name)\n elif isinstance(data[name], (list, dict)):\n if isinstance(data[name], list):\n iterator = enumerate(data[name])\n else:\n iterator = iter(list(data[name].items()))\n to_remove = []\n for index, value in iterator:\n if isinstance(value, np.ndarray\n ) and value.size > 0:\n fname = __save_array(value, arr_fname, len(\n saved_arrays))\n saved_arrays[name, index] = osp.basename(fname)\n to_remove.append(index)\n for index in sorted(to_remove, reverse=True):\n data[name].pop(index)\n except (RuntimeError, pickle.PicklingError, TypeError,\n AttributeError, IndexError):\n pass\n if saved_arrays:\n data['__saved_arrays__'] = saved_arrays\n pickle_filename = osp.splitext(filename)[0] + '.pickle'\n with open(pickle_filename, 'w+b') as fdesc:\n try:\n pickle.dump(data, fdesc, protocol=2)\n except (pickle.PicklingError, AttributeError, TypeError,\n ImportError, IndexError, RuntimeError):\n data_filtered = {}\n for obj_name, obj_value in data.items():\n try:\n pickle.dumps(obj_value, protocol=2)\n except Exception:\n skipped_keys.append(obj_name)\n else:\n data_filtered[obj_name] = obj_value\n if not data_filtered:\n raise RuntimeError('No supported objects to save')\n pickle.dump(data_filtered, fdesc, protocol=2)\n with tarfile.open(filename, 'w', format=tarfile.PAX_FORMAT) as tar:\n for fname in ([pickle_filename] + [fn for fn in list(\n saved_arrays.values())]):\n tar.add(osp.basename(fname))\n os.remove(fname)\n except (RuntimeError, pickle.PicklingError, TypeError) as error:\n error_message = to_text_string(error)\n else:\n if skipped_keys:\n skipped_keys.sort()\n error_message = 'Some objects could not be saved: ' + ', '.join(\n skipped_keys)\n finally:\n os.chdir(old_cwd)\n return error_message\n", "role": "user" }, { "content": "save_dictionary", "role": "assistant" } ]
def x(filename): filename = osp.abspath(filename) old_cwd = getcwd() tmp_folder = tempfile.mkdtemp() os.chdir(tmp_folder) data = None error_message = None try: with tarfile.open(filename, 'r') as tar: tar.extractall() pickle_filename = glob.glob('*.pickle')[0] with open(pickle_filename, 'rb') as fdesc: data = pickle.loads(fdesc.read()) saved_arrays = {} if load_array is not None: try: saved_arrays = data.pop('__saved_arrays__') for (name, index), fname in list(saved_arrays.items()): arr = np.load(osp.join(tmp_folder, fname)) if index is None: data[name] = arr elif isinstance(data[name], dict): data[name][index] = arr else: data[name].insert(index, arr) except KeyError: pass except (AttributeError, EOFError, ValueError) as error: error_message = to_text_string(error) finally: os.chdir(old_cwd) try: shutil.rmtree(tmp_folder) except OSError as error: error_message = to_text_string(error) return data, error_message
load_dictionary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n filename = osp.abspath(filename)\n old_cwd = getcwd()\n tmp_folder = tempfile.mkdtemp()\n os.chdir(tmp_folder)\n data = None\n error_message = None\n try:\n with tarfile.open(filename, 'r') as tar:\n tar.extractall()\n pickle_filename = glob.glob('*.pickle')[0]\n with open(pickle_filename, 'rb') as fdesc:\n data = pickle.loads(fdesc.read())\n saved_arrays = {}\n if load_array is not None:\n try:\n saved_arrays = data.pop('__saved_arrays__')\n for (name, index), fname in list(saved_arrays.items()):\n arr = np.load(osp.join(tmp_folder, fname))\n if index is None:\n data[name] = arr\n elif isinstance(data[name], dict):\n data[name][index] = arr\n else:\n data[name].insert(index, arr)\n except KeyError:\n pass\n except (AttributeError, EOFError, ValueError) as error:\n error_message = to_text_string(error)\n finally:\n os.chdir(old_cwd)\n try:\n shutil.rmtree(tmp_folder)\n except OSError as error:\n error_message = to_text_string(error)\n return data, error_message\n", "role": "user" }, { "content": "load_dictionary", "role": "assistant" } ]
def x(txt, last=False): txt_end = '' for startchar, endchar in ['[]', '()']: if txt.endswith(endchar): pos = txt.rfind(startchar) if pos: txt_end = txt[pos:] txt = txt[:pos] tokens = re.split(SYMBOLS, txt) token = None try: while token is None or re.match(SYMBOLS, token): token = tokens.pop() if token.endswith('.'): token = token[:-1] if token.startswith('.'): return None if last: token += txt[txt.rfind(token) + len(token)] token += txt_end if token: return token except IndexError: return None
getobj
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(txt, last=False):\n txt_end = ''\n for startchar, endchar in ['[]', '()']:\n if txt.endswith(endchar):\n pos = txt.rfind(startchar)\n if pos:\n txt_end = txt[pos:]\n txt = txt[:pos]\n tokens = re.split(SYMBOLS, txt)\n token = None\n try:\n while token is None or re.match(SYMBOLS, token):\n token = tokens.pop()\n if token.endswith('.'):\n token = token[:-1]\n if token.startswith('.'):\n return None\n if last:\n token += txt[txt.rfind(token) + len(token)]\n token += txt_end\n if token:\n return token\n except IndexError:\n return None\n", "role": "user" }, { "content": "getobj", "role": "assistant" } ]
def x(obj): docstring = inspect.getdoc(obj) or inspect.getcomments(obj) or '' try: docstring = to_text_string(docstring) except: pass doc = {'name': '', 'argspec': '', 'note': '', 'docstring': docstring} if callable(obj): try: name = obj.__name__ except AttributeError: doc['docstring'] = docstring return doc if inspect.ismethod(obj): imclass = get_meth_class(obj) if get_meth_class_inst(obj) is not None: doc['note'] = 'Method of %s instance' % get_meth_class_inst(obj ).__class__.__name__ else: doc['note'] = 'Unbound %s method' % imclass.__name__ obj = get_meth_func(obj) elif hasattr(obj, '__module__'): doc['note'] = 'Function of %s module' % obj.__module__ else: doc['note'] = 'Function' doc['name'] = obj.__name__ if inspect.isfunction(obj): if PY2: args, varargs, varkw, defaults = inspect.getargspec(obj) doc['argspec'] = inspect.formatargspec(args, varargs, varkw, defaults, formatvalue=lambda o: '=' + repr(o)) else: (args, varargs, varkw, defaults, kwonlyargs, kwonlydefaults, annotations) = inspect.getfullargspec(obj) doc['argspec'] = inspect.formatargspec(args, varargs, varkw, defaults, kwonlyargs, kwonlydefaults, annotations, formatvalue=lambda o: '=' + repr(o)) if name == '<lambda>': doc['name'] = name + ' lambda ' doc['argspec'] = doc['argspec'][1:-1] else: argspec = getargspecfromtext(doc['docstring']) if argspec: doc['argspec'] = argspec signature = doc['name'] + doc['argspec'] docstring_blocks = doc['docstring'].split('\n\n') first_block = docstring_blocks[0].strip() if first_block == signature: doc['docstring'] = doc['docstring'].replace(signature, '', 1).lstrip() else: doc['argspec'] = '(...)' argspec = doc['argspec'] doc['argspec'] = argspec.replace('(self)', '()').replace('(self, ', '(' ) return doc
getdoc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n docstring = inspect.getdoc(obj) or inspect.getcomments(obj) or ''\n try:\n docstring = to_text_string(docstring)\n except:\n pass\n doc = {'name': '', 'argspec': '', 'note': '', 'docstring': docstring}\n if callable(obj):\n try:\n name = obj.__name__\n except AttributeError:\n doc['docstring'] = docstring\n return doc\n if inspect.ismethod(obj):\n imclass = get_meth_class(obj)\n if get_meth_class_inst(obj) is not None:\n doc['note'] = 'Method of %s instance' % get_meth_class_inst(obj\n ).__class__.__name__\n else:\n doc['note'] = 'Unbound %s method' % imclass.__name__\n obj = get_meth_func(obj)\n elif hasattr(obj, '__module__'):\n doc['note'] = 'Function of %s module' % obj.__module__\n else:\n doc['note'] = 'Function'\n doc['name'] = obj.__name__\n if inspect.isfunction(obj):\n if PY2:\n args, varargs, varkw, defaults = inspect.getargspec(obj)\n doc['argspec'] = inspect.formatargspec(args, varargs, varkw,\n defaults, formatvalue=lambda o: '=' + repr(o))\n else:\n (args, varargs, varkw, defaults, kwonlyargs, kwonlydefaults,\n annotations) = inspect.getfullargspec(obj)\n doc['argspec'] = inspect.formatargspec(args, varargs, varkw,\n defaults, kwonlyargs, kwonlydefaults, annotations,\n formatvalue=lambda o: '=' + repr(o))\n if name == '<lambda>':\n doc['name'] = name + ' lambda '\n doc['argspec'] = doc['argspec'][1:-1]\n else:\n argspec = getargspecfromtext(doc['docstring'])\n if argspec:\n doc['argspec'] = argspec\n signature = doc['name'] + doc['argspec']\n docstring_blocks = doc['docstring'].split('\\n\\n')\n first_block = docstring_blocks[0].strip()\n if first_block == signature:\n doc['docstring'] = doc['docstring'].replace(signature,\n '', 1).lstrip()\n else:\n doc['argspec'] = '(...)'\n argspec = doc['argspec']\n doc['argspec'] = argspec.replace('(self)', '()').replace('(self, ', '('\n )\n return doc\n", "role": "user" }, { "content": "getdoc", "role": "assistant" } ]
def x(obj): try: try: src = to_text_string(inspect.getsource(obj)) except TypeError: if hasattr(obj, '__class__'): src = to_text_string(inspect.getsource(obj.__class__)) else: src = getdoc(obj) return src except (TypeError, IOError): return
getsource
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n try:\n try:\n src = to_text_string(inspect.getsource(obj))\n except TypeError:\n if hasattr(obj, '__class__'):\n src = to_text_string(inspect.getsource(obj.__class__))\n else:\n src = getdoc(obj)\n return src\n except (TypeError, IOError):\n return\n", "role": "user" }, { "content": "getsource", "role": "assistant" } ]
def x(text, objname): if isinstance(text, dict): text = text.get('docstring', '') oneline_re = objname + '\\([^\\)].+?(?<=[\\w\\]\\}\\\'"])\\)(?!,)' multiline_re = objname + '\\([^\\)]+(?<=[\\w\\]\\}\\\'"])\\)(?!,)' multiline_end_parenleft_re = ( '(%s\\([^\\)]+(\\),\\n.+)+(?<=[\\w\\]\\}\\\'"])\\))') if not text: text = '' sigs_1 = re.findall(oneline_re + '|' + multiline_re, text) sigs_2 = [g[0] for g in re.findall(multiline_end_parenleft_re % objname, text)] all_sigs = sigs_1 + sigs_2 if all_sigs: return all_sigs[0] else: return ''
getsignaturefromtext
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, objname):\n if isinstance(text, dict):\n text = text.get('docstring', '')\n oneline_re = objname + '\\\\([^\\\\)].+?(?<=[\\\\w\\\\]\\\\}\\\\\\'\"])\\\\)(?!,)'\n multiline_re = objname + '\\\\([^\\\\)]+(?<=[\\\\w\\\\]\\\\}\\\\\\'\"])\\\\)(?!,)'\n multiline_end_parenleft_re = (\n '(%s\\\\([^\\\\)]+(\\\\),\\\\n.+)+(?<=[\\\\w\\\\]\\\\}\\\\\\'\"])\\\\))')\n if not text:\n text = ''\n sigs_1 = re.findall(oneline_re + '|' + multiline_re, text)\n sigs_2 = [g[0] for g in re.findall(multiline_end_parenleft_re % objname,\n text)]\n all_sigs = sigs_1 + sigs_2\n if all_sigs:\n return all_sigs[0]\n else:\n return ''\n", "role": "user" }, { "content": "getsignaturefromtext", "role": "assistant" } ]
def x(text): blocks = text.split('\n\n') first_block = blocks[0].strip() return getsignaturefromtext(first_block, '')
getargspecfromtext
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n blocks = text.split('\\n\\n')\n first_block = blocks[0].strip()\n return getsignaturefromtext(first_block, '')\n", "role": "user" }, { "content": "getargspecfromtext", "role": "assistant" } ]
def x(text, objname): signature = getsignaturefromtext(text, objname) if signature: argtxt = signature[signature.find('(') + 1:-1] return argtxt.split(',')
getargsfromtext
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, objname):\n signature = getsignaturefromtext(text, objname)\n if signature:\n argtxt = signature[signature.find('(') + 1:-1]\n return argtxt.split(',')\n", "role": "user" }, { "content": "getargsfromtext", "role": "assistant" } ]
def x(obj): if inspect.isfunction(obj) or inspect.isbuiltin(obj): func_obj = obj elif inspect.ismethod(obj): func_obj = get_meth_func(obj) elif inspect.isclass(obj) and hasattr(obj, '__init__'): func_obj = getattr(obj, '__init__') else: return [] if not hasattr(func_obj, 'func_code'): args = getargsfromdoc(func_obj) if args is not None: return args else: return getargsfromdoc(obj) args, _, _ = inspect.getargs(func_obj.func_code) if not args: return getargsfromdoc(obj) for i_arg, arg in enumerate(args): if isinstance(arg, list): args[i_arg] = '(%s)' % ', '.join(arg) defaults = get_func_defaults(func_obj) if defaults is not None: for index, default in enumerate(defaults): args[index + len(args) - len(defaults)] += '=' + repr(default) if inspect.isclass(obj) or inspect.ismethod(obj): if len(args) == 1: return None if 'self' in args: args.remove('self') return args
getargs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n if inspect.isfunction(obj) or inspect.isbuiltin(obj):\n func_obj = obj\n elif inspect.ismethod(obj):\n func_obj = get_meth_func(obj)\n elif inspect.isclass(obj) and hasattr(obj, '__init__'):\n func_obj = getattr(obj, '__init__')\n else:\n return []\n if not hasattr(func_obj, 'func_code'):\n args = getargsfromdoc(func_obj)\n if args is not None:\n return args\n else:\n return getargsfromdoc(obj)\n args, _, _ = inspect.getargs(func_obj.func_code)\n if not args:\n return getargsfromdoc(obj)\n for i_arg, arg in enumerate(args):\n if isinstance(arg, list):\n args[i_arg] = '(%s)' % ', '.join(arg)\n defaults = get_func_defaults(func_obj)\n if defaults is not None:\n for index, default in enumerate(defaults):\n args[index + len(args) - len(defaults)] += '=' + repr(default)\n if inspect.isclass(obj) or inspect.ismethod(obj):\n if len(args) == 1:\n return None\n if 'self' in args:\n args.remove('self')\n return args\n", "role": "user" }, { "content": "getargs", "role": "assistant" } ]
def x(obj, one_arg_per_line=True): args = getargs(obj) if args: sep = ', ' textlist = None for i_arg, arg in enumerate(args): if textlist is None: textlist = [''] textlist[-1] += arg if i_arg < len(args) - 1: textlist[-1] += sep if len(textlist[-1]) >= 32 or one_arg_per_line: textlist.append('') if inspect.isclass(obj) or inspect.ismethod(obj): if len(textlist) == 1: return None if 'self' + sep in textlist: textlist.remove('self' + sep) return textlist
getargtxt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, one_arg_per_line=True):\n args = getargs(obj)\n if args:\n sep = ', '\n textlist = None\n for i_arg, arg in enumerate(args):\n if textlist is None:\n textlist = ['']\n textlist[-1] += arg\n if i_arg < len(args) - 1:\n textlist[-1] += sep\n if len(textlist[-1]) >= 32 or one_arg_per_line:\n textlist.append('')\n if inspect.isclass(obj) or inspect.ismethod(obj):\n if len(textlist) == 1:\n return None\n if 'self' + sep in textlist:\n textlist.remove('self' + sep)\n return textlist\n", "role": "user" }, { "content": "getargtxt", "role": "assistant" } ]
def x(obj, force_import=False, namespace=None): if namespace is None: namespace = locals() attr_list = obj.split('.') base = attr_list.pop(0) if len(base) == 0: return False if base not in builtins.__dict__ and base not in namespace: if force_import: try: module = __import__(base, globals(), namespace) if base not in globals(): globals()[base] = module namespace[base] = module except Exception: return False else: return False for attr in attr_list: try: attr_not_found = not hasattr(eval(base, namespace), attr) except (SyntaxError, AttributeError): return False if attr_not_found: if force_import: try: __import__(base + '.' + attr, globals(), namespace) except (ImportError, SyntaxError): return False else: return False base += '.' + attr return True
isdefined
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, force_import=False, namespace=None):\n if namespace is None:\n namespace = locals()\n attr_list = obj.split('.')\n base = attr_list.pop(0)\n if len(base) == 0:\n return False\n if base not in builtins.__dict__ and base not in namespace:\n if force_import:\n try:\n module = __import__(base, globals(), namespace)\n if base not in globals():\n globals()[base] = module\n namespace[base] = module\n except Exception:\n return False\n else:\n return False\n for attr in attr_list:\n try:\n attr_not_found = not hasattr(eval(base, namespace), attr)\n except (SyntaxError, AttributeError):\n return False\n if attr_not_found:\n if force_import:\n try:\n __import__(base + '.' + attr, globals(), namespace)\n except (ImportError, SyntaxError):\n return False\n else:\n return False\n base += '.' + attr\n return True\n", "role": "user" }, { "content": "isdefined", "role": "assistant" } ]
def x(self, size): return_val = self.handle.read(size) if not return_val: raise IOError else: return return_val
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, size):\n return_val = self.handle.read(size)\n if not return_val:\n raise IOError\n else:\n return return_val\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(value): newval = value for pattern, replacement in LATEX_SUBS: newval = pattern.sub(replacement, newval) return newval
escape_tex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n newval = value\n for pattern, replacement in LATEX_SUBS:\n newval = pattern.sub(replacement, newval)\n return newval\n", "role": "user" }, { "content": "escape_tex", "role": "assistant" } ]
def x(s): return ''.join(w if w in ACRONYMS else w.title() for w in s.split('_'))
classnameify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n return ''.join(w if w in ACRONYMS else w.title() for w in s.split('_'))\n", "role": "user" }, { "content": "classnameify", "role": "assistant" } ]
def x(s): return ''.join(w if w in ACRONYMS else w.title() for w in s.split('.')[-1:] )
packagenameify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n return ''.join(w if w in ACRONYMS else w.title() for w in s.split('.')[-1:]\n )\n", "role": "user" }, { "content": "packagenameify", "role": "assistant" } ]
def x(definitions, fields, prefix, offset, multiplier): items = [] for f in fields: if f.type_id == 'array' and f.options['fill'].value in CONSTRUCT_CODE: prefix_name = '.'.join([prefix, f.identifier] ) if prefix else f.identifier n_with_values = f.options['n_with_values'].value bitfields = f.options['fields' ].value if n_with_values > 0 else None if 'size' in f.options: name = '%s[%s]' % (f.options['fill'].value, str(f.options[ 'size'].value)) size = field_sizes[f.options['fill'].value] * f.options['size' ].value item = FieldItem(prefix_name, name, offset, size, str(f. units), f.desc, n_with_values, bitfields) items.append(item) offset += size else: name = '%s[%s]' % (f.options['fill'].value, 'N') multiplier = field_sizes[f.options['fill'].value] size = field_sizes[f.options['fill'].value] * 1 item = FieldItem(prefix_name, name, offset, 'N', str(f. units), f.desc, n_with_values, bitfields) items.append(item) offset += size elif f.type_id == 'string': prefix_name = '.'.join([prefix, f.identifier] ) if prefix else f.identifier n_with_values = f.options['n_with_values'].value bitfields = f.options['fields' ].value if n_with_values > 0 else None if 'size' in f.options: name = 'string' size = field_sizes['u8'] * f.options['size'].value item = FieldItem(prefix_name, name, offset, size, str(f. units), f.desc, n_with_values, bitfields) items.append(item) offset += size else: name = 'string' size = field_sizes['u8'] multiplier = 1 item = FieldItem(prefix_name, name, offset, 'N', str(f. units), f.desc, n_with_values, bitfields) items.append(item) offset += size elif f.type_id == 'array': name = f.options['fill'].value definition = next(d for d in definitions if name == d.identifier) prefix_name = '.'.join([prefix, f.identifier] ) if prefix else f.identifier new_items, new_offset, new_multiplier = handle_fields(definitions, definition.fields, prefix_name + '[N]', offset, multiplier) multiplier = new_offset - offset newer_items, newer_offset, newer_multiplier = handle_fields( definitions, definition.fields, prefix_name + '[N]', offset, multiplier) items += newer_items offset = newer_offset elif f.type_id not in CONSTRUCT_CODE: name = f.type_id definition = next(d for d in definitions if name == d.identifier) prefix_name = '.'.join([prefix, f.identifier] ) if prefix else f.identifier new_items, new_offset, new_multiplier = handle_fields(definitions, definition.fields, prefix_name, offset, multiplier) items += new_items offset = new_offset multiplier = new_multiplier else: size = field_sizes[f.type_id] name = f.type_id adj_offset = '%dN+%d' % (multiplier, offset ) if multiplier else offset prefix_name = '.'.join([prefix, f.identifier] ) if prefix else f.identifier n_with_values = f.options['n_with_values'].value bitfields = f.options['fields' ].value if n_with_values > 0 else None item = FieldItem(prefix_name, name, adj_offset, size, str(f. units), f.desc, n_with_values, bitfields) items.append(item) offset += size return items, offset, multiplier
handle_fields
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(definitions, fields, prefix, offset, multiplier):\n items = []\n for f in fields:\n if f.type_id == 'array' and f.options['fill'].value in CONSTRUCT_CODE:\n prefix_name = '.'.join([prefix, f.identifier]\n ) if prefix else f.identifier\n n_with_values = f.options['n_with_values'].value\n bitfields = f.options['fields'\n ].value if n_with_values > 0 else None\n if 'size' in f.options:\n name = '%s[%s]' % (f.options['fill'].value, str(f.options[\n 'size'].value))\n size = field_sizes[f.options['fill'].value] * f.options['size'\n ].value\n item = FieldItem(prefix_name, name, offset, size, str(f.\n units), f.desc, n_with_values, bitfields)\n items.append(item)\n offset += size\n else:\n name = '%s[%s]' % (f.options['fill'].value, 'N')\n multiplier = field_sizes[f.options['fill'].value]\n size = field_sizes[f.options['fill'].value] * 1\n item = FieldItem(prefix_name, name, offset, 'N', str(f.\n units), f.desc, n_with_values, bitfields)\n items.append(item)\n offset += size\n elif f.type_id == 'string':\n prefix_name = '.'.join([prefix, f.identifier]\n ) if prefix else f.identifier\n n_with_values = f.options['n_with_values'].value\n bitfields = f.options['fields'\n ].value if n_with_values > 0 else None\n if 'size' in f.options:\n name = 'string'\n size = field_sizes['u8'] * f.options['size'].value\n item = FieldItem(prefix_name, name, offset, size, str(f.\n units), f.desc, n_with_values, bitfields)\n items.append(item)\n offset += size\n else:\n name = 'string'\n size = field_sizes['u8']\n multiplier = 1\n item = FieldItem(prefix_name, name, offset, 'N', str(f.\n units), f.desc, n_with_values, bitfields)\n items.append(item)\n offset += size\n elif f.type_id == 'array':\n name = f.options['fill'].value\n definition = next(d for d in definitions if name == d.identifier)\n prefix_name = '.'.join([prefix, f.identifier]\n ) if prefix else f.identifier\n new_items, new_offset, new_multiplier = handle_fields(definitions,\n definition.fields, prefix_name + '[N]', offset, multiplier)\n multiplier = new_offset - offset\n newer_items, newer_offset, newer_multiplier = handle_fields(\n definitions, definition.fields, prefix_name + '[N]', offset,\n multiplier)\n items += newer_items\n offset = newer_offset\n elif f.type_id not in CONSTRUCT_CODE:\n name = f.type_id\n definition = next(d for d in definitions if name == d.identifier)\n prefix_name = '.'.join([prefix, f.identifier]\n ) if prefix else f.identifier\n new_items, new_offset, new_multiplier = handle_fields(definitions,\n definition.fields, prefix_name, offset, multiplier)\n items += new_items\n offset = new_offset\n multiplier = new_multiplier\n else:\n size = field_sizes[f.type_id]\n name = f.type_id\n adj_offset = '%dN+%d' % (multiplier, offset\n ) if multiplier else offset\n prefix_name = '.'.join([prefix, f.identifier]\n ) if prefix else f.identifier\n n_with_values = f.options['n_with_values'].value\n bitfields = f.options['fields'\n ].value if n_with_values > 0 else None\n item = FieldItem(prefix_name, name, adj_offset, size, str(f.\n units), f.desc, n_with_values, bitfields)\n items.append(item)\n offset += size\n return items, offset, multiplier\n", "role": "user" }, { "content": "handle_fields", "role": "assistant" } ]
def x(output_dir, package_specs, version): destination_filename = '%s/sbp_out.tex' % output_dir py_template = JENV.get_template(TEMPLATE_NAME) stable_msgs = [] unstable_msgs = [] prims = [] for p in sorted(package_specs, key=attrgetter('identifier')): pkg_name = p.identifier stable = p.stable definitions = p.definitions for inc in p.includes: inc_basename = inc.split('.')[0] for pkg in package_specs: if pkg.identifier.endswith(inc_basename): definitions += pkg.definitions if pkg_name == 'swiftnav.sbp.types': prims = p.definitions for d in p.definitions: if d.public and d.static and d.sbp_id: items, size, multiplier = handle_fields(definitions, d. fields, '', 0, None) adj_size = '' if multiplier == 1: adj_size = 'N+%d' % (size - 1) if size > 1 else 'N' elif multiplier: if multiplier == size: adj_size = '%dN' % multiplier else: adj_size = '%dN+%d' % (multiplier, size - multiplier) else: adj_size = '%d' % size ti = TableItem(pkg_name, d.identifier, d.sbp_id, d. short_desc, d.desc, adj_size, items, p.stable, p. description) pkg_name = '' if stable: stable_msgs.append(ti) else: unstable_msgs.append(ti) with open(destination_filename, 'w') as f: f.write(py_template.render(msgs=stable_msgs, umsgs=unstable_msgs, prims=prims, version=version)) import subprocess import os os.chdir(output_dir) subprocess.call(['pdflatex', '--enable-write18', '-shell-escape', 'sbp_out.tex']) subprocess.call(['mv', 'sbp_out.pdf', '../docs/sbp.pdf'])
render_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(output_dir, package_specs, version):\n destination_filename = '%s/sbp_out.tex' % output_dir\n py_template = JENV.get_template(TEMPLATE_NAME)\n stable_msgs = []\n unstable_msgs = []\n prims = []\n for p in sorted(package_specs, key=attrgetter('identifier')):\n pkg_name = p.identifier\n stable = p.stable\n definitions = p.definitions\n for inc in p.includes:\n inc_basename = inc.split('.')[0]\n for pkg in package_specs:\n if pkg.identifier.endswith(inc_basename):\n definitions += pkg.definitions\n if pkg_name == 'swiftnav.sbp.types':\n prims = p.definitions\n for d in p.definitions:\n if d.public and d.static and d.sbp_id:\n items, size, multiplier = handle_fields(definitions, d.\n fields, '', 0, None)\n adj_size = ''\n if multiplier == 1:\n adj_size = 'N+%d' % (size - 1) if size > 1 else 'N'\n elif multiplier:\n if multiplier == size:\n adj_size = '%dN' % multiplier\n else:\n adj_size = '%dN+%d' % (multiplier, size - multiplier)\n else:\n adj_size = '%d' % size\n ti = TableItem(pkg_name, d.identifier, d.sbp_id, d.\n short_desc, d.desc, adj_size, items, p.stable, p.\n description)\n pkg_name = ''\n if stable:\n stable_msgs.append(ti)\n else:\n unstable_msgs.append(ti)\n with open(destination_filename, 'w') as f:\n f.write(py_template.render(msgs=stable_msgs, umsgs=unstable_msgs,\n prims=prims, version=version))\n import subprocess\n import os\n os.chdir(output_dir)\n subprocess.call(['pdflatex', '--enable-write18', '-shell-escape',\n 'sbp_out.tex'])\n subprocess.call(['mv', 'sbp_out.pdf', '../docs/sbp.pdf'])\n", "role": "user" }, { "content": "render_source", "role": "assistant" } ]
def x(): import argparse parser = argparse.ArgumentParser(description= 'Swift Navigation SBP Example.') parser.add_argument('-s', '--serial-port', default=[DEFAULT_SERIAL_PORT ], nargs=1, help='specify the serial port to use.') parser.add_argument('-b', '--baud', default=[DEFAULT_SERIAL_BAUD], nargs=1, help='specify the baud rate to use.') parser.add_argument('-a', '--address', default=[DEFAULT_UDP_ADDRESS], nargs=1, help='specify the serial port to use.') parser.add_argument('-p', '--udp-port', default=[DEFAULT_UDP_PORT], nargs=1, help='specify the baud rate to use.') return parser.parse_args()
get_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n import argparse\n parser = argparse.ArgumentParser(description=\n 'Swift Navigation SBP Example.')\n parser.add_argument('-s', '--serial-port', default=[DEFAULT_SERIAL_PORT\n ], nargs=1, help='specify the serial port to use.')\n parser.add_argument('-b', '--baud', default=[DEFAULT_SERIAL_BAUD],\n nargs=1, help='specify the baud rate to use.')\n parser.add_argument('-a', '--address', default=[DEFAULT_UDP_ADDRESS],\n nargs=1, help='specify the serial port to use.')\n parser.add_argument('-p', '--udp-port', default=[DEFAULT_UDP_PORT],\n nargs=1, help='specify the baud rate to use.')\n return parser.parse_args()\n", "role": "user" }, { "content": "get_args", "role": "assistant" } ]
def x(value): value = markdown_links(value) if value is None: return if len(value.split('\n')) == 1: return '* ' + value else: return '\n'.join([(' * ' + l) for l in value.split('\n')[:-1]])
commentify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n value = markdown_links(value)\n if value is None:\n return\n if len(value.split('\\n')) == 1:\n return '* ' + value\n else:\n return '\\n'.join([(' * ' + l) for l in value.split('\\n')[:-1]])\n", "role": "user" }, { "content": "commentify", "role": "assistant" } ]
def x(value): s0 = 'Sbp' + value if value in COLLISIONS else value s1 = re.sub('(.)([A-Z][a-z]+)', '\\1_\\2', s0) return re.sub('([a-z0-9])([A-Z])', '\\1_\\2', s1).lower() + '_t'
convert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n s0 = 'Sbp' + value if value in COLLISIONS else value\n s1 = re.sub('(.)([A-Z][a-z]+)', '\\\\1_\\\\2', s0)\n return re.sub('([a-z0-9])([A-Z])', '\\\\1_\\\\2', s1).lower() + '_t'\n", "role": "user" }, { "content": "convert", "role": "assistant" } ]
def x(field): name = field.type_id if name == 'string': return '%s' % 'char' elif name == 'array' and field.size: if field.options['fill'].value not in CONSTRUCT_CODE: return '%s' % convert(field.options['fill'].value) else: return '%s' % field.options['fill'].value elif name == 'array': return '%s' % convert(field.options['fill'].value) elif name not in CONSTRUCT_CODE: return convert(name) else: return name
mk_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(field):\n name = field.type_id\n if name == 'string':\n return '%s' % 'char'\n elif name == 'array' and field.size:\n if field.options['fill'].value not in CONSTRUCT_CODE:\n return '%s' % convert(field.options['fill'].value)\n else:\n return '%s' % field.options['fill'].value\n elif name == 'array':\n return '%s' % convert(field.options['fill'].value)\n elif name not in CONSTRUCT_CODE:\n return convert(name)\n else:\n return name\n", "role": "user" }, { "content": "mk_id", "role": "assistant" } ]
def x(field): name = field.type_id if name == 'string' and field.options.get('size', None): return '%s[%d];' % (field.identifier, field.options.get('size').value) elif name == 'string': return '%s[0];' % field.identifier elif name == 'array' and field.options.get('size', None): return '%s[%d];' % (field.identifier, field.options.get('size').value) elif name == 'array': return '%s[0];' % field.identifier else: return '%s;' % field.identifier
mk_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(field):\n name = field.type_id\n if name == 'string' and field.options.get('size', None):\n return '%s[%d];' % (field.identifier, field.options.get('size').value)\n elif name == 'string':\n return '%s[0];' % field.identifier\n elif name == 'array' and field.options.get('size', None):\n return '%s[%d];' % (field.identifier, field.options.get('size').value)\n elif name == 'array':\n return '%s[0];' % field.identifier\n else:\n return '%s;' % field.identifier\n", "role": "user" }, { "content": "mk_size", "role": "assistant" } ]
def x(output_dir, package_spec): path, name = package_spec.filepath destination_filename = '%s/%s.h' % (output_dir, name) py_template = JENV.get_template(MESSAGES_TEMPLATE_NAME) with open(destination_filename, 'w') as f: f.write(py_template.render(msgs=package_spec.definitions, pkg_name= name, filepath='/'.join(package_spec.filepath) + '.yaml', max_msgid_len=package_spec.max_msgid_len, description= package_spec.description, timestamp=package_spec. creation_timestamp, include=extensions(package_spec.includes)))
render_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(output_dir, package_spec):\n path, name = package_spec.filepath\n destination_filename = '%s/%s.h' % (output_dir, name)\n py_template = JENV.get_template(MESSAGES_TEMPLATE_NAME)\n with open(destination_filename, 'w') as f:\n f.write(py_template.render(msgs=package_spec.definitions, pkg_name=\n name, filepath='/'.join(package_spec.filepath) + '.yaml',\n max_msgid_len=package_spec.max_msgid_len, description=\n package_spec.description, timestamp=package_spec.\n creation_timestamp, include=extensions(package_spec.includes)))\n", "role": "user" }, { "content": "render_source", "role": "assistant" } ]
def x(buf, offset, crc, length): for index in range(offset, offset + length): data = buf[index] lookup = crc16_tab[nb.u2(crc) >> 8 & nb.u2(255) ^ data & nb.u2(255)] crc = nb.u2(crc) << nb.u2(8) & nb.u2(65535) ^ lookup crc = nb.u2(crc) & nb.u2(65535) return crc
crc16jit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(buf, offset, crc, length):\n for index in range(offset, offset + length):\n data = buf[index]\n lookup = crc16_tab[nb.u2(crc) >> 8 & nb.u2(255) ^ data & nb.u2(255)]\n crc = nb.u2(crc) << nb.u2(8) & nb.u2(65535) ^ lookup\n crc = nb.u2(crc) & nb.u2(65535)\n return crc\n", "role": "user" }, { "content": "crc16jit", "role": "assistant" } ]
def x(s, crc=0): for ch in bytearray(s): crc = crc << 8 & 65535 ^ _crc16_tab[crc >> 8 & 255 ^ ch & 255] crc &= 65535 return crc
crc16_nojit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, crc=0):\n for ch in bytearray(s):\n crc = crc << 8 & 65535 ^ _crc16_tab[crc >> 8 & 255 ^ ch & 255]\n crc &= 65535\n return crc\n", "role": "user" }, { "content": "crc16_nojit", "role": "assistant" } ]
def x(self, buf, offset, insert_payload): header_offset = offset + self._header_len self.length = insert_payload(buf, header_offset, self.payload) struct.pack_into(self._header_fmt, buf, offset, self.preamble, self. msg_type, self.sender, self.length) crc_offset = header_offset + self.length preamble_bytes = 1 crc_over_len = self._header_len + self.length - preamble_bytes self.crc = crc16jit(buf, offset + 1, 0, crc_over_len) struct.pack_into(self._crc_fmt, buf, crc_offset, self.crc) length = preamble_bytes + crc_over_len + self._crc_len return length
get_framed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, buf, offset, insert_payload):\n header_offset = offset + self._header_len\n self.length = insert_payload(buf, header_offset, self.payload)\n struct.pack_into(self._header_fmt, buf, offset, self.preamble, self.\n msg_type, self.sender, self.length)\n crc_offset = header_offset + self.length\n preamble_bytes = 1\n crc_over_len = self._header_len + self.length - preamble_bytes\n self.crc = crc16jit(buf, offset + 1, 0, crc_over_len)\n struct.pack_into(self._crc_fmt, buf, crc_offset, self.crc)\n length = preamble_bytes + crc_over_len + self._crc_len\n return length\n", "role": "user" }, { "content": "get_framed", "role": "assistant" } ]
def x(self): buf = np.zeros(512, dtype=np.uint8) packed_len = self._get_framed(buf, 0, self._copy_payload) d = buf[:packed_len] return d.tobytes()
pack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n buf = np.zeros(512, dtype=np.uint8)\n packed_len = self._get_framed(buf, 0, self._copy_payload)\n d = buf[:packed_len]\n return d.tobytes()\n", "role": "user" }, { "content": "pack", "role": "assistant" } ]
def x(self, buf, offset, write_payload): return self._get_framed(buf, offset, write_payload)
pack_into
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, buf, offset, write_payload):\n return self._get_framed(buf, offset, write_payload)\n", "role": "user" }, { "content": "pack_into", "role": "assistant" } ]
def x(d): p = SBP._parser.parse(d) assert p.preamble == SBP_PREAMBLE, 'Invalid preamble 0x%x.' % p.preamble return SBP(p.msg_type, p.sender, p.length, p.payload, p.crc)
unpack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d):\n p = SBP._parser.parse(d)\n assert p.preamble == SBP_PREAMBLE, 'Invalid preamble 0x%x.' % p.preamble\n return SBP(p.msg_type, p.sender, p.length, p.payload, p.crc)\n", "role": "user" }, { "content": "unpack", "role": "assistant" } ]
def x(self, sort_keys=False): d = self.to_json_dict() return json.dumps(d, sort_keys=sort_keys)
to_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sort_keys=False):\n d = self.to_json_dict()\n return json.dumps(d, sort_keys=sort_keys)\n", "role": "user" }, { "content": "to_json", "role": "assistant" } ]
def x(s): d = json.loads(s) sbp = SBP.from_json_dict(d) return sbp
from_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n d = json.loads(s)\n sbp = SBP.from_json_dict(d)\n return sbp\n", "role": "user" }, { "content": "from_json", "role": "assistant" } ]
def x(self, size): try: return self.handle.read(size) except (OSError, serial.SerialException): print() print('Piksi disconnected') print() self.handle.close() raise IOError
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, size):\n try:\n return self.handle.read(size)\n except (OSError, serial.SerialException):\n print()\n print('Piksi disconnected')\n print()\n self.handle.close()\n raise IOError\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(self, s): try: return self.handle.write(s) except (OSError, serial.SerialException, serial.writeTimeoutError) as e: if e == serial.writeTimeoutError: print('sbp pyserial_driver: writeTimeoutError') return 0 else: print() print('Piksi disconnected') print() self.handle.close() raise IOError
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, s):\n try:\n return self.handle.write(s)\n except (OSError, serial.SerialException, serial.writeTimeoutError) as e:\n if e == serial.writeTimeoutError:\n print('sbp pyserial_driver: writeTimeoutError')\n return 0\n else:\n print()\n print('Piksi disconnected')\n print()\n self.handle.close()\n raise IOError\n", "role": "user" }, { "content": "write", "role": "assistant" } ]