source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(Lat): if 84 >= Lat >= 72: return 'X' elif 72 > Lat >= 64: return 'W' elif 64 > Lat >= 56: return 'V' elif 56 > Lat >= 48: return 'U' elif 48 > Lat >= 40: return 'T' elif 40 > Lat >= 32: return 'S' elif 32 > Lat >= 24: return 'R' elif 24 > Lat >= 16: return 'Q' elif 16 > Lat >= 8: return 'P' elif 8 > Lat >= 0: return 'N' elif 0 > Lat >= -8: return 'M' elif -8 > Lat >= -16: return 'L' elif -16 > Lat >= -24: return 'K' elif -24 > Lat >= -32: return 'J' elif -32 > Lat >= -40: return 'H' elif -40 > Lat >= -48: return 'G' elif -48 > Lat >= -56: return 'F' elif -56 > Lat >= -64: return 'E' elif -64 > Lat >= -72: return 'D' elif -72 > Lat >= -80: return 'C' else: return 'Z'
UTMLetterDesignator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(Lat):\n if 84 >= Lat >= 72:\n return 'X'\n elif 72 > Lat >= 64:\n return 'W'\n elif 64 > Lat >= 56:\n return 'V'\n elif 56 > Lat >= 48:\n return 'U'\n elif 48 > Lat >= 40:\n return 'T'\n elif 40 > Lat >= 32:\n return 'S'\n elif 32 > Lat >= 24:\n return 'R'\n elif 24 > Lat >= 16:\n return 'Q'\n elif 16 > Lat >= 8:\n return 'P'\n elif 8 > Lat >= 0:\n return 'N'\n elif 0 > Lat >= -8:\n return 'M'\n elif -8 > Lat >= -16:\n return 'L'\n elif -16 > Lat >= -24:\n return 'K'\n elif -24 > Lat >= -32:\n return 'J'\n elif -32 > Lat >= -40:\n return 'H'\n elif -40 > Lat >= -48:\n return 'G'\n elif -48 > Lat >= -56:\n return 'F'\n elif -56 > Lat >= -64:\n return 'E'\n elif -64 > Lat >= -72:\n return 'D'\n elif -72 > Lat >= -80:\n return 'C'\n else:\n return 'Z'\n", "role": "user" }, { "content": "UTMLetterDesignator", "role": "assistant" } ]
def x(ReferenceEllipsoid, easting, northing, zone): k0 = 0.9996 a = _ellipsoid[ReferenceEllipsoid][_EquatorialRadius] eccSquared = _ellipsoid[ReferenceEllipsoid][_eccentricitySquared] e1 = old_div(1 - sqrt(1 - eccSquared), 1 + sqrt(1 - eccSquared)) x = easting - 500000.0 y = northing ZoneLetter = zone[-1] if ZoneLetter == 'Z': raise Exception('Latitude is outside the UTM limits') ZoneNumber = int(zone[:-1]) if ZoneLetter >= 'N': NorthernHemisphere = 1 else: NorthernHemisphere = 0 y -= 10000000.0 LongOrigin = (ZoneNumber - 1) * 6 - 180 + 3 eccPrimeSquared = old_div(eccSquared, 1 - eccSquared) M = old_div(y, k0) mu = old_div(M, a * (1 - old_div(eccSquared, 4) - 3 * eccSquared * eccSquared / 64 - 5 * eccSquared * eccSquared * eccSquared / 256)) phi1Rad = mu + (3 * e1 / 2 - 27 * e1 * e1 * e1 / 32) * sin(2 * mu) + ( 21 * e1 * e1 / 16 - 55 * e1 * e1 * e1 * e1 / 32) * sin(4 * mu ) + 151 * e1 * e1 * e1 / 96 * sin(6 * mu) phi1 = degrees(phi1Rad) N1 = old_div(a, sqrt(1 - eccSquared * sin(phi1Rad) * sin(phi1Rad))) T1 = tan(phi1Rad) * tan(phi1Rad) C1 = eccPrimeSquared * cos(phi1Rad) * cos(phi1Rad) R1 = a * (1 - eccSquared) / pow(1 - eccSquared * sin(phi1Rad) * sin( phi1Rad), 1.5) D = old_div(x, N1 * k0) Lat = phi1Rad - N1 * tan(phi1Rad) / R1 * (D * D / 2 - (5 + 3 * T1 + 10 * C1 - 4 * C1 * C1 - 9 * eccPrimeSquared) * D * D * D * D / 24 + (61 + 90 * T1 + 298 * C1 + 45 * T1 * T1 - 252 * eccPrimeSquared - 3 * C1 * C1) * D * D * D * D * D * D / 720) Lat = degrees(Lat) Long = old_div(D - (1 + 2 * T1 + C1) * D * D * D / 6 + (5 - 2 * C1 + 28 * T1 - 3 * C1 * C1 + 8 * eccPrimeSquared + 24 * T1 * T1) * D * D * D * D * D / 120, cos(phi1Rad)) Long = LongOrigin + degrees(Long) return Long, Lat
UTMtoLL
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ReferenceEllipsoid, easting, northing, zone):\n k0 = 0.9996\n a = _ellipsoid[ReferenceEllipsoid][_EquatorialRadius]\n eccSquared = _ellipsoid[ReferenceEllipsoid][_eccentricitySquared]\n e1 = old_div(1 - sqrt(1 - eccSquared), 1 + sqrt(1 - eccSquared))\n x = easting - 500000.0\n y = northing\n ZoneLetter = zone[-1]\n if ZoneLetter == 'Z':\n raise Exception('Latitude is outside the UTM limits')\n ZoneNumber = int(zone[:-1])\n if ZoneLetter >= 'N':\n NorthernHemisphere = 1\n else:\n NorthernHemisphere = 0\n y -= 10000000.0\n LongOrigin = (ZoneNumber - 1) * 6 - 180 + 3\n eccPrimeSquared = old_div(eccSquared, 1 - eccSquared)\n M = old_div(y, k0)\n mu = old_div(M, a * (1 - old_div(eccSquared, 4) - 3 * eccSquared *\n eccSquared / 64 - 5 * eccSquared * eccSquared * eccSquared / 256))\n phi1Rad = mu + (3 * e1 / 2 - 27 * e1 * e1 * e1 / 32) * sin(2 * mu) + (\n 21 * e1 * e1 / 16 - 55 * e1 * e1 * e1 * e1 / 32) * sin(4 * mu\n ) + 151 * e1 * e1 * e1 / 96 * sin(6 * mu)\n phi1 = degrees(phi1Rad)\n N1 = old_div(a, sqrt(1 - eccSquared * sin(phi1Rad) * sin(phi1Rad)))\n T1 = tan(phi1Rad) * tan(phi1Rad)\n C1 = eccPrimeSquared * cos(phi1Rad) * cos(phi1Rad)\n R1 = a * (1 - eccSquared) / pow(1 - eccSquared * sin(phi1Rad) * sin(\n phi1Rad), 1.5)\n D = old_div(x, N1 * k0)\n Lat = phi1Rad - N1 * tan(phi1Rad) / R1 * (D * D / 2 - (5 + 3 * T1 + 10 *\n C1 - 4 * C1 * C1 - 9 * eccPrimeSquared) * D * D * D * D / 24 + (61 +\n 90 * T1 + 298 * C1 + 45 * T1 * T1 - 252 * eccPrimeSquared - 3 * C1 *\n C1) * D * D * D * D * D * D / 720)\n Lat = degrees(Lat)\n Long = old_div(D - (1 + 2 * T1 + C1) * D * D * D / 6 + (5 - 2 * C1 + 28 *\n T1 - 3 * C1 * C1 + 8 * eccPrimeSquared + 24 * T1 * T1) * D * D * D *\n D * D / 120, cos(phi1Rad))\n Long = LongOrigin + degrees(Long)\n return Long, Lat\n", "role": "user" }, { "content": "UTMtoLL", "role": "assistant" } ]
def x(self, event=None): currentDirectory = self.WD change_dir_dialog = wx.DirDialog(self.panel, 'Choose your working directory to create or edit a MagIC contribution:' , defaultPath=currentDirectory, style=wx.DD_DEFAULT_STYLE | wx. DD_NEW_DIR_BUTTON | wx.DD_CHANGE_DIR) result = change_dir_dialog.ShowModal() if result == wx.ID_CANCEL: return if result == wx.ID_OK: self.WD = change_dir_dialog.GetPath() self.dir_path.SetValue(self.WD) change_dir_dialog.Destroy() self.get_wd_data()
on_change_dir_button
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event=None):\n currentDirectory = self.WD\n change_dir_dialog = wx.DirDialog(self.panel,\n 'Choose your working directory to create or edit a MagIC contribution:'\n , defaultPath=currentDirectory, style=wx.DD_DEFAULT_STYLE | wx.\n DD_NEW_DIR_BUTTON | wx.DD_CHANGE_DIR)\n result = change_dir_dialog.ShowModal()\n if result == wx.ID_CANCEL:\n return\n if result == wx.ID_OK:\n self.WD = change_dir_dialog.GetPath()\n self.dir_path.SetValue(self.WD)\n change_dir_dialog.Destroy()\n self.get_wd_data()\n", "role": "user" }, { "content": "on_change_dir_button", "role": "assistant" } ]
def x(self, event): if self.grid_frame: print('-I- You already have a grid frame open') pw.simple_warning('You already have a grid open') return try: grid_type = event.GetButtonObj().Name[:-4] except AttributeError: grid_type = self.FindWindowById(event.Id).Name[:-4] wait = wx.BusyInfo('Making {} grid, please wait...'.format(grid_type)) wx.SafeYield() if grid_type == 'locations' and 'sites' in self.contribution.tables: self.contribution.get_min_max_lat_lon() self.contribution.propagate_cols_up(['lithologies', 'geologic_classes'], 'locations', 'sites') if grid_type in ['specimens', 'samples']: self.contribution.propagate_lithology_cols() if grid_type == 'sites': self.contribution.propagate_average_up(cols=['lat', 'lon', 'height' ], target_df_name='sites', source_df_name='samples') self.contribution.propagate_lithology_cols() self.on_open_grid_frame() if grid_type == 'measurements': huge = True else: huge = False self.grid_frame = grid_frame.GridFrame(self.contribution, self.WD, grid_type, grid_type, self.panel, huge=huge) row_string = '' if self.validation_mode: if grid_type in self.validation_mode: if grid_type == 'measurements': skip_cell_render = True else: skip_cell_render = False self.grid_frame.toggle_help(None, 'open') row_problems = self.failing_items[grid_type]['rows'] missing_columns = self.failing_items[grid_type]['missing_columns'] missing_groups = self.failing_items[grid_type]['missing_groups'] if len(row_problems): row_string = ( 'Columns and rows with problem data have been highlighted in blue.\n' ) if not skip_cell_render: row_string += """Cells with problem data are highlighted according to the type of problem. Red: incorrect data """ row_string += 'For full error messages, see {}.'.format( grid_type + '_errors.txt') self.grid_frame.toggle_codes_btn.SetLabel('Show errors') self.grid_frame.Bind(wx.EVT_BUTTON, self.grid_frame. show_errors, self.grid_frame.toggle_codes_btn) for row in row_problems['num']: self.grid_frame.grid.paint_invalid_row(row) mask = row_problems['num'] == row items = row_problems[mask] cols = items.dropna(how='all', axis=1).drop(['num', 'issues'], axis=1) for col in cols: pre, col_name = val_up3.extract_col_name(col) col_ind = self.grid_frame.grid.col_labels.index( col_name) self.grid_frame.grid.paint_invalid_cell(row, col_ind, skip_cell=skip_cell_render) current_label = self.grid_frame.msg_text.GetLabel() if len(missing_columns): col_string = ( 'You are missing the following required columns: {}\n\n' .format(', '.join(missing_columns))) else: col_string = '' if len(missing_groups): group_string = ( """You must have at least one column from each of the following groups: {} """ .format(', '.join(missing_groups))) else: group_string = '' add_text = '{}{}{}'.format(col_string, group_string, row_string) self.grid_frame.msg_text.SetLabel(add_text) self.grid_frame.do_fit(None) del wait
make_grid_frame
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n if self.grid_frame:\n print('-I- You already have a grid frame open')\n pw.simple_warning('You already have a grid open')\n return\n try:\n grid_type = event.GetButtonObj().Name[:-4]\n except AttributeError:\n grid_type = self.FindWindowById(event.Id).Name[:-4]\n wait = wx.BusyInfo('Making {} grid, please wait...'.format(grid_type))\n wx.SafeYield()\n if grid_type == 'locations' and 'sites' in self.contribution.tables:\n self.contribution.get_min_max_lat_lon()\n self.contribution.propagate_cols_up(['lithologies',\n 'geologic_classes'], 'locations', 'sites')\n if grid_type in ['specimens', 'samples']:\n self.contribution.propagate_lithology_cols()\n if grid_type == 'sites':\n self.contribution.propagate_average_up(cols=['lat', 'lon', 'height'\n ], target_df_name='sites', source_df_name='samples')\n self.contribution.propagate_lithology_cols()\n self.on_open_grid_frame()\n if grid_type == 'measurements':\n huge = True\n else:\n huge = False\n self.grid_frame = grid_frame.GridFrame(self.contribution, self.WD,\n grid_type, grid_type, self.panel, huge=huge)\n row_string = ''\n if self.validation_mode:\n if grid_type in self.validation_mode:\n if grid_type == 'measurements':\n skip_cell_render = True\n else:\n skip_cell_render = False\n self.grid_frame.toggle_help(None, 'open')\n row_problems = self.failing_items[grid_type]['rows']\n missing_columns = self.failing_items[grid_type]['missing_columns']\n missing_groups = self.failing_items[grid_type]['missing_groups']\n if len(row_problems):\n row_string = (\n 'Columns and rows with problem data have been highlighted in blue.\\n'\n )\n if not skip_cell_render:\n row_string += \"\"\"Cells with problem data are highlighted according to the type of problem.\nRed: incorrect data\n\"\"\"\n row_string += 'For full error messages, see {}.'.format(\n grid_type + '_errors.txt')\n self.grid_frame.toggle_codes_btn.SetLabel('Show errors')\n self.grid_frame.Bind(wx.EVT_BUTTON, self.grid_frame.\n show_errors, self.grid_frame.toggle_codes_btn)\n for row in row_problems['num']:\n self.grid_frame.grid.paint_invalid_row(row)\n mask = row_problems['num'] == row\n items = row_problems[mask]\n cols = items.dropna(how='all', axis=1).drop(['num',\n 'issues'], axis=1)\n for col in cols:\n pre, col_name = val_up3.extract_col_name(col)\n col_ind = self.grid_frame.grid.col_labels.index(\n col_name)\n self.grid_frame.grid.paint_invalid_cell(row,\n col_ind, skip_cell=skip_cell_render)\n current_label = self.grid_frame.msg_text.GetLabel()\n if len(missing_columns):\n col_string = (\n 'You are missing the following required columns: {}\\n\\n'\n .format(', '.join(missing_columns)))\n else:\n col_string = ''\n if len(missing_groups):\n group_string = (\n \"\"\"You must have at least one column from each of the following groups: {}\n\n\"\"\"\n .format(', '.join(missing_groups)))\n else:\n group_string = ''\n add_text = '{}{}{}'.format(col_string, group_string, row_string)\n self.grid_frame.msg_text.SetLabel(add_text)\n self.grid_frame.do_fit(None)\n del wait\n", "role": "user" }, { "content": "make_grid_frame", "role": "assistant" } ]
def x(self, has_problems): if has_problems: self.validation_mode = set(has_problems) if sys.platform in ['win32', 'win62']: self.message.SetLabel( 'The following grid(s) have incorrect or incomplete data:\n{}' .format(', '.join(self.validation_mode))) else: for dtype in ['specimens', 'samples', 'sites', 'locations', 'ages', 'measurements']: wind = self.FindWindowByName(dtype + '_btn') if dtype not in has_problems: wind.Unbind(wx.EVT_PAINT, handler=self.highlight_button) else: wind.Bind(wx.EVT_PAINT, self.highlight_button) self.Refresh() self.message.SetLabel( 'Highlighted grids have incorrect or incomplete data') self.bSizer_msg.ShowItems(True) paintEvent = wx.CommandEvent(wx.wxEVT_PAINT, self.GetId()) self.GetEventHandler().ProcessEvent(paintEvent) else: self.message.SetLabel('Validated!') self.bSizer_msg.ShowItems(True) self.hbox.Fit(self)
highlight_problems
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, has_problems):\n if has_problems:\n self.validation_mode = set(has_problems)\n if sys.platform in ['win32', 'win62']:\n self.message.SetLabel(\n 'The following grid(s) have incorrect or incomplete data:\\n{}'\n .format(', '.join(self.validation_mode)))\n else:\n for dtype in ['specimens', 'samples', 'sites', 'locations',\n 'ages', 'measurements']:\n wind = self.FindWindowByName(dtype + '_btn')\n if dtype not in has_problems:\n wind.Unbind(wx.EVT_PAINT, handler=self.highlight_button)\n else:\n wind.Bind(wx.EVT_PAINT, self.highlight_button)\n self.Refresh()\n self.message.SetLabel(\n 'Highlighted grids have incorrect or incomplete data')\n self.bSizer_msg.ShowItems(True)\n paintEvent = wx.CommandEvent(wx.wxEVT_PAINT, self.GetId())\n self.GetEventHandler().ProcessEvent(paintEvent)\n else:\n self.message.SetLabel('Validated!')\n self.bSizer_msg.ShowItems(True)\n self.hbox.Fit(self)\n", "role": "user" }, { "content": "highlight_problems", "role": "assistant" } ]
def x(self): for dtype in ['specimens', 'samples', 'sites', 'locations', 'ages']: wind = self.FindWindowByName(dtype + '_btn') wind.Unbind(wx.EVT_PAINT, handler=self.highlight_button) self.Refresh() self.bSizer_msg.ShowItems(False) self.hbox.Fit(self)
reset_highlights
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for dtype in ['specimens', 'samples', 'sites', 'locations', 'ages']:\n wind = self.FindWindowByName(dtype + '_btn')\n wind.Unbind(wx.EVT_PAINT, handler=self.highlight_button)\n self.Refresh()\n self.bSizer_msg.ShowItems(False)\n self.hbox.Fit(self)\n", "role": "user" }, { "content": "reset_highlights", "role": "assistant" } ]
def x(self, event): wind = event.GetEventObject() pos = wind.GetPosition() size = wind.GetSize() try: dc = wx.PaintDC(self) except wx._core.PyAssertionError: dc = wx.ClientDC(self) dc.SetPen(wx.Pen('red', 5, wx.SOLID)) dc.DrawRectangle(pos[0], pos[1], size[0], size[1]) event.Skip()
highlight_button
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n wind = event.GetEventObject()\n pos = wind.GetPosition()\n size = wind.GetSize()\n try:\n dc = wx.PaintDC(self)\n except wx._core.PyAssertionError:\n dc = wx.ClientDC(self)\n dc.SetPen(wx.Pen('red', 5, wx.SOLID))\n dc.DrawRectangle(pos[0], pos[1], size[0], size[1])\n event.Skip()\n", "role": "user" }, { "content": "highlight_button", "role": "assistant" } ]
def x(self, event): dia = pmag_menu_dialogs.ClearWD(self.parent, self.parent.WD) clear = dia.do_clear() if clear: print('-I- Clear data object') self.contribution = cb.Contribution(self.WD, dmodel=self.data_model) self.edited = False
on_clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n dia = pmag_menu_dialogs.ClearWD(self.parent, self.parent.WD)\n clear = dia.do_clear()\n if clear:\n print('-I- Clear data object')\n self.contribution = cb.Contribution(self.WD, dmodel=self.data_model)\n self.edited = False\n", "role": "user" }, { "content": "on_clear", "role": "assistant" } ]
def x(self, event): if self.parent.grid_frame: self.parent.grid_frame.onSave(None) self.parent.grid_frame.Destroy()
on_close_grid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n if self.parent.grid_frame:\n self.parent.grid_frame.onSave(None)\n self.parent.grid_frame.Destroy()\n", "role": "user" }, { "content": "on_close_grid", "role": "assistant" } ]
def x(): firstline, itilt, igeo, linecnt, key = 1, 0, 0, 0, '' out = '' data, k15 = [], [] dir = './' ofile = '' if '-WD' in sys.argv: ind = sys.argv.index('-WD') dir = sys.argv[ind + 1] + '/' if '-h' in sys.argv: print(main.__doc__) sys.exit() if '-i' in sys.argv: file = input('Input file name [.k15 format]: ') f = open(file, 'r') data = f.readlines() f.close() file = input('Output file name [.s format]: ') out = open(file, 'w') print(' [g]eographic, [t]ilt corrected, ') tg = input(' [return for specimen coordinates]: ') if tg == 'g': igeo = 1 elif tg == 't': igeo, itilt = 1, 1 elif '-f' in sys.argv: ind = sys.argv.index('-f') file = dir + sys.argv[ind + 1] f = open(file, 'r') data = f.readlines() f.close() else: data = sys.stdin.readlines() if len(data) == 0: print(main.__doc__) sys.exit() if '-F' in sys.argv: ind = sys.argv.index('-F') ofile = dir + sys.argv[ind + 1] out = open(ofile, 'w') if '-crd' in sys.argv: ind = sys.argv.index('-crd') tg = sys.argv[ind + 1] if tg == 'g': igeo = 1 if tg == 't': igeo, itilt = 1, 1 for line in data: rec = line.split() if firstline == 1: firstline = 0 nam = rec[0] if igeo == 1: az, pl = float(rec[1]), float(rec[2]) if itilt == 1: bed_az, bed_dip = 90.0 + float(rec[3]), float(rec[4]) else: linecnt += 1 for i in range(5): k15.append(float(rec[i])) if linecnt == 3: sbar, sigma, bulk = pmag.dok15_s(k15) if igeo == 1: sbar = pmag.dosgeo(sbar, az, pl) if itilt == 1: sbar = pmag.dostilt(sbar, bed_az, bed_dip) outstring = '' for s in sbar: outstring += '%10.8f ' % s outstring += '%10.8f' % sigma if out == '': print(outstring) else: out.write(outstring + '\n') linecnt, firstline, k15 = 0, 1, [] if ofile != '': print('Output saved in ', ofile)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n firstline, itilt, igeo, linecnt, key = 1, 0, 0, 0, ''\n out = ''\n data, k15 = [], []\n dir = './'\n ofile = ''\n if '-WD' in sys.argv:\n ind = sys.argv.index('-WD')\n dir = sys.argv[ind + 1] + '/'\n if '-h' in sys.argv:\n print(main.__doc__)\n sys.exit()\n if '-i' in sys.argv:\n file = input('Input file name [.k15 format]: ')\n f = open(file, 'r')\n data = f.readlines()\n f.close()\n file = input('Output file name [.s format]: ')\n out = open(file, 'w')\n print(' [g]eographic, [t]ilt corrected, ')\n tg = input(' [return for specimen coordinates]: ')\n if tg == 'g':\n igeo = 1\n elif tg == 't':\n igeo, itilt = 1, 1\n elif '-f' in sys.argv:\n ind = sys.argv.index('-f')\n file = dir + sys.argv[ind + 1]\n f = open(file, 'r')\n data = f.readlines()\n f.close()\n else:\n data = sys.stdin.readlines()\n if len(data) == 0:\n print(main.__doc__)\n sys.exit()\n if '-F' in sys.argv:\n ind = sys.argv.index('-F')\n ofile = dir + sys.argv[ind + 1]\n out = open(ofile, 'w')\n if '-crd' in sys.argv:\n ind = sys.argv.index('-crd')\n tg = sys.argv[ind + 1]\n if tg == 'g':\n igeo = 1\n if tg == 't':\n igeo, itilt = 1, 1\n for line in data:\n rec = line.split()\n if firstline == 1:\n firstline = 0\n nam = rec[0]\n if igeo == 1:\n az, pl = float(rec[1]), float(rec[2])\n if itilt == 1:\n bed_az, bed_dip = 90.0 + float(rec[3]), float(rec[4])\n else:\n linecnt += 1\n for i in range(5):\n k15.append(float(rec[i]))\n if linecnt == 3:\n sbar, sigma, bulk = pmag.dok15_s(k15)\n if igeo == 1:\n sbar = pmag.dosgeo(sbar, az, pl)\n if itilt == 1:\n sbar = pmag.dostilt(sbar, bed_az, bed_dip)\n outstring = ''\n for s in sbar:\n outstring += '%10.8f ' % s\n outstring += '%10.8f' % sigma\n if out == '':\n print(outstring)\n else:\n out.write(outstring + '\\n')\n linecnt, firstline, k15 = 0, 1, []\n if ofile != '':\n print('Output saved in ', ofile)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): if '-h' in sys.argv: print(main.__doc__) sys.exit() elif '-f' in sys.argv: ind = sys.argv.index('-f') file = sys.argv[ind + 1] f = open(file, 'r') data = f.readlines() elif '-i' not in sys.argv: data = sys.stdin.readlines() if '-i' not in sys.argv: for line in data: rec = line.split() print('%7.1f' % pmag.plat(float(rec[0]))) else: while 1: try: inc = input( 'Inclination for converting to paleolatitude: <cntl-D> to quit ' ) print('%7.1f' % pmag.plat(float(inc))) except: print('\n Good-bye \n') sys.exit()
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if '-h' in sys.argv:\n print(main.__doc__)\n sys.exit()\n elif '-f' in sys.argv:\n ind = sys.argv.index('-f')\n file = sys.argv[ind + 1]\n f = open(file, 'r')\n data = f.readlines()\n elif '-i' not in sys.argv:\n data = sys.stdin.readlines()\n if '-i' not in sys.argv:\n for line in data:\n rec = line.split()\n print('%7.1f' % pmag.plat(float(rec[0])))\n else:\n while 1:\n try:\n inc = input(\n 'Inclination for converting to paleolatitude: <cntl-D> to quit '\n )\n print('%7.1f' % pmag.plat(float(inc)))\n except:\n print('\\n Good-bye \\n')\n sys.exit()\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): if '-h' in sys.argv: print(main.__doc__) return dir_path = pmag.get_named_arg('-WD', default_val=os.getcwd()) meas_file = pmag.get_named_arg('-f', default_val='measurements.txt') spec_file = pmag.get_named_arg('-fsp', default_val='specimens.txt') specimen = pmag.get_named_arg('-spc', default_val='') samp_file = pmag.get_named_arg('-fsa', default_val='samples.txt') site_file = pmag.get_named_arg('-fsi', default_val='sites.txt') plot_file = pmag.get_named_arg('-Fp', default_val='') crd = pmag.get_named_arg('-crd', default_val='s') fmt = pmag.get_named_arg('-fmt', 'svg') specimen = pmag.get_named_arg('-spc', default_val='') interactive = True save_plots = False if '-sav' in sys.argv: interactive = False save_plots = True ipmag.zeq_magic(meas_file, spec_file, crd, dir_path, n_plots='all', save_plots=save_plots, fmt=fmt, interactive=interactive, specimen= specimen)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if '-h' in sys.argv:\n print(main.__doc__)\n return\n dir_path = pmag.get_named_arg('-WD', default_val=os.getcwd())\n meas_file = pmag.get_named_arg('-f', default_val='measurements.txt')\n spec_file = pmag.get_named_arg('-fsp', default_val='specimens.txt')\n specimen = pmag.get_named_arg('-spc', default_val='')\n samp_file = pmag.get_named_arg('-fsa', default_val='samples.txt')\n site_file = pmag.get_named_arg('-fsi', default_val='sites.txt')\n plot_file = pmag.get_named_arg('-Fp', default_val='')\n crd = pmag.get_named_arg('-crd', default_val='s')\n fmt = pmag.get_named_arg('-fmt', 'svg')\n specimen = pmag.get_named_arg('-spc', default_val='')\n interactive = True\n save_plots = False\n if '-sav' in sys.argv:\n interactive = False\n save_plots = True\n ipmag.zeq_magic(meas_file, spec_file, crd, dir_path, n_plots='all',\n save_plots=save_plots, fmt=fmt, interactive=interactive, specimen=\n specimen)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(n, x, y): sx, sx2, sx3, sy, sy2, sy3, sxy, sxy2, syx2 = (0,) * 9 print(type(sx), sx) for i in range(n): sx = sx + x[i] sx2 = sx2 + x[i] ** 2 sx3 = sx3 + x[i] ** 3 sy = sy + y[i] sy2 = sy2 + y[i] ** 2 sy3 = sy3 + y[i] ** 3 sxy = sxy + x[i] * y[i] sxy2 = sxy2 + x[i] * y[i] ** 2 syx2 = syx2 + y[i] * x[i] ** 2 A = n * sx2 - sx ** 2 B = n * sxy - sx * sy C = n * sy2 - sy ** 2 D = 0.5 * (n * sxy2 - sx * sy2 + n * sx3 - sx * sx2) E = 0.5 * (n * syx2 - sy * sx2 + n * sy3 - sy * sy2) xo = old_div(D * C - B * E, A * C - B ** 2) yo = old_div(A * E - B * D, A * C - B ** 2) print('xo', xo) print('yo', yo) r = 0 for z in range(n): r = r + old_div(numpy.sqrt((x[z] - xo) ** 2 + (y[z] - yo) ** 2), n) if xo <= numpy.mean(x) and yo <= numpy.mean(y): k = old_div(-1.0, r) else: k = old_div(1.0, r) SSE = lib_k.get_SSE(xo, yo, r, x, y) print('r', r) return k, xo, yo, SSE
fitcircle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n, x, y):\n sx, sx2, sx3, sy, sy2, sy3, sxy, sxy2, syx2 = (0,) * 9\n print(type(sx), sx)\n for i in range(n):\n sx = sx + x[i]\n sx2 = sx2 + x[i] ** 2\n sx3 = sx3 + x[i] ** 3\n sy = sy + y[i]\n sy2 = sy2 + y[i] ** 2\n sy3 = sy3 + y[i] ** 3\n sxy = sxy + x[i] * y[i]\n sxy2 = sxy2 + x[i] * y[i] ** 2\n syx2 = syx2 + y[i] * x[i] ** 2\n A = n * sx2 - sx ** 2\n B = n * sxy - sx * sy\n C = n * sy2 - sy ** 2\n D = 0.5 * (n * sxy2 - sx * sy2 + n * sx3 - sx * sx2)\n E = 0.5 * (n * syx2 - sy * sx2 + n * sy3 - sy * sy2)\n xo = old_div(D * C - B * E, A * C - B ** 2)\n yo = old_div(A * E - B * D, A * C - B ** 2)\n print('xo', xo)\n print('yo', yo)\n r = 0\n for z in range(n):\n r = r + old_div(numpy.sqrt((x[z] - xo) ** 2 + (y[z] - yo) ** 2), n)\n if xo <= numpy.mean(x) and yo <= numpy.mean(y):\n k = old_div(-1.0, r)\n else:\n k = old_div(1.0, r)\n SSE = lib_k.get_SSE(xo, yo, r, x, y)\n print('r', r)\n return k, xo, yo, SSE\n", "role": "user" }, { "content": "fitcircle", "role": "assistant" } ]
def x(): if '-h' in sys.argv: print(main.__doc__) sys.exit() if '-i' in sys.argv: while 1: try: ans = input( 'Input Pole Latitude [positive north]: <cntrl-D to quit> ' ) plat = float(ans) ans = input('Input Pole Longitude [positive east]: ') plon = float(ans) ans = input('Input Site Latitude: ') slat = float(ans) ans = input('Input Site Longitude: ') slong = float(ans) dec, inc = pmag.vgp_di(plat, plon, slat, slong) print('%7.1f %7.1f' % (dec, inc)) except EOFError: print('\n Good-bye\n') sys.exit() elif '-f' in sys.argv: ind = sys.argv.index('-f') file = sys.argv[ind + 1] f = open(file, 'r') inp = f.readlines() for line in inp: dec, inc = spitout(line) else: inp = sys.stdin.readlines() for line in inp: spitout(line)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if '-h' in sys.argv:\n print(main.__doc__)\n sys.exit()\n if '-i' in sys.argv:\n while 1:\n try:\n ans = input(\n 'Input Pole Latitude [positive north]: <cntrl-D to quit> '\n )\n plat = float(ans)\n ans = input('Input Pole Longitude [positive east]: ')\n plon = float(ans)\n ans = input('Input Site Latitude: ')\n slat = float(ans)\n ans = input('Input Site Longitude: ')\n slong = float(ans)\n dec, inc = pmag.vgp_di(plat, plon, slat, slong)\n print('%7.1f %7.1f' % (dec, inc))\n except EOFError:\n print('\\n Good-bye\\n')\n sys.exit()\n elif '-f' in sys.argv:\n ind = sys.argv.index('-f')\n file = sys.argv[ind + 1]\n f = open(file, 'r')\n inp = f.readlines()\n for line in inp:\n dec, inc = spitout(line)\n else:\n inp = sys.stdin.readlines()\n for line in inp:\n spitout(line)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): PmagPyDir = os.path.abspath('.') COMMAND = ( """ for d in %s/programs/*/ "%s/programs/"; do case ":$PATH:" in *":$d:"*) :;; # already there *) PMAGPATHS="$PMAGPATHS:$d";; # or PATH="$PATH:$new_entry" esac done export PYTHONPATH="$PYTHONPATH:%s:%s/programs/" export PATH="$PATH:$PMAGPATHS" """ % (PmagPyDir, PmagPyDir, PmagPyDir, PmagPyDir)) frc_path = os.path.join(os.environ['HOME'], '.bashrc') fbprof_path = os.path.join(os.environ['HOME'], '.bash_profile') fprof_path = os.path.join(os.environ['HOME'], '.profile') all_paths = [frc_path, fbprof_path, fprof_path] for f_path in all_paths: open_type = 'a' if not os.path.isfile(f_path): open_type = 'w+' fout = open(f_path, open_type) fout.write(COMMAND) fout.close() else: fin = open(f_path, 'r') current_f = fin.read() fin.close() if COMMAND not in current_f: fout = open(f_path, open_type) fout.write(COMMAND) fout.close() print( """Install complete. Please restart the shell to complete install. If you are seeing strange or non-existent paths in your PATH or PYTHONPATH variable please manually check your .bashrc, .bash_profile, and .profile or attempt to reinstall.""" )
unix_install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n PmagPyDir = os.path.abspath('.')\n COMMAND = (\n \"\"\"\n\nfor d in %s/programs/*/ \"%s/programs/\"; do\n case \":$PATH:\" in\n *\":$d:\"*) :;; # already there\n *) PMAGPATHS=\"$PMAGPATHS:$d\";; # or PATH=\"$PATH:$new_entry\"\n esac\ndone\nexport PYTHONPATH=\"$PYTHONPATH:%s:%s/programs/\"\nexport PATH=\"$PATH:$PMAGPATHS\" \"\"\"\n % (PmagPyDir, PmagPyDir, PmagPyDir, PmagPyDir))\n frc_path = os.path.join(os.environ['HOME'], '.bashrc')\n fbprof_path = os.path.join(os.environ['HOME'], '.bash_profile')\n fprof_path = os.path.join(os.environ['HOME'], '.profile')\n all_paths = [frc_path, fbprof_path, fprof_path]\n for f_path in all_paths:\n open_type = 'a'\n if not os.path.isfile(f_path):\n open_type = 'w+'\n fout = open(f_path, open_type)\n fout.write(COMMAND)\n fout.close()\n else:\n fin = open(f_path, 'r')\n current_f = fin.read()\n fin.close()\n if COMMAND not in current_f:\n fout = open(f_path, open_type)\n fout.write(COMMAND)\n fout.close()\n print(\n \"\"\"Install complete. Please restart the shell to complete install.\nIf you are seeing strange or non-existent paths in your PATH or PYTHONPATH variable please manually check your .bashrc, .bash_profile, and .profile or attempt to reinstall.\"\"\"\n )\n", "role": "user" }, { "content": "unix_install", "role": "assistant" } ]
def x(path_to_python=''): if not path_to_python: print( """Please enter the path to your python.exe you wish Windows to use to run python files. If you do not, this script will not be able to set up a full python environment in Windows. If you already have a python environment set up in Windows such that you can run python scripts from command prompt with just a file name then ignore this message. Otherwise, you will need to run dev_setup.py again with the command line option '-p' followed by the correct full path to python. Run dev_setup.py with the -h flag for more details""" ) print('Would you like to continue? [y/N] ') ans = input() if ans == 'y': pass else: return if os.path.isdir(path_to_python): path_to_python = os.path.join(path_to_python, 'python.exe') if not os.path.isfile(path_to_python): print( """The path to python provided is not a full path to the python.exe file or this path does not exist, was given %s. Please run again with the command line option '-p' followed by the correct full path to python. Run dev_setup.py with the -h flag for more details""" % path_to_python) return subprocess.check_call('assoc .py=Python', shell=True) subprocess.check_call('ftype Python=%s ' % path_to_python + '"%1" %*', shell=True) PmagPyDir = os.path.abspath('.') ProgramsDir = os.path.join(PmagPyDir, 'programs') dirs_to_add = [ProgramsDir] for d in next(os.walk(ProgramsDir))[1]: dirs_to_add.append(os.path.join(ProgramsDir, d)) path = str(subprocess.check_output('echo %PATH%', shell=True)).strip('\n') if 'PATH' in path: path = '' pypath = str(subprocess.check_output('echo %PYTHONPATH%', shell=True) ).strip('\n') if 'PYTHONPATH' in pypath: pypath = PmagPyDir + ';' + ProgramsDir else: pypath += ';' + PmagPyDir + ';' + ProgramsDir for d_add in dirs_to_add: path += ';' + d_add unique_path_list = [] for p in path.split(';'): p = p.replace('"', '') if p not in unique_path_list: unique_path_list.append(p) unique_pypath_list = [] for p in pypath.split(';'): p = p.replace('"', '') if p not in unique_pypath_list: unique_pypath_list.append(p) path = functools.reduce(lambda x, y: x + ';' + y, unique_path_list) pypath = functools.reduce(lambda x, y: x + ';' + y, unique_pypath_list) print('setx PATH "%s"' % path) subprocess.call('setx PATH "%s"' % path, shell=True) print('setx PYTHONPATH "%s"' % pypath) subprocess.call('setx PYTHONPATH "%s"' % pypath, shell=True) print( 'Install complete. Please restart the command prompt to complete install' )
windows_install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path_to_python=''):\n if not path_to_python:\n print(\n \"\"\"Please enter the path to your python.exe you wish Windows to use to run python files. If you do not, this script will not be able to set up a full python environment in Windows. If you already have a python environment set up in Windows such that you can run python scripts from command prompt with just a file name then ignore this message. Otherwise, you will need to run dev_setup.py again with the command line option '-p' followed by the correct full path to python.\nRun dev_setup.py with the -h flag for more details\"\"\"\n )\n print('Would you like to continue? [y/N] ')\n ans = input()\n if ans == 'y':\n pass\n else:\n return\n if os.path.isdir(path_to_python):\n path_to_python = os.path.join(path_to_python, 'python.exe')\n if not os.path.isfile(path_to_python):\n print(\n \"\"\"The path to python provided is not a full path to the python.exe file or this path does not exist, was given %s.\nPlease run again with the command line option '-p' followed by the correct full path to python.\nRun dev_setup.py with the -h flag for more details\"\"\"\n % path_to_python)\n return\n subprocess.check_call('assoc .py=Python', shell=True)\n subprocess.check_call('ftype Python=%s ' % path_to_python + '\"%1\" %*',\n shell=True)\n PmagPyDir = os.path.abspath('.')\n ProgramsDir = os.path.join(PmagPyDir, 'programs')\n dirs_to_add = [ProgramsDir]\n for d in next(os.walk(ProgramsDir))[1]:\n dirs_to_add.append(os.path.join(ProgramsDir, d))\n path = str(subprocess.check_output('echo %PATH%', shell=True)).strip('\\n')\n if 'PATH' in path:\n path = ''\n pypath = str(subprocess.check_output('echo %PYTHONPATH%', shell=True)\n ).strip('\\n')\n if 'PYTHONPATH' in pypath:\n pypath = PmagPyDir + ';' + ProgramsDir\n else:\n pypath += ';' + PmagPyDir + ';' + ProgramsDir\n for d_add in dirs_to_add:\n path += ';' + d_add\n unique_path_list = []\n for p in path.split(';'):\n p = p.replace('\"', '')\n if p not in unique_path_list:\n unique_path_list.append(p)\n unique_pypath_list = []\n for p in pypath.split(';'):\n p = p.replace('\"', '')\n if p not in unique_pypath_list:\n unique_pypath_list.append(p)\n path = functools.reduce(lambda x, y: x + ';' + y, unique_path_list)\n pypath = functools.reduce(lambda x, y: x + ';' + y, unique_pypath_list)\n print('setx PATH \"%s\"' % path)\n subprocess.call('setx PATH \"%s\"' % path, shell=True)\n print('setx PYTHONPATH \"%s\"' % pypath)\n subprocess.call('setx PYTHONPATH \"%s\"' % pypath, shell=True)\n print(\n 'Install complete. Please restart the command prompt to complete install'\n )\n", "role": "user" }, { "content": "windows_install", "role": "assistant" } ]
def x(): do_help = pmag.get_flag_arg_from_sys('-h') if do_help: print(main.__doc__) return False res_file = pmag.get_named_arg('-f', 'pmag_results.txt') crit_file = pmag.get_named_arg('-fcr', '') spec_file = pmag.get_named_arg('-fsp', '') age_file = pmag.get_named_arg('-fa', '') grade = pmag.get_flag_arg_from_sys('-g') latex = pmag.get_flag_arg_from_sys('-tex') WD = pmag.get_named_arg('-WD', os.getcwd()) ipmag.pmag_results_extract(res_file, crit_file, spec_file, age_file, latex, grade, WD)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n do_help = pmag.get_flag_arg_from_sys('-h')\n if do_help:\n print(main.__doc__)\n return False\n res_file = pmag.get_named_arg('-f', 'pmag_results.txt')\n crit_file = pmag.get_named_arg('-fcr', '')\n spec_file = pmag.get_named_arg('-fsp', '')\n age_file = pmag.get_named_arg('-fa', '')\n grade = pmag.get_flag_arg_from_sys('-g')\n latex = pmag.get_flag_arg_from_sys('-tex')\n WD = pmag.get_named_arg('-WD', os.getcwd())\n ipmag.pmag_results_extract(res_file, crit_file, spec_file, age_file,\n latex, grade, WD)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): dir_path = '.' tspec = 'thellier_specimens.txt' aspec = 'AC_specimens.txt' ofile = 'TorAC_specimens.txt' critfile = 'pmag_criteria.txt' ACSamplist, Samplist, sigmin = [], [], 10000 GoodSamps, SpecOuts = [], [] if '-h' in sys.argv: print(main.__doc__) sys.exit() if '-fu' in sys.argv: ind = sys.argv.index('-fu') tspec = sys.argv[ind + 1] if '-fc' in sys.argv: ind = sys.argv.index('-fc') aspec = sys.argv[ind + 1] if '-F' in sys.argv: ind = sys.argv.index('-F') ofile = sys.argv[ind + 1] if '-WD' in sys.argv: ind = sys.argv.index('-WD') dir_path = sys.argv[ind + 1] tspec = dir_path + '/' + tspec aspec = dir_path + '/' + aspec ofile = dir_path + '/' + ofile Specs, file_type = pmag.magic_read(tspec) Specs, file_type = pmag.magic_read(tspec) Speclist = pmag.get_specs(Specs) ACSpecs, file_type = pmag.magic_read(aspec) ACspeclist = pmag.get_specs(ACSpecs) for spec in Specs: if spec['er_sample_name'] not in Samplist: Samplist.append(spec['er_sample_name']) for spec in ACSpecs: if spec['er_sample_name'] not in ACSamplist: ACSamplist.append(spec['er_sample_name']) for samp in Samplist: useAC, Ints, ACInts, GoodSpecs, AC, UC = 0, [], [], [], [], [] for spec in Specs: if spec['er_sample_name'].lower() == samp.lower(): UC.append(spec) if samp in ACSamplist: for spec in ACSpecs: if spec['er_sample_name'].lower() == samp.lower(): AC.append(spec) if len(AC) > 0: AClist = [] for spec in AC: SpecOuts.append(spec) AClist.append(spec['er_specimen_name']) print('using AC: ', spec['er_specimen_name'], '%7.1f' % ( 1000000.0 * float(spec['specimen_int']))) for spec in UC: if spec['er_specimen_name'] not in AClist: SpecOuts.append(spec) else: for spec in UC: SpecOuts.append(spec) SpecOuts, keys = pmag.fillkeys(SpecOuts) pmag.magic_write(ofile, SpecOuts, 'pmag_specimens') print('thellier data assessed for AC correction put in ', ofile)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n dir_path = '.'\n tspec = 'thellier_specimens.txt'\n aspec = 'AC_specimens.txt'\n ofile = 'TorAC_specimens.txt'\n critfile = 'pmag_criteria.txt'\n ACSamplist, Samplist, sigmin = [], [], 10000\n GoodSamps, SpecOuts = [], []\n if '-h' in sys.argv:\n print(main.__doc__)\n sys.exit()\n if '-fu' in sys.argv:\n ind = sys.argv.index('-fu')\n tspec = sys.argv[ind + 1]\n if '-fc' in sys.argv:\n ind = sys.argv.index('-fc')\n aspec = sys.argv[ind + 1]\n if '-F' in sys.argv:\n ind = sys.argv.index('-F')\n ofile = sys.argv[ind + 1]\n if '-WD' in sys.argv:\n ind = sys.argv.index('-WD')\n dir_path = sys.argv[ind + 1]\n tspec = dir_path + '/' + tspec\n aspec = dir_path + '/' + aspec\n ofile = dir_path + '/' + ofile\n Specs, file_type = pmag.magic_read(tspec)\n Specs, file_type = pmag.magic_read(tspec)\n Speclist = pmag.get_specs(Specs)\n ACSpecs, file_type = pmag.magic_read(aspec)\n ACspeclist = pmag.get_specs(ACSpecs)\n for spec in Specs:\n if spec['er_sample_name'] not in Samplist:\n Samplist.append(spec['er_sample_name'])\n for spec in ACSpecs:\n if spec['er_sample_name'] not in ACSamplist:\n ACSamplist.append(spec['er_sample_name'])\n for samp in Samplist:\n useAC, Ints, ACInts, GoodSpecs, AC, UC = 0, [], [], [], [], []\n for spec in Specs:\n if spec['er_sample_name'].lower() == samp.lower():\n UC.append(spec)\n if samp in ACSamplist:\n for spec in ACSpecs:\n if spec['er_sample_name'].lower() == samp.lower():\n AC.append(spec)\n if len(AC) > 0:\n AClist = []\n for spec in AC:\n SpecOuts.append(spec)\n AClist.append(spec['er_specimen_name'])\n print('using AC: ', spec['er_specimen_name'], '%7.1f' % (\n 1000000.0 * float(spec['specimen_int'])))\n for spec in UC:\n if spec['er_specimen_name'] not in AClist:\n SpecOuts.append(spec)\n else:\n for spec in UC:\n SpecOuts.append(spec)\n SpecOuts, keys = pmag.fillkeys(SpecOuts)\n pmag.magic_write(ofile, SpecOuts, 'pmag_specimens')\n print('thellier data assessed for AC correction put in ', ofile)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(pars, acceptance_criteria): pars['specimen_fail_criteria'] = [] for crit in list(acceptance_criteria.keys()): if crit not in list(pars.keys()): continue if acceptance_criteria[crit]['value'] == -999: continue if acceptance_criteria[crit]['category'] != 'IE-SPEC': continue cutoff_value = acceptance_criteria[crit]['value'] if crit == 'specimen_scat': if pars['specimen_scat'] in ['Fail', 'b', 0, '0', 'FALSE', 'False', False, 'f']: pars['specimen_fail_criteria'].append('specimen_scat') elif crit == 'specimen_k' or crit == 'specimen_k_prime': if abs(pars[crit]) > cutoff_value: pars['specimen_fail_criteria'].append(crit) elif acceptance_criteria[crit]['threshold_type'] == 'high': if pars[crit] > cutoff_value: pars['specimen_fail_criteria'].append(crit) elif acceptance_criteria[crit]['threshold_type'] == 'low': if pars[crit] < cutoff_value: pars['specimen_fail_criteria'].append(crit) return pars
check_specimen_PI_criteria
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pars, acceptance_criteria):\n pars['specimen_fail_criteria'] = []\n for crit in list(acceptance_criteria.keys()):\n if crit not in list(pars.keys()):\n continue\n if acceptance_criteria[crit]['value'] == -999:\n continue\n if acceptance_criteria[crit]['category'] != 'IE-SPEC':\n continue\n cutoff_value = acceptance_criteria[crit]['value']\n if crit == 'specimen_scat':\n if pars['specimen_scat'] in ['Fail', 'b', 0, '0', 'FALSE',\n 'False', False, 'f']:\n pars['specimen_fail_criteria'].append('specimen_scat')\n elif crit == 'specimen_k' or crit == 'specimen_k_prime':\n if abs(pars[crit]) > cutoff_value:\n pars['specimen_fail_criteria'].append(crit)\n elif acceptance_criteria[crit]['threshold_type'] == 'high':\n if pars[crit] > cutoff_value:\n pars['specimen_fail_criteria'].append(crit)\n elif acceptance_criteria[crit]['threshold_type'] == 'low':\n if pars[crit] < cutoff_value:\n pars['specimen_fail_criteria'].append(crit)\n return pars\n", "role": "user" }, { "content": "check_specimen_PI_criteria", "role": "assistant" } ]
def x(): dir_path = './' if '-WD' in sys.argv: ind = sys.argv.index('-WD') dir_path = sys.argv[ind + 1] if '-h' in sys.argv: print(main.__doc__) sys.exit() if '-f' in sys.argv: ind = sys.argv.index('-f') magic_file = dir_path + '/' + sys.argv[ind + 1] else: print(main.__doc__) sys.exit() if '-key' in sys.argv: ind = sys.argv.index('-key') grab_key = sys.argv[ind + 1] else: print(main.__doc__) sys.exit() Data, file_type = pmag.magic_read(magic_file) if len(Data) > 0: for rec in Data: print(rec[grab_key]) else: print('bad file name')
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n dir_path = './'\n if '-WD' in sys.argv:\n ind = sys.argv.index('-WD')\n dir_path = sys.argv[ind + 1]\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 magic_file = dir_path + '/' + sys.argv[ind + 1]\n else:\n print(main.__doc__)\n sys.exit()\n if '-key' in sys.argv:\n ind = sys.argv.index('-key')\n grab_key = sys.argv[ind + 1]\n else:\n print(main.__doc__)\n sys.exit()\n Data, file_type = pmag.magic_read(magic_file)\n if len(Data) > 0:\n for rec in Data:\n print(rec[grab_key])\n else:\n print('bad file name')\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): if '-h' in sys.argv: print(main.__doc__) sys.exit() if '-i' in sys.argv: while 1: try: ans = input('Input Declination: <cntrl-D to quit> ') Dec = float(ans) ans = input('Input Inclination: ') Inc = float(ans) ans = input('Input Alpha 95: ') a95 = float(ans) ans = input('Input Site Latitude: ') slat = float(ans) ans = input('Input Site Longitude: ') slong = float(ans) spitout(Dec, Inc, a95, slat, slong) print('%7.1f %7.1f %7.1f %7.1f' % (plong, plat, dp, dm)) except: print('\n Good-bye\n') sys.exit() elif '-f' in sys.argv: ind = sys.argv.index('-f') file = sys.argv[ind + 1] f = open(file, 'r') inlist = [] for line in f.readlines(): inlist.append([]) for el in line.split(): inlist[-1].append(float(el)) spitout(inlist) else: input = sys.stdin.readlines() inlist = [] for line in input: inlist.append([]) for el in line.split(): inlist[-1].append(float(el)) spitout(inlist)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if '-h' in sys.argv:\n print(main.__doc__)\n sys.exit()\n if '-i' in sys.argv:\n while 1:\n try:\n ans = input('Input Declination: <cntrl-D to quit> ')\n Dec = float(ans)\n ans = input('Input Inclination: ')\n Inc = float(ans)\n ans = input('Input Alpha 95: ')\n a95 = float(ans)\n ans = input('Input Site Latitude: ')\n slat = float(ans)\n ans = input('Input Site Longitude: ')\n slong = float(ans)\n spitout(Dec, Inc, a95, slat, slong)\n print('%7.1f %7.1f %7.1f %7.1f' % (plong, plat, dp, dm))\n except:\n print('\\n Good-bye\\n')\n sys.exit()\n elif '-f' in sys.argv:\n ind = sys.argv.index('-f')\n file = sys.argv[ind + 1]\n f = open(file, 'r')\n inlist = []\n for line in f.readlines():\n inlist.append([])\n for el in line.split():\n inlist[-1].append(float(el))\n spitout(inlist)\n else:\n input = sys.stdin.readlines()\n inlist = []\n for line in input:\n inlist.append([])\n for el in line.split():\n inlist[-1].append(float(el))\n spitout(inlist)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): fmt = 'svg' title = '' if '-h' in sys.argv: print(main.__doc__) sys.exit() if '-f' in sys.argv: ind = sys.argv.index('-f') file = sys.argv[ind + 1] X = numpy.loadtxt(file) file = sys.argv[ind + 2] X2 = numpy.loadtxt(file) else: print('-f option required') print(main.__doc__) sys.exit() if '-fmt' in sys.argv: ind = sys.argv.index('-fmt') fmt = sys.argv[ind + 1] if '-t' in sys.argv: ind = sys.argv.index('-t') title = sys.argv[ind + 1] CDF = {'X': 1} pmagplotlib.plot_init(CDF['X'], 5, 5) pmagplotlib.plot_cdf(CDF['X'], X, '', 'r', '') pmagplotlib.plot_cdf(CDF['X'], X2, title, 'b', '') D, p = scipy.stats.ks_2samp(X, X2) if p >= 0.05: print(D, p, ' not rejected at 95%') else: print(D, p, ' rejected at 95%') pmagplotlib.draw_figs(CDF) ans = input('S[a]ve plot, <Return> to quit ') if ans == 'a': files = {'X': 'CDF_.' + fmt} pmagplotlib.save_plots(CDF, files)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n fmt = 'svg'\n title = ''\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 file = sys.argv[ind + 1]\n X = numpy.loadtxt(file)\n file = sys.argv[ind + 2]\n X2 = numpy.loadtxt(file)\n else:\n print('-f option required')\n print(main.__doc__)\n sys.exit()\n if '-fmt' in sys.argv:\n ind = sys.argv.index('-fmt')\n fmt = sys.argv[ind + 1]\n if '-t' in sys.argv:\n ind = sys.argv.index('-t')\n title = sys.argv[ind + 1]\n CDF = {'X': 1}\n pmagplotlib.plot_init(CDF['X'], 5, 5)\n pmagplotlib.plot_cdf(CDF['X'], X, '', 'r', '')\n pmagplotlib.plot_cdf(CDF['X'], X2, title, 'b', '')\n D, p = scipy.stats.ks_2samp(X, X2)\n if p >= 0.05:\n print(D, p, ' not rejected at 95%')\n else:\n print(D, p, ' rejected at 95%')\n pmagplotlib.draw_figs(CDF)\n ans = input('S[a]ve plot, <Return> to quit ')\n if ans == 'a':\n files = {'X': 'CDF_.' + fmt}\n pmagplotlib.save_plots(CDF, files)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): if '-h' in sys.argv: print(main.__doc__) sys.exit() if len(sys.argv) <= 1: print(main.__doc__) print('you must supply a file name') sys.exit() FIG = {} FIG['lowrie'] = 1 pmagplotlib.plot_init(FIG['lowrie'], 6, 6) norm = 1 in_file = pmag.get_named_arg('-f', 'measurements.txt') dir_path = pmag.get_named_arg('-WD', '.') in_file = pmag.resolve_file_name(in_file, dir_path) data_model = pmag.get_named_arg('-DM', 3) data_model = int(float(data_model)) fmt = pmag.get_named_arg('-fmt', 'svg') if '-N' in sys.argv: norm = 0 if '-sav' in sys.argv: plot = 1 else: plot = 0 print(in_file) PmagRecs, file_type = pmag.magic_read(in_file) if data_model == 2 and file_type != 'magic_measurements': print('bad input file', file_type) sys.exit() if data_model == 3 and file_type != 'measurements': print('bad input file', file_type) sys.exit() if data_model == 2: meth_code_col = 'magic_method_codes' spec_col = 'er_specimen_name' dec_col = 'measurement_dec' inc_col = 'measurement_inc' moment_col = 'measurement_magn_moment' temp_col = 'treatment_temp' else: meth_code_col = 'method_codes' spec_col = 'specimen' dec_col = 'dir_dec' inc_col = 'dir_inc' moment_col = 'magn_moment' temp_col = 'treat_temp' PmagRecs = pmag.get_dictitem(PmagRecs, meth_code_col, 'LP-IRM-3D', 'has') if len(PmagRecs) == 0: print('no records found with the method code LP-IRM-3D') sys.exit() specs = pmag.get_dictkey(PmagRecs, spec_col, '') sids = [] for spec in specs: if spec not in sids: sids.append(spec) for spc in sids: print(spc) specdata = pmag.get_dictitem(PmagRecs, spec_col, spc, 'T') DIMs, Temps = [], [] for dat in specdata: DIMs.append([float(dat[dec_col]), float(dat[inc_col]), float( dat[moment_col])]) Temps.append(float(dat[temp_col]) - 273.0) carts = pmag.dir2cart(DIMs).transpose() if norm == 1: nrm = DIMs[0][2] ylab = 'M/M_o' else: nrm = 1.0 ylab = 'Magnetic moment (Am^2)' xlab = 'Temperature (C)' pmagplotlib.plot_xy(FIG['lowrie'], Temps, abs(carts[0]) / nrm, sym='r-' ) pmagplotlib.plot_xy(FIG['lowrie'], Temps, abs(carts[0]) / nrm, sym='ro' ) pmagplotlib.plot_xy(FIG['lowrie'], Temps, abs(carts[1]) / nrm, sym='c-' ) pmagplotlib.plot_xy(FIG['lowrie'], Temps, abs(carts[1]) / nrm, sym='cs' ) pmagplotlib.plot_xy(FIG['lowrie'], Temps, abs(carts[2]) / nrm, sym='k-' ) pmagplotlib.plot_xy(FIG['lowrie'], Temps, abs(carts[2]) / nrm, sym= 'k^', title=spc, xlab=xlab, ylab=ylab) files = {'lowrie': 'lowrie:_' + spc + '_.' + fmt} if plot == 0: pmagplotlib.draw_figs(FIG) ans = input('S[a]ve figure? [q]uit, <return> to continue ') if ans == 'a': pmagplotlib.save_plots(FIG, files) elif ans == 'q': sys.exit() else: pmagplotlib.save_plots(FIG, files) pmagplotlib.clearFIG(FIG['lowrie'])
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if '-h' in sys.argv:\n print(main.__doc__)\n sys.exit()\n if len(sys.argv) <= 1:\n print(main.__doc__)\n print('you must supply a file name')\n sys.exit()\n FIG = {}\n FIG['lowrie'] = 1\n pmagplotlib.plot_init(FIG['lowrie'], 6, 6)\n norm = 1\n in_file = pmag.get_named_arg('-f', 'measurements.txt')\n dir_path = pmag.get_named_arg('-WD', '.')\n in_file = pmag.resolve_file_name(in_file, dir_path)\n data_model = pmag.get_named_arg('-DM', 3)\n data_model = int(float(data_model))\n fmt = pmag.get_named_arg('-fmt', 'svg')\n if '-N' in sys.argv:\n norm = 0\n if '-sav' in sys.argv:\n plot = 1\n else:\n plot = 0\n print(in_file)\n PmagRecs, file_type = pmag.magic_read(in_file)\n if data_model == 2 and file_type != 'magic_measurements':\n print('bad input file', file_type)\n sys.exit()\n if data_model == 3 and file_type != 'measurements':\n print('bad input file', file_type)\n sys.exit()\n if data_model == 2:\n meth_code_col = 'magic_method_codes'\n spec_col = 'er_specimen_name'\n dec_col = 'measurement_dec'\n inc_col = 'measurement_inc'\n moment_col = 'measurement_magn_moment'\n temp_col = 'treatment_temp'\n else:\n meth_code_col = 'method_codes'\n spec_col = 'specimen'\n dec_col = 'dir_dec'\n inc_col = 'dir_inc'\n moment_col = 'magn_moment'\n temp_col = 'treat_temp'\n PmagRecs = pmag.get_dictitem(PmagRecs, meth_code_col, 'LP-IRM-3D', 'has')\n if len(PmagRecs) == 0:\n print('no records found with the method code LP-IRM-3D')\n sys.exit()\n specs = pmag.get_dictkey(PmagRecs, spec_col, '')\n sids = []\n for spec in specs:\n if spec not in sids:\n sids.append(spec)\n for spc in sids:\n print(spc)\n specdata = pmag.get_dictitem(PmagRecs, spec_col, spc, 'T')\n DIMs, Temps = [], []\n for dat in specdata:\n DIMs.append([float(dat[dec_col]), float(dat[inc_col]), float(\n dat[moment_col])])\n Temps.append(float(dat[temp_col]) - 273.0)\n carts = pmag.dir2cart(DIMs).transpose()\n if norm == 1:\n nrm = DIMs[0][2]\n ylab = 'M/M_o'\n else:\n nrm = 1.0\n ylab = 'Magnetic moment (Am^2)'\n xlab = 'Temperature (C)'\n pmagplotlib.plot_xy(FIG['lowrie'], Temps, abs(carts[0]) / nrm, sym='r-'\n )\n pmagplotlib.plot_xy(FIG['lowrie'], Temps, abs(carts[0]) / nrm, sym='ro'\n )\n pmagplotlib.plot_xy(FIG['lowrie'], Temps, abs(carts[1]) / nrm, sym='c-'\n )\n pmagplotlib.plot_xy(FIG['lowrie'], Temps, abs(carts[1]) / nrm, sym='cs'\n )\n pmagplotlib.plot_xy(FIG['lowrie'], Temps, abs(carts[2]) / nrm, sym='k-'\n )\n pmagplotlib.plot_xy(FIG['lowrie'], Temps, abs(carts[2]) / nrm, sym=\n 'k^', title=spc, xlab=xlab, ylab=ylab)\n files = {'lowrie': 'lowrie:_' + spc + '_.' + fmt}\n if plot == 0:\n pmagplotlib.draw_figs(FIG)\n ans = input('S[a]ve figure? [q]uit, <return> to continue ')\n if ans == 'a':\n pmagplotlib.save_plots(FIG, files)\n elif ans == 'q':\n sys.exit()\n else:\n pmagplotlib.save_plots(FIG, files)\n pmagplotlib.clearFIG(FIG['lowrie'])\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): infile = 'pmag_specimens.txt' sampfile = 'er_samples.txt' outfile = 'er_samples.txt' if '-h' in sys.argv: print(main.__doc__) sys.exit() if '-fsp' in sys.argv: ind = sys.argv.index('-fsp') infile = sys.argv[ind + 1] if '-fsm' in sys.argv: ind = sys.argv.index('-fsm') sampfile = sys.argv[ind + 1] if '-F' in sys.argv: ind = sys.argv.index('-F') outfile = sys.argv[ind + 1] if '-WD' in sys.argv: ind = sys.argv.index('-WD') dir_path = sys.argv[ind + 1] infile = dir_path + '/' + infile sampfile = dir_path + '/' + sampfile outfile = dir_path + '/' + outfile pmag.ReorderSamples(infile, sampfile, outfile)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n infile = 'pmag_specimens.txt'\n sampfile = 'er_samples.txt'\n outfile = 'er_samples.txt'\n if '-h' in sys.argv:\n print(main.__doc__)\n sys.exit()\n if '-fsp' in sys.argv:\n ind = sys.argv.index('-fsp')\n infile = sys.argv[ind + 1]\n if '-fsm' in sys.argv:\n ind = sys.argv.index('-fsm')\n sampfile = sys.argv[ind + 1]\n if '-F' in sys.argv:\n ind = sys.argv.index('-F')\n outfile = 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 sampfile = dir_path + '/' + sampfile\n outfile = dir_path + '/' + outfile\n pmag.ReorderSamples(infile, sampfile, outfile)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(val, zero_as_null=True): def x(x): try: any(x) return True except TypeError: return False def x(x): if len(x): return True return False def x(x): if x: return True return False def x(x): try: if np.isnan(x): return True except TypeError: return False return False if can_iter(val): return not_empty(val) else: if is_nan(val): return False if not zero_as_null: if val == 0: return True return exists(val)
not_null
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(val, zero_as_null=True):\n\n def x(x):\n try:\n any(x)\n return True\n except TypeError:\n return False\n\n def x(x):\n if len(x):\n return True\n return False\n\n def x(x):\n if x:\n return True\n return False\n\n def x(x):\n try:\n if np.isnan(x):\n return True\n except TypeError:\n return False\n return False\n if can_iter(val):\n return not_empty(val)\n else:\n if is_nan(val):\n return False\n if not zero_as_null:\n if val == 0:\n return True\n return exists(val)\n", "role": "user" }, { "content": "not_null", "role": "assistant" } ]
def x(data): intlist = ['magn_moment', 'magn_volume', 'magn_mass', 'magn_uncal'] int_meths = [col_name for col_name in data.columns if col_name in intlist] data.dropna(axis='columns', how='all') for col_name in int_meths[:]: if not data[col_name].any(): int_meths.remove(col_name) if len(int_meths): if 'magn_moment' in int_meths: return 'magn_moment' return int_meths[0] return ''
get_intensity_col
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n intlist = ['magn_moment', 'magn_volume', 'magn_mass', 'magn_uncal']\n int_meths = [col_name for col_name in data.columns if col_name in intlist]\n data.dropna(axis='columns', how='all')\n for col_name in int_meths[:]:\n if not data[col_name].any():\n int_meths.remove(col_name)\n if len(int_meths):\n if 'magn_moment' in int_meths:\n return 'magn_moment'\n return int_meths[0]\n return ''\n", "role": "user" }, { "content": "get_intensity_col", "role": "assistant" } ]
def x(dir_path): reqd_tables = ['measurements', 'specimens', 'samples', 'sites'] con = Contribution(dir_path, read_tables=reqd_tables) missing_tables = [] for table in reqd_tables: if table not in con.tables: missing_tables.append(table) if missing_tables: return False, 'You are missing {} tables'.format(', '.join( missing_tables)) con.propagate_name_down('sample', 'measurements') con.propagate_name_down('site', 'measurements') if 'site' not in con.tables['measurements'].df.columns: return (False, 'Something went wrong with propagating sites down to the measurement level' ) return True, con.tables['measurements'].df
add_sites_to_meas_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dir_path):\n reqd_tables = ['measurements', 'specimens', 'samples', 'sites']\n con = Contribution(dir_path, read_tables=reqd_tables)\n missing_tables = []\n for table in reqd_tables:\n if table not in con.tables:\n missing_tables.append(table)\n if missing_tables:\n return False, 'You are missing {} tables'.format(', '.join(\n missing_tables))\n con.propagate_name_down('sample', 'measurements')\n con.propagate_name_down('site', 'measurements')\n if 'site' not in con.tables['measurements'].df.columns:\n return (False,\n 'Something went wrong with propagating sites down to the measurement level'\n )\n return True, con.tables['measurements'].df\n", "role": "user" }, { "content": "add_sites_to_meas_table", "role": "assistant" } ]
def x(data, meth_code, dropna=(), reqd_cols=()): dropna = list(dropna) reqd_cols = list(reqd_cols) try: magn_col = get_intensity_col(data) except AttributeError: return False, 'Could not get intensity method from data' if magn_col not in dropna: dropna.append(magn_col) data = data.dropna(axis=0, subset=dropna) if 'method_codes' not in reqd_cols: reqd_cols.append('method_codes') if magn_col not in reqd_cols: reqd_cols.append(magn_col) try: data = data[reqd_cols] except KeyError as ex: print(ex) missing = set(reqd_cols).difference(data.columns) return False, 'missing these required columns: {}'.format(', '.join (missing)) data = data[data['method_codes'].str.contains(meth_code).astype(bool)] return True, data
prep_for_intensity_plot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, meth_code, dropna=(), reqd_cols=()):\n dropna = list(dropna)\n reqd_cols = list(reqd_cols)\n try:\n magn_col = get_intensity_col(data)\n except AttributeError:\n return False, 'Could not get intensity method from data'\n if magn_col not in dropna:\n dropna.append(magn_col)\n data = data.dropna(axis=0, subset=dropna)\n if 'method_codes' not in reqd_cols:\n reqd_cols.append('method_codes')\n if magn_col not in reqd_cols:\n reqd_cols.append(magn_col)\n try:\n data = data[reqd_cols]\n except KeyError as ex:\n print(ex)\n missing = set(reqd_cols).difference(data.columns)\n return False, 'missing these required columns: {}'.format(', '.join\n (missing))\n data = data[data['method_codes'].str.contains(meth_code).astype(bool)]\n return True, data\n", "role": "user" }, { "content": "prep_for_intensity_plot", "role": "assistant" } ]
def x(df, col_name): df = df.copy() df[col_name] = df[col_name].fillna('') df[col_name] = df[col_name].astype(str) return df
stringify_col
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(df, col_name):\n df = df.copy()\n df[col_name] = df[col_name].fillna('')\n df[col_name] = df[col_name].astype(str)\n return df\n", "role": "user" }, { "content": "stringify_col", "role": "assistant" } ]
def x(self, dtype, col_names=None, groups=None): if dtype not in self.table_names: print('-W- {} is not a valid MagIC table name'.format(dtype)) print('-I- Valid table names are: {}'.format(', '.join(self. table_names))) return data_container = MagicDataFrame(dtype=dtype, columns=col_names, groups= groups) self.tables[dtype] = data_container
add_empty_magic_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dtype, col_names=None, groups=None):\n if dtype not in self.table_names:\n print('-W- {} is not a valid MagIC table name'.format(dtype))\n print('-I- Valid table names are: {}'.format(', '.join(self.\n table_names)))\n return\n data_container = MagicDataFrame(dtype=dtype, columns=col_names, groups=\n groups)\n self.tables[dtype] = data_container\n", "role": "user" }, { "content": "add_empty_magic_table", "role": "assistant" } ]
def x(self, dtype, data): self.tables[dtype] = MagicDataFrame(dtype=dtype, data=data) if dtype == 'measurements': self.tables['measurements'].add_sequence() return dtype, self.tables[dtype]
add_magic_table_from_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dtype, data):\n self.tables[dtype] = MagicDataFrame(dtype=dtype, data=data)\n if dtype == 'measurements':\n self.tables['measurements'].add_sequence()\n return dtype, self.tables[dtype]\n", "role": "user" }, { "content": "add_magic_table_from_data", "role": "assistant" } ]
def x(self, dtype, fname=None, df=None): if df is None: if dtype == 'unknown': filename = os.path.join(self.directory, fname) if not os.path.exists(filename): return False, False data_container = MagicDataFrame(filename, dmodel=self.data_model) dtype = data_container.dtype if dtype == 'empty': return False, False else: self.tables[dtype] = data_container return dtype, data_container elif dtype not in self.filenames: print('-W- "{}" is not a valid MagIC table type'.format(dtype)) print('-I- Available table types are: {}'.format(', '.join(self .table_names))) return False, False filename = pmag.resolve_file_name(self.filenames[dtype], self.directory ) if os.path.exists(filename): data_container = MagicDataFrame(filename, dtype=dtype, dmodel= self.data_model) if data_container.dtype != 'empty': self.tables[dtype] = data_container return dtype, data_container else: return False, False else: return False, False else: if not dtype: print('-W- Must provide dtype') return False, False data_container = MagicDataFrame(dtype=dtype, df=df) self.tables[dtype] = data_container self.tables[dtype].sort_dataframe_cols() return dtype, self.tables[dtype]
add_magic_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dtype, fname=None, df=None):\n if df is None:\n if dtype == 'unknown':\n filename = os.path.join(self.directory, fname)\n if not os.path.exists(filename):\n return False, False\n data_container = MagicDataFrame(filename, dmodel=self.data_model)\n dtype = data_container.dtype\n if dtype == 'empty':\n return False, False\n else:\n self.tables[dtype] = data_container\n return dtype, data_container\n elif dtype not in self.filenames:\n print('-W- \"{}\" is not a valid MagIC table type'.format(dtype))\n print('-I- Available table types are: {}'.format(', '.join(self\n .table_names)))\n return False, False\n filename = pmag.resolve_file_name(self.filenames[dtype], self.directory\n )\n if os.path.exists(filename):\n data_container = MagicDataFrame(filename, dtype=dtype, dmodel=\n self.data_model)\n if data_container.dtype != 'empty':\n self.tables[dtype] = data_container\n return dtype, data_container\n else:\n return False, False\n else:\n return False, False\n else:\n if not dtype:\n print('-W- Must provide dtype')\n return False, False\n data_container = MagicDataFrame(dtype=dtype, df=df)\n self.tables[dtype] = data_container\n self.tables[dtype].sort_dataframe_cols()\n return dtype, self.tables[dtype]\n", "role": "user" }, { "content": "add_magic_table", "role": "assistant" } ]
def x(self): meas_df = self.tables['measurements'].df names_list = ['specimen', 'sample', 'site', 'location'] for num, name in enumerate(names_list): if name + 's' in self.tables: continue elif name in meas_df.columns: items = meas_df[name].unique() df = pd.DataFrame(columns=[name], index=items) df[name] = df.index if num < len(names_list) - 1: parent = names_list[num + 1] if parent in meas_df.columns: meas_df = meas_df.where(meas_df.notnull(), '') df[parent] = meas_df.drop_duplicates(subset=[name])[parent ].values.astype(str) df = df.where(df != '', np.nan) df = df.dropna(how='all', axis='rows') if len(df): self.tables[name + 's'] = MagicDataFrame(dtype=name + 's', df=df) self.write_table_to_file(name + 's')
propagate_measurement_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n meas_df = self.tables['measurements'].df\n names_list = ['specimen', 'sample', 'site', 'location']\n for num, name in enumerate(names_list):\n if name + 's' in self.tables:\n continue\n elif name in meas_df.columns:\n items = meas_df[name].unique()\n df = pd.DataFrame(columns=[name], index=items)\n df[name] = df.index\n if num < len(names_list) - 1:\n parent = names_list[num + 1]\n if parent in meas_df.columns:\n meas_df = meas_df.where(meas_df.notnull(), '')\n df[parent] = meas_df.drop_duplicates(subset=[name])[parent\n ].values.astype(str)\n df = df.where(df != '', np.nan)\n df = df.dropna(how='all', axis='rows')\n if len(df):\n self.tables[name + 's'] = MagicDataFrame(dtype=name + 's',\n df=df)\n self.write_table_to_file(name + 's')\n", "role": "user" }, { "content": "propagate_measurement_info", "role": "assistant" } ]
def x(self, write=True): for table_name in ['specimens', 'samples', 'sites', 'locations']: if not table_name in self.tables: continue df = self.tables[table_name].df parent_name, child_name = self.get_parent_and_child(table_name) if parent_name: if parent_name[:-1] in df.columns: parents = sorted(set(df[parent_name[:-1]].dropna().values. astype(str))) if parent_name in self.tables: parent_df = self.tables[parent_name].df missing_parents = set(parents) - set(parent_df.index) if missing_parents: print('-I- Updating {} table with values from {} table' .format(parent_name, table_name)) for item in missing_parents: self.add_item(parent_name, {parent_name[:-1]: item}, label=item) if write: self.write_table_to_file(parent_name) elif parents: print('-I- Creating new {} table with data from {} table' .format(parent_name, table_name)) grandparent_name = self.get_parent_and_child(parent_name)[0 ] if grandparent_name: grandparent = '' if grandparent_name in df.columns: grandparent = df[df[parent_name] == item][ grandparent_name].values[0] columns = [parent_name[:-1]] else: columns = [parent_name[:-1]] parent_df = pd.DataFrame(columns=columns, index=parents) parent_df[parent_name[:-1]] = parent_df.index if grandparent_name: if grandparent_name[:-1] in df.columns: parent_df = pd.merge(df[[parent_name[:-1], grandparent_name[:-1]]], parent_df, on= parent_name[:-1]) self.tables[parent_name] = MagicDataFrame(dtype= parent_name, df=parent_df) if write: self.write_table_to_file(parent_name) if child_name: if child_name in df.columns: raw_children = df[child_name].dropna().str.split(':') parent_of_child = {} for parent, children in raw_children.items(): for child in children: child = child.strip() old_parent = parent_of_child.get(child) if old_parent and parent and old_parent != parent: print('-I- for {} {}, replacing: {} with: {}'. format(child_name[:-1], child, old_parent, parent)) parent_of_child[child] = parent if child_name in self.tables: child_df = self.tables[child_name].df missing_children = set(parent_of_child.keys()) - set( child_df.index) if missing_children: print('-I- Updating {} table with values from {} table' .format(child_name, table_name)) for item in missing_children: data = {child_name[:-1]: item, table_name[:-1]: parent_of_child[item]} self.add_item(child_name, data, label=item) if write: self.write_table_to_file(child_name) elif children: print('-I- Creating new {} table with data from {} table' .format(child_name, table_name)) children_list = sorted(parent_of_child.keys()) children_data = [[child_name, parent_of_child[c_name]] for c_name in children_list] child_df = pd.DataFrame(index=children_list, columns=[ child_name[:-1], table_name[:-1]], data=children_data) self.tables[child_name] = MagicDataFrame(dtype= child_name, df=child_df) if write: self.write_table_to_file(child_name)
propagate_all_tables_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, write=True):\n for table_name in ['specimens', 'samples', 'sites', 'locations']:\n if not table_name in self.tables:\n continue\n df = self.tables[table_name].df\n parent_name, child_name = self.get_parent_and_child(table_name)\n if parent_name:\n if parent_name[:-1] in df.columns:\n parents = sorted(set(df[parent_name[:-1]].dropna().values.\n astype(str)))\n if parent_name in self.tables:\n parent_df = self.tables[parent_name].df\n missing_parents = set(parents) - set(parent_df.index)\n if missing_parents:\n print('-I- Updating {} table with values from {} table'\n .format(parent_name, table_name))\n for item in missing_parents:\n self.add_item(parent_name, {parent_name[:-1]:\n item}, label=item)\n if write:\n self.write_table_to_file(parent_name)\n elif parents:\n print('-I- Creating new {} table with data from {} table'\n .format(parent_name, table_name))\n grandparent_name = self.get_parent_and_child(parent_name)[0\n ]\n if grandparent_name:\n grandparent = ''\n if grandparent_name in df.columns:\n grandparent = df[df[parent_name] == item][\n grandparent_name].values[0]\n columns = [parent_name[:-1]]\n else:\n columns = [parent_name[:-1]]\n parent_df = pd.DataFrame(columns=columns, index=parents)\n parent_df[parent_name[:-1]] = parent_df.index\n if grandparent_name:\n if grandparent_name[:-1] in df.columns:\n parent_df = pd.merge(df[[parent_name[:-1],\n grandparent_name[:-1]]], parent_df, on=\n parent_name[:-1])\n self.tables[parent_name] = MagicDataFrame(dtype=\n parent_name, df=parent_df)\n if write:\n self.write_table_to_file(parent_name)\n if child_name:\n if child_name in df.columns:\n raw_children = df[child_name].dropna().str.split(':')\n parent_of_child = {}\n for parent, children in raw_children.items():\n for child in children:\n child = child.strip()\n old_parent = parent_of_child.get(child)\n if old_parent and parent and old_parent != parent:\n print('-I- for {} {}, replacing: {} with: {}'.\n format(child_name[:-1], child, old_parent,\n parent))\n parent_of_child[child] = parent\n if child_name in self.tables:\n child_df = self.tables[child_name].df\n missing_children = set(parent_of_child.keys()) - set(\n child_df.index)\n if missing_children:\n print('-I- Updating {} table with values from {} table'\n .format(child_name, table_name))\n for item in missing_children:\n data = {child_name[:-1]: item, table_name[:-1]:\n parent_of_child[item]}\n self.add_item(child_name, data, label=item)\n if write:\n self.write_table_to_file(child_name)\n elif children:\n print('-I- Creating new {} table with data from {} table'\n .format(child_name, table_name))\n children_list = sorted(parent_of_child.keys())\n children_data = [[child_name, parent_of_child[c_name]] for\n c_name in children_list]\n child_df = pd.DataFrame(index=children_list, columns=[\n child_name[:-1], table_name[:-1]], data=children_data)\n self.tables[child_name] = MagicDataFrame(dtype=\n child_name, df=child_df)\n if write:\n self.write_table_to_file(child_name)\n", "role": "user" }, { "content": "propagate_all_tables_info", "role": "assistant" } ]
def x(self, table_name): if table_name not in self.ancestry: return None, None parent_ind = self.ancestry.index(table_name) + 1 if parent_ind + 1 > len(self.ancestry): parent_name = None else: parent_name = self.ancestry[parent_ind] child_ind = self.ancestry.index(table_name) - 1 if child_ind < 0: child_name = None else: child_name = self.ancestry[child_ind] return parent_name, child_name
get_parent_and_child
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table_name):\n if table_name not in self.ancestry:\n return None, None\n parent_ind = self.ancestry.index(table_name) + 1\n if parent_ind + 1 > len(self.ancestry):\n parent_name = None\n else:\n parent_name = self.ancestry[parent_ind]\n child_ind = self.ancestry.index(table_name) - 1\n if child_ind < 0:\n child_name = None\n else:\n child_name = self.ancestry[child_ind]\n return parent_name, child_name\n", "role": "user" }, { "content": "get_parent_and_child", "role": "assistant" } ]
def x(self): if 'sites' not in self.tables: return site_container = self.tables['sites'] if not ('lat' in site_container.df.columns and 'lon' in site_container. df.columns): return site_container.df['lat'] = site_container.df['lat'].fillna('').astype(str) site_container.df['lon'] = site_container.df['lon'].fillna('').astype(str) site_container.df['lat'] = np.where(site_container.df['lat'].str.len(), site_container.df['lat'], np.nan) site_container.df['lon'] = np.where(site_container.df['lon'].str.len(), site_container.df['lon'], np.nan) try: site_container.df['lat'] = site_container.df['lat'].astype(float) except ValueError as ex: print('-W- Improperly formatted numbers in sites.lat') return try: site_container.df['lon'] = site_container.df['lon'].astype(float) except ValueError as ex: print('-W- Improperly formatted numbers in sites.lon') return grouped_lon = site_container.df[['lon', 'location']].groupby('location') grouped_lat = site_container.df[['lat', 'location']].groupby('location') lon_w = grouped_lon.min() lon_e = grouped_lon.max() lat_s = grouped_lat.min() lat_n = grouped_lat.max() locs = {} if 'locations' not in self.tables: return loc_container = self.tables['locations'] for loc in lat_s.index: coords = {} coords['lat_s'] = lat_s.loc[loc]['lat'] coords['lat_n'] = lat_n.loc[loc]['lat'] coords['lon_e'] = lon_e.loc[loc]['lon'] coords['lon_w'] = lon_w.loc[loc]['lon'] locs[loc] = coords loc_container = self.tables['locations'] for loc_name in locs: if loc_name in loc_container.df.index: coords = locs[loc_name] for coord in locs[loc_name]: new_value = coords[coord] if is_null(new_value, zero_as_null=False): continue if coord not in loc_container.df.columns: loc_container.df[coord] = None old_value = loc_container.df.loc[loc_name, coord] if not isinstance(old_value, str): try: old_value = old_value.values.astype(str)[0] except (TypeError, IndexError, AttributeError) as e: pass if is_null(old_value, zero_as_null=False): pass elif isinstance(old_value, str): try: old_value = float(old_value) except ValueError: print( '-W- In {}, automatically generated {} value ({}) will overwrite previous value ({})' .format(loc_name, coord, new_value, old_value)) old_value = None elif not math.isclose(new_value, old_value): print( '-W- In {}, automatically generated {} value ({}) will overwrite previous value ({})' .format(loc_name, coord, new_value, old_value)) new_value = round(float(new_value), 5) loc_container.df.loc[loc_name, coord] = new_value self.write_table_to_file('locations') return locs
get_min_max_lat_lon
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if 'sites' not in self.tables:\n return\n site_container = self.tables['sites']\n if not ('lat' in site_container.df.columns and 'lon' in site_container.\n df.columns):\n return\n site_container.df['lat'] = site_container.df['lat'].fillna('').astype(str)\n site_container.df['lon'] = site_container.df['lon'].fillna('').astype(str)\n site_container.df['lat'] = np.where(site_container.df['lat'].str.len(),\n site_container.df['lat'], np.nan)\n site_container.df['lon'] = np.where(site_container.df['lon'].str.len(),\n site_container.df['lon'], np.nan)\n try:\n site_container.df['lat'] = site_container.df['lat'].astype(float)\n except ValueError as ex:\n print('-W- Improperly formatted numbers in sites.lat')\n return\n try:\n site_container.df['lon'] = site_container.df['lon'].astype(float)\n except ValueError as ex:\n print('-W- Improperly formatted numbers in sites.lon')\n return\n grouped_lon = site_container.df[['lon', 'location']].groupby('location')\n grouped_lat = site_container.df[['lat', 'location']].groupby('location')\n lon_w = grouped_lon.min()\n lon_e = grouped_lon.max()\n lat_s = grouped_lat.min()\n lat_n = grouped_lat.max()\n locs = {}\n if 'locations' not in self.tables:\n return\n loc_container = self.tables['locations']\n for loc in lat_s.index:\n coords = {}\n coords['lat_s'] = lat_s.loc[loc]['lat']\n coords['lat_n'] = lat_n.loc[loc]['lat']\n coords['lon_e'] = lon_e.loc[loc]['lon']\n coords['lon_w'] = lon_w.loc[loc]['lon']\n locs[loc] = coords\n loc_container = self.tables['locations']\n for loc_name in locs:\n if loc_name in loc_container.df.index:\n coords = locs[loc_name]\n for coord in locs[loc_name]:\n new_value = coords[coord]\n if is_null(new_value, zero_as_null=False):\n continue\n if coord not in loc_container.df.columns:\n loc_container.df[coord] = None\n old_value = loc_container.df.loc[loc_name, coord]\n if not isinstance(old_value, str):\n try:\n old_value = old_value.values.astype(str)[0]\n except (TypeError, IndexError, AttributeError) as e:\n pass\n if is_null(old_value, zero_as_null=False):\n pass\n elif isinstance(old_value, str):\n try:\n old_value = float(old_value)\n except ValueError:\n print(\n '-W- In {}, automatically generated {} value ({}) will overwrite previous value ({})'\n .format(loc_name, coord, new_value, old_value))\n old_value = None\n elif not math.isclose(new_value, old_value):\n print(\n '-W- In {}, automatically generated {} value ({}) will overwrite previous value ({})'\n .format(loc_name, coord, new_value, old_value))\n new_value = round(float(new_value), 5)\n loc_container.df.loc[loc_name, coord] = new_value\n self.write_table_to_file('locations')\n return locs\n", "role": "user" }, { "content": "get_min_max_lat_lon", "role": "assistant" } ]
def x(self): cols = ['lithologies', 'geologic_types', 'geologic_classes'] self.propagate_cols(cols, 'samples', 'sites') cols = ['lithologies', 'geologic_types', 'geologic_classes'] self.propagate_cols(cols, 'specimens', 'samples') if 'sites' not in self.tables: return for col in cols: if col not in self.tables['sites'].df.columns: self.tables['sites'].df[col] = None if not all(self.tables['sites'].df[cols].values.ravel()): print('-I- Propagating values up from samples to sites...') self.propagate_cols_up(cols, 'sites', 'samples')
propagate_lithology_cols
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cols = ['lithologies', 'geologic_types', 'geologic_classes']\n self.propagate_cols(cols, 'samples', 'sites')\n cols = ['lithologies', 'geologic_types', 'geologic_classes']\n self.propagate_cols(cols, 'specimens', 'samples')\n if 'sites' not in self.tables:\n return\n for col in cols:\n if col not in self.tables['sites'].df.columns:\n self.tables['sites'].df[col] = None\n if not all(self.tables['sites'].df[cols].values.ravel()):\n print('-I- Propagating values up from samples to sites...')\n self.propagate_cols_up(cols, 'sites', 'samples')\n", "role": "user" }, { "content": "propagate_lithology_cols", "role": "assistant" } ]
def x(self, table_name, item_old_name, item_new_name): def x(item): try: res = ':'.join(item) return ':'.join(item) except TypeError as ex: return item def x(df, col_name, old_value, new_value): count = 1 for index, row in df[df[col_name].notnull()].iterrows(): names_list = row[col_name] names_list = [name.strip() for name in names_list] try: ind = names_list.index(old_value) except ValueError as ex: count += 1 continue names_list[ind] = new_value df.loc[count, col_name] = names_list count += 1 item_type = table_name col_name = item_type[:-1] col_name_plural = col_name + 's' table_df = self.tables[item_type].df if item_old_name == '': self.add_item(table_name, {col_name: item_new_name}, item_new_name) return table_df.rename(index={item_old_name: item_new_name}, inplace=True) for table_name in self.tables: df = self.tables[table_name].df col_names = df.columns if col_name in col_names: df[col_name].where(df[col_name] != item_old_name, item_new_name, inplace=True) if col_name_plural in col_names: df[col_name_plural + '_list'] = df[col_name_plural].str.split(':') replace_colon_delimited_value(df, col_name_plural + '_list', item_old_name, item_new_name) df[col_name_plural] = df[col_name_plural + '_list'].apply( put_together_if_list) df.drop(col_name_plural + '_list', axis=1, inplace=True) self.tables[table_name].df = df
rename_item
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table_name, item_old_name, item_new_name):\n\n def x(item):\n try:\n res = ':'.join(item)\n return ':'.join(item)\n except TypeError as ex:\n return item\n\n def x(df, col_name, old_value, new_value):\n count = 1\n for index, row in df[df[col_name].notnull()].iterrows():\n names_list = row[col_name]\n names_list = [name.strip() for name in names_list]\n try:\n ind = names_list.index(old_value)\n except ValueError as ex:\n count += 1\n continue\n names_list[ind] = new_value\n df.loc[count, col_name] = names_list\n count += 1\n item_type = table_name\n col_name = item_type[:-1]\n col_name_plural = col_name + 's'\n table_df = self.tables[item_type].df\n if item_old_name == '':\n self.add_item(table_name, {col_name: item_new_name}, item_new_name)\n return\n table_df.rename(index={item_old_name: item_new_name}, inplace=True)\n for table_name in self.tables:\n df = self.tables[table_name].df\n col_names = df.columns\n if col_name in col_names:\n df[col_name].where(df[col_name] != item_old_name, item_new_name,\n inplace=True)\n if col_name_plural in col_names:\n df[col_name_plural + '_list'] = df[col_name_plural].str.split(':')\n replace_colon_delimited_value(df, col_name_plural + '_list',\n item_old_name, item_new_name)\n df[col_name_plural] = df[col_name_plural + '_list'].apply(\n put_together_if_list)\n df.drop(col_name_plural + '_list', axis=1, inplace=True)\n self.tables[table_name].df = df\n", "role": "user" }, { "content": "rename_item", "role": "assistant" } ]
def x(self, ind): if ind >= len(self.ancestry): return '', '' if ind > -1: table_name = self.ancestry[ind] name = table_name[:-1] return table_name, name return '', ''
get_table_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ind):\n if ind >= len(self.ancestry):\n return '', ''\n if ind > -1:\n table_name = self.ancestry[ind]\n name = table_name[:-1]\n return table_name, name\n return '', ''\n", "role": "user" }, { "content": "get_table_name", "role": "assistant" } ]
def x(self, col_name, df_name, verbose=False): if df_name not in self.tables: table = self.add_magic_table(df_name)[1] if is_null(table): return df = self.tables[df_name].df if col_name in df.columns: if all(df[col_name].apply(not_null)): return df grandparent_table_name = col_name.split('_')[0] + 's' grandparent_name = grandparent_table_name[:-1] ind = self.ancestry.index(grandparent_table_name) - 1 parent_table_name, parent_name = self.get_table_name(ind) child_table_name, child_name = self.get_table_name(ind - 1) bottom_table_name, bottom_name = self.get_table_name(ind - 2) if child_name not in df.columns: if bottom_table_name not in self.tables: result = self.add_magic_table(bottom_table_name)[1] if not isinstance(result, MagicDataFrame): if verbose: print("-W- Couldn't read in {} data for data propagation" .format(bottom_table_name)) return df add_df = self.tables[bottom_table_name].df add_df = add_df.drop_duplicates(subset=bottom_name) if child_name not in df.columns: if verbose: print( '-W- Cannot complete propagation, {} table is missing {} column' .format(df_name, child_name)) else: add_df = stringify_col(add_df, child_name) df = stringify_col(df, bottom_name) df = df.merge(add_df[[child_name]], left_on=[bottom_name], right_index=True, how='left') self.tables[df_name].df = df if parent_name not in df.columns: if child_table_name not in self.tables: result = self.add_magic_table(child_table_name)[1] if not isinstance(result, MagicDataFrame): if verbose: print("-W- Couldn't read in {} data".format( child_table_name)) print("-I- Make sure you've provided the correct file name" ) return df add_df = self.tables[child_table_name].df add_df = add_df.drop_duplicates(subset=child_name) if parent_name not in add_df: if verbose: print( '-W- could not finish propagating names: {} table is missing {} column' .format(child_table_name, parent_name)) elif parent_name not in df: if verbose: print( '-W- could not finish propagating names: {} table is missing {} column' .format(df_name, parent_name)) else: add_df = stringify_col(add_df, parent_name) df = stringify_col(df, child_name) df = df.merge(add_df[[parent_name]], left_on=[child_name], right_index=True, how='left') self.tables[df_name].df = df if grandparent_name not in df.columns: if parent_table_name not in self.tables: result = self.add_magic_table(parent_table_name)[1] if not isinstance(result, MagicDataFrame): if verbose: print("-W- Couldn't read in {} data".format( parent_table_name)) print("-I- Make sure you've provided the correct file name" ) return df add_df = self.tables[parent_table_name].df add_df = add_df.drop_duplicates(subset=parent_name) if grandparent_name not in add_df.columns: if verbose: print( '-W- could not finish propagating names: {} table is missing {} column' .format(parent_table_name, grandparent_name)) elif parent_name not in df.columns: if verbose: print( '-W- could not finish propagating names: {} table is missing {} column' .format(df_name, parent_name)) else: add_df = stringify_col(add_df, grandparent_name) df = stringify_col(df, parent_name) df = df.merge(add_df[[grandparent_name]], left_on=[parent_name], right_index=True, how='left') df = stringify_col(df, grandparent_name) self.tables[df_name].df = df return df
propagate_name_down
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, col_name, df_name, verbose=False):\n if df_name not in self.tables:\n table = self.add_magic_table(df_name)[1]\n if is_null(table):\n return\n df = self.tables[df_name].df\n if col_name in df.columns:\n if all(df[col_name].apply(not_null)):\n return df\n grandparent_table_name = col_name.split('_')[0] + 's'\n grandparent_name = grandparent_table_name[:-1]\n ind = self.ancestry.index(grandparent_table_name) - 1\n parent_table_name, parent_name = self.get_table_name(ind)\n child_table_name, child_name = self.get_table_name(ind - 1)\n bottom_table_name, bottom_name = self.get_table_name(ind - 2)\n if child_name not in df.columns:\n if bottom_table_name not in self.tables:\n result = self.add_magic_table(bottom_table_name)[1]\n if not isinstance(result, MagicDataFrame):\n if verbose:\n print(\"-W- Couldn't read in {} data for data propagation\"\n .format(bottom_table_name))\n return df\n add_df = self.tables[bottom_table_name].df\n add_df = add_df.drop_duplicates(subset=bottom_name)\n if child_name not in df.columns:\n if verbose:\n print(\n '-W- Cannot complete propagation, {} table is missing {} column'\n .format(df_name, child_name))\n else:\n add_df = stringify_col(add_df, child_name)\n df = stringify_col(df, bottom_name)\n df = df.merge(add_df[[child_name]], left_on=[bottom_name],\n right_index=True, how='left')\n self.tables[df_name].df = df\n if parent_name not in df.columns:\n if child_table_name not in self.tables:\n result = self.add_magic_table(child_table_name)[1]\n if not isinstance(result, MagicDataFrame):\n if verbose:\n print(\"-W- Couldn't read in {} data\".format(\n child_table_name))\n print(\"-I- Make sure you've provided the correct file name\"\n )\n return df\n add_df = self.tables[child_table_name].df\n add_df = add_df.drop_duplicates(subset=child_name)\n if parent_name not in add_df:\n if verbose:\n print(\n '-W- could not finish propagating names: {} table is missing {} column'\n .format(child_table_name, parent_name))\n elif parent_name not in df:\n if verbose:\n print(\n '-W- could not finish propagating names: {} table is missing {} column'\n .format(df_name, parent_name))\n else:\n add_df = stringify_col(add_df, parent_name)\n df = stringify_col(df, child_name)\n df = df.merge(add_df[[parent_name]], left_on=[child_name],\n right_index=True, how='left')\n self.tables[df_name].df = df\n if grandparent_name not in df.columns:\n if parent_table_name not in self.tables:\n result = self.add_magic_table(parent_table_name)[1]\n if not isinstance(result, MagicDataFrame):\n if verbose:\n print(\"-W- Couldn't read in {} data\".format(\n parent_table_name))\n print(\"-I- Make sure you've provided the correct file name\"\n )\n return df\n add_df = self.tables[parent_table_name].df\n add_df = add_df.drop_duplicates(subset=parent_name)\n if grandparent_name not in add_df.columns:\n if verbose:\n print(\n '-W- could not finish propagating names: {} table is missing {} column'\n .format(parent_table_name, grandparent_name))\n elif parent_name not in df.columns:\n if verbose:\n print(\n '-W- could not finish propagating names: {} table is missing {} column'\n .format(df_name, parent_name))\n else:\n add_df = stringify_col(add_df, grandparent_name)\n df = stringify_col(df, parent_name)\n df = df.merge(add_df[[grandparent_name]], left_on=[parent_name],\n right_index=True, how='left')\n df = stringify_col(df, grandparent_name)\n self.tables[df_name].df = df\n return df\n", "role": "user" }, { "content": "propagate_name_down", "role": "assistant" } ]
def x(self, col_names, target_df_name, source_df_name, down=True): if target_df_name not in self.tables: self.add_magic_table(target_df_name) if target_df_name not in self.tables: print("-W- Couldn't read in {} table".format(target_df_name)) return if source_df_name not in self.tables: self.add_magic_table(source_df_name) print("-W- Couldn't read in {} table".format(source_df_name)) return source_df = self.tables[source_df_name].df if not set(col_names).issubset(source_df.columns): for col in col_names[:]: if col not in source_df.columns: print("-W- Column '{}' isn't in {} table, skipping it". format(col, source_df_name)) col_names.remove(col) if not col_names: print( '-W- Invalid or missing column names, could not propagate columns') return if down: add_name = source_df_name[:-1] if 'measurements' in self.tables.keys(): self.propagate_location_to_measurements() elif 'specimens' in self.tables.keys(): self.propagate_location_to_specimens() else: self.propagate_name_down('location', 'sites') else: add_name = target_df_name[:-1] target_df = self.tables[target_df_name].df source_df = self.tables[source_df_name].df backup_source_df = source_df.copy() if source_df_name[:-1] not in source_df.columns: source_df[source_df_name[:-1]] = source_df.index source_df = source_df.drop_duplicates(inplace=False, subset=col_names + [source_df_name[:-1]]) source_df = source_df.groupby(source_df.index, sort=False).fillna(method ='ffill') source_df = source_df.groupby(source_df.index, sort=False).fillna(method ='bfill') if not len(source_df): new = [] grouped = backup_source_df.groupby(backup_source_df.index) for label, group in grouped: new_group = group.fillna(method='ffill') new_group = new_group.fillna(method='bfill') new.append(new_group) source_df = pd.concat(new, sort=True) if not len(source_df): return target_df if down: target_df[add_name] = target_df[add_name].astype(str) target_df = target_df.merge(source_df[col_names], how='left', left_on=add_name, right_index=True, suffixes=['_target', '_source'] ) else: col_names.append(add_name) source_df[add_name] = source_df[add_name].astype(str) target_df = target_df.merge(source_df[col_names], how='left', left_index=True, right_on=add_name, suffixes=['_target', '_source'] ) target_df.index = target_df[add_name] target_df.drop([add_name + '_source', add_name + '_target'], axis=1, inplace=True) target_df.drop_duplicates(inplace=True) for col in col_names: if col + '_target' in target_df.columns: new_arr = np.where(target_df[col + '_target'], target_df[col + '_target'], target_df[col + '_source']) target_df.rename(columns={(col + '_target'): col}, inplace=True) target_df[col] = new_arr if col + '_source' in target_df.columns: del target_df[col + '_source'] target_df.drop_duplicates(inplace=True) self.tables[target_df_name].df = target_df return target_df
propagate_cols
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, col_names, target_df_name, source_df_name, down=True):\n if target_df_name not in self.tables:\n self.add_magic_table(target_df_name)\n if target_df_name not in self.tables:\n print(\"-W- Couldn't read in {} table\".format(target_df_name))\n return\n if source_df_name not in self.tables:\n self.add_magic_table(source_df_name)\n print(\"-W- Couldn't read in {} table\".format(source_df_name))\n return\n source_df = self.tables[source_df_name].df\n if not set(col_names).issubset(source_df.columns):\n for col in col_names[:]:\n if col not in source_df.columns:\n print(\"-W- Column '{}' isn't in {} table, skipping it\".\n format(col, source_df_name))\n col_names.remove(col)\n if not col_names:\n print(\n '-W- Invalid or missing column names, could not propagate columns')\n return\n if down:\n add_name = source_df_name[:-1]\n if 'measurements' in self.tables.keys():\n self.propagate_location_to_measurements()\n elif 'specimens' in self.tables.keys():\n self.propagate_location_to_specimens()\n else:\n self.propagate_name_down('location', 'sites')\n else:\n add_name = target_df_name[:-1]\n target_df = self.tables[target_df_name].df\n source_df = self.tables[source_df_name].df\n backup_source_df = source_df.copy()\n if source_df_name[:-1] not in source_df.columns:\n source_df[source_df_name[:-1]] = source_df.index\n source_df = source_df.drop_duplicates(inplace=False, subset=col_names +\n [source_df_name[:-1]])\n source_df = source_df.groupby(source_df.index, sort=False).fillna(method\n ='ffill')\n source_df = source_df.groupby(source_df.index, sort=False).fillna(method\n ='bfill')\n if not len(source_df):\n new = []\n grouped = backup_source_df.groupby(backup_source_df.index)\n for label, group in grouped:\n new_group = group.fillna(method='ffill')\n new_group = new_group.fillna(method='bfill')\n new.append(new_group)\n source_df = pd.concat(new, sort=True)\n if not len(source_df):\n return target_df\n if down:\n target_df[add_name] = target_df[add_name].astype(str)\n target_df = target_df.merge(source_df[col_names], how='left',\n left_on=add_name, right_index=True, suffixes=['_target', '_source']\n )\n else:\n col_names.append(add_name)\n source_df[add_name] = source_df[add_name].astype(str)\n target_df = target_df.merge(source_df[col_names], how='left',\n left_index=True, right_on=add_name, suffixes=['_target', '_source']\n )\n target_df.index = target_df[add_name]\n target_df.drop([add_name + '_source', add_name + '_target'], axis=1,\n inplace=True)\n target_df.drop_duplicates(inplace=True)\n for col in col_names:\n if col + '_target' in target_df.columns:\n new_arr = np.where(target_df[col + '_target'], target_df[col +\n '_target'], target_df[col + '_source'])\n target_df.rename(columns={(col + '_target'): col}, inplace=True)\n target_df[col] = new_arr\n if col + '_source' in target_df.columns:\n del target_df[col + '_source']\n target_df.drop_duplicates(inplace=True)\n self.tables[target_df_name].df = target_df\n return target_df\n", "role": "user" }, { "content": "propagate_cols", "role": "assistant" } ]
def x(self, cols, target_df_name, source_df_name): print('-I- Trying to propagate {} columns from {} table into {} table'. format(cols, source_df_name, target_df_name)) if target_df_name not in self.tables: self.add_magic_table(target_df_name) if target_df_name not in self.tables: print("-W- Couldn't read in {} table".format(target_df_name)) return if source_df_name not in self.tables: self.add_magic_table(source_df_name) print("-W- Couldn't read in {} table".format(source_df_name)) return target_df = self.tables[target_df_name] source_df = self.tables[source_df_name] target_name = target_df_name[:-1] for col in cols: if col not in source_df.df.columns: source_df.df[col] = None target_df.front_and_backfill(cols) if target_name not in source_df.df.columns: print("-W- You can't merge data from {} table into {} table".format (source_df_name, target_df_name)) print(' Your {} table is missing {} column'.format( source_df_name, target_name)) self.tables[target_df_name] = target_df return target_df source_df.front_and_backfill([target_name]) grouped = source_df.df.groupby(source_df.df[target_name]) if not len(grouped): print("-W- Couldn't propagate from {} to {}".format(source_df_name, target_df_name)) return target_df def x(group, col_name): lst = group[col_name][group[col_name].notnull()].unique() split_lst = [col.split(':') for col in lst if col] sorted_lst = sorted(np.unique([item.capitalize() for sublist in split_lst for item in sublist])) group_col = ':'.join(sorted_lst) return group_col for col in cols: res = grouped.apply(func, col) target_df.df['new_' + col] = res target_df.df[col] = np.where(target_df.df[col], target_df.df[col], target_df.df['new_' + col]) target_df.df.drop(['new_' + col], axis='columns', inplace=True) self.tables[target_df_name] = target_df return target_df
propagate_cols_up
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cols, target_df_name, source_df_name):\n print('-I- Trying to propagate {} columns from {} table into {} table'.\n format(cols, source_df_name, target_df_name))\n if target_df_name not in self.tables:\n self.add_magic_table(target_df_name)\n if target_df_name not in self.tables:\n print(\"-W- Couldn't read in {} table\".format(target_df_name))\n return\n if source_df_name not in self.tables:\n self.add_magic_table(source_df_name)\n print(\"-W- Couldn't read in {} table\".format(source_df_name))\n return\n target_df = self.tables[target_df_name]\n source_df = self.tables[source_df_name]\n target_name = target_df_name[:-1]\n for col in cols:\n if col not in source_df.df.columns:\n source_df.df[col] = None\n target_df.front_and_backfill(cols)\n if target_name not in source_df.df.columns:\n print(\"-W- You can't merge data from {} table into {} table\".format\n (source_df_name, target_df_name))\n print(' Your {} table is missing {} column'.format(\n source_df_name, target_name))\n self.tables[target_df_name] = target_df\n return target_df\n source_df.front_and_backfill([target_name])\n grouped = source_df.df.groupby(source_df.df[target_name])\n if not len(grouped):\n print(\"-W- Couldn't propagate from {} to {}\".format(source_df_name,\n target_df_name))\n return target_df\n\n def x(group, col_name):\n lst = group[col_name][group[col_name].notnull()].unique()\n split_lst = [col.split(':') for col in lst if col]\n sorted_lst = sorted(np.unique([item.capitalize() for sublist in\n split_lst for item in sublist]))\n group_col = ':'.join(sorted_lst)\n return group_col\n for col in cols:\n res = grouped.apply(func, col)\n target_df.df['new_' + col] = res\n target_df.df[col] = np.where(target_df.df[col], target_df.df[col],\n target_df.df['new_' + col])\n target_df.df.drop(['new_' + col], axis='columns', inplace=True)\n self.tables[target_df_name] = target_df\n return target_df\n", "role": "user" }, { "content": "propagate_cols_up", "role": "assistant" } ]
def x(self, cols=['lat', 'lon'], target_df_name='sites', source_df_name= 'samples'): target_ind = self.ancestry.index(target_df_name) source_ind = self.ancestry.index(source_df_name) if target_ind - source_ind != 1: print( '-W- propagate_average_up only works with tables that are spaced one apart, i.e. sites and samples.' ) print( ' Source table must be lower in the hierarchy than the target table.' ) print( ' You have provided "{}" as the target table and "{}" as the source table.' .format(target_df_name, source_df_name)) return None if target_df_name not in self.tables: self.add_magic_table(target_df_name) if target_df_name not in self.tables: print("-W- Couldn't read in {} table".format(target_df_name)) return if source_df_name not in self.tables: self.add_magic_table(source_df_name) if source_df_name not in self.tables: print("-W- Couldn't read in {} table".format(source_df_name)) return target_df = self.tables[target_df_name] source_df = self.tables[source_df_name] target_name = target_df_name[:-1] for col in cols: if col not in target_df.df.columns: target_df.df[col] = None target_df.front_and_backfill(cols) values = [not_null(val) for val in target_df.df[cols].values.ravel()] if all(values): print('-I- {} table already has {} filled column(s)'.format( target_df_name, cols)) self.tables[target_df_name] = target_df return target_df if target_name not in source_df.df.columns: print("-W- can't propagate from {} to {} table".format( source_df_name, target_df_name)) print(' Missing {} column in {} table'.format(target_name, source_df_name)) self.tables[target_df_name] = target_df return target_df for col in cols: if col not in target_df.df.columns: target_df.df[col] = None for col in cols: if col not in source_df.df.columns: source_df.df[col] = np.nan else: source_df.df[col] = pd.to_numeric(source_df.df[col], errors= 'coerce') grouped = source_df.df[cols + [target_name]].groupby(target_name) grouped = grouped[cols].apply(np.mean) for col in cols: target_df.df['new_' + col] = grouped[col] mask = [not_null(val) for val in target_df.df[col]] target_df.df[col] = np.where(mask, target_df.df[col], target_df.df[ 'new_' + col]) target_df.df.drop(['new_' + col], inplace=True, axis=1) try: target_df.df[col] = target_df.df[col].astype(float) target_df.df = target_df.df.round({col: 5}) except ValueError: pass self.tables[target_df_name] = target_df return target_df
propagate_average_up
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cols=['lat', 'lon'], target_df_name='sites', source_df_name=\n 'samples'):\n target_ind = self.ancestry.index(target_df_name)\n source_ind = self.ancestry.index(source_df_name)\n if target_ind - source_ind != 1:\n print(\n '-W- propagate_average_up only works with tables that are spaced one apart, i.e. sites and samples.'\n )\n print(\n ' Source table must be lower in the hierarchy than the target table.'\n )\n print(\n ' You have provided \"{}\" as the target table and \"{}\" as the source table.'\n .format(target_df_name, source_df_name))\n return None\n if target_df_name not in self.tables:\n self.add_magic_table(target_df_name)\n if target_df_name not in self.tables:\n print(\"-W- Couldn't read in {} table\".format(target_df_name))\n return\n if source_df_name not in self.tables:\n self.add_magic_table(source_df_name)\n if source_df_name not in self.tables:\n print(\"-W- Couldn't read in {} table\".format(source_df_name))\n return\n target_df = self.tables[target_df_name]\n source_df = self.tables[source_df_name]\n target_name = target_df_name[:-1]\n for col in cols:\n if col not in target_df.df.columns:\n target_df.df[col] = None\n target_df.front_and_backfill(cols)\n values = [not_null(val) for val in target_df.df[cols].values.ravel()]\n if all(values):\n print('-I- {} table already has {} filled column(s)'.format(\n target_df_name, cols))\n self.tables[target_df_name] = target_df\n return target_df\n if target_name not in source_df.df.columns:\n print(\"-W- can't propagate from {} to {} table\".format(\n source_df_name, target_df_name))\n print(' Missing {} column in {} table'.format(target_name,\n source_df_name))\n self.tables[target_df_name] = target_df\n return target_df\n for col in cols:\n if col not in target_df.df.columns:\n target_df.df[col] = None\n for col in cols:\n if col not in source_df.df.columns:\n source_df.df[col] = np.nan\n else:\n source_df.df[col] = pd.to_numeric(source_df.df[col], errors=\n 'coerce')\n grouped = source_df.df[cols + [target_name]].groupby(target_name)\n grouped = grouped[cols].apply(np.mean)\n for col in cols:\n target_df.df['new_' + col] = grouped[col]\n mask = [not_null(val) for val in target_df.df[col]]\n target_df.df[col] = np.where(mask, target_df.df[col], target_df.df[\n 'new_' + col])\n target_df.df.drop(['new_' + col], inplace=True, axis=1)\n try:\n target_df.df[col] = target_df.df[col].astype(float)\n target_df.df = target_df.df.round({col: 5})\n except ValueError:\n pass\n self.tables[target_df_name] = target_df\n return target_df\n", "role": "user" }, { "content": "propagate_average_up", "role": "assistant" } ]
def x(self, cols=['age'], target_df_name='locations', source_df_name= 'sites', min_suffix='low', max_suffix='high'): target_ind = self.ancestry.index(target_df_name) source_ind = self.ancestry.index(source_df_name) if target_ind - source_ind != 1: print( '-W- propagate_min_max_up only works with tables that are spaced one apart, i.e. sites and samples.' ) print( ' Source table must be lower in the hierarchy than the target table.' ) print( ' You have provided "{}" as the target table and "{}" as the source table.' .format(target_df_name, source_df_name)) return None if target_df_name not in self.tables: self.add_magic_table(target_df_name) if target_df_name not in self.tables: print("-W- Couldn't read in {} table".format(target_df_name)) return if source_df_name not in self.tables: self.add_magic_table(source_df_name) if source_df_name not in self.tables: print("-W- Couldn't read in {} table".format(source_df_name)) return target_df = self.tables[target_df_name] source_df = self.tables[source_df_name] target_name = target_df_name[:-1] for col in cols: if col not in source_df.df.columns: print('-W- {} table is missing "{}" column, skipping'.format( source_df_name, col)) continue min_col = col + '_' + min_suffix max_col = col + '_' + max_suffix if min_col not in target_df.df.columns: target_df.df[min_col] = None if max_col not in target_df.df.columns: target_df.df[max_col] = None if target_name not in source_df.df.columns: print('-W- {} table missing {} column, cannot propagate age info' .format(target_name, source_df_name)) return source = source_df.front_and_backfill([col], inplace=False) source[target_name] = source_df.df[target_name] grouped = source[[col, target_name]].groupby(target_name) if len(grouped): minimum, maximum = grouped.min(), grouped.max() minimum = minimum.reindex(target_df.df.index) maximum = maximum.reindex(target_df.df.index) cond_min = target_df.df[min_col].apply(not_null) cond_max = target_df.df[max_col].apply(not_null) target_df.df[min_col] = np.where(cond_min, target_df.df[min_col ], minimum[col]) target_df.df[max_col] = np.where(cond_max, target_df.df[max_col ], maximum[col]) self.tables[target_df_name] = target_df return target_df
propagate_min_max_up
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cols=['age'], target_df_name='locations', source_df_name=\n 'sites', min_suffix='low', max_suffix='high'):\n target_ind = self.ancestry.index(target_df_name)\n source_ind = self.ancestry.index(source_df_name)\n if target_ind - source_ind != 1:\n print(\n '-W- propagate_min_max_up only works with tables that are spaced one apart, i.e. sites and samples.'\n )\n print(\n ' Source table must be lower in the hierarchy than the target table.'\n )\n print(\n ' You have provided \"{}\" as the target table and \"{}\" as the source table.'\n .format(target_df_name, source_df_name))\n return None\n if target_df_name not in self.tables:\n self.add_magic_table(target_df_name)\n if target_df_name not in self.tables:\n print(\"-W- Couldn't read in {} table\".format(target_df_name))\n return\n if source_df_name not in self.tables:\n self.add_magic_table(source_df_name)\n if source_df_name not in self.tables:\n print(\"-W- Couldn't read in {} table\".format(source_df_name))\n return\n target_df = self.tables[target_df_name]\n source_df = self.tables[source_df_name]\n target_name = target_df_name[:-1]\n for col in cols:\n if col not in source_df.df.columns:\n print('-W- {} table is missing \"{}\" column, skipping'.format(\n source_df_name, col))\n continue\n min_col = col + '_' + min_suffix\n max_col = col + '_' + max_suffix\n if min_col not in target_df.df.columns:\n target_df.df[min_col] = None\n if max_col not in target_df.df.columns:\n target_df.df[max_col] = None\n if target_name not in source_df.df.columns:\n print('-W- {} table missing {} column, cannot propagate age info'\n .format(target_name, source_df_name))\n return\n source = source_df.front_and_backfill([col], inplace=False)\n source[target_name] = source_df.df[target_name]\n grouped = source[[col, target_name]].groupby(target_name)\n if len(grouped):\n minimum, maximum = grouped.min(), grouped.max()\n minimum = minimum.reindex(target_df.df.index)\n maximum = maximum.reindex(target_df.df.index)\n cond_min = target_df.df[min_col].apply(not_null)\n cond_max = target_df.df[max_col].apply(not_null)\n target_df.df[min_col] = np.where(cond_min, target_df.df[min_col\n ], minimum[col])\n target_df.df[max_col] = np.where(cond_max, target_df.df[max_col\n ], maximum[col])\n self.tables[target_df_name] = target_df\n return target_df\n", "role": "user" }, { "content": "propagate_min_max_up", "role": "assistant" } ]
def x(self): def x(ser, levels=('specimen', 'sample', 'site', 'location')): for level in levels: if pd.notnull(ser[level]): if len(ser[level]): return level return possible_levels = ['specimen', 'sample', 'site', 'location'] levels = [level for level in possible_levels if level in self.tables[ 'ages'].df.columns] age_levels = self.tables['ages'].df.apply(get_level, axis=1, args=[levels]) if any(age_levels): self.tables['ages'].df.loc[:, 'level'] = age_levels return self.tables['ages']
get_age_levels
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n def x(ser, levels=('specimen', 'sample', 'site', 'location')):\n for level in levels:\n if pd.notnull(ser[level]):\n if len(ser[level]):\n return level\n return\n possible_levels = ['specimen', 'sample', 'site', 'location']\n levels = [level for level in possible_levels if level in self.tables[\n 'ages'].df.columns]\n age_levels = self.tables['ages'].df.apply(get_level, axis=1, args=[levels])\n if any(age_levels):\n self.tables['ages'].df.loc[:, 'level'] = age_levels\n return self.tables['ages']\n", "role": "user" }, { "content": "get_age_levels", "role": "assistant" } ]
def x(self): if 'ages' not in self.tables: return if not len(self.tables['ages'].df): return self.get_age_levels() if not 'level' in self.tables['ages'].df.columns: return if not any(self.tables['ages'].df['level']): return for level in self.tables['ages'].df['level'].unique(): table_name = level + 's' age_headers = self.data_model.get_group_headers(table_name, 'Age') actual_age_headers = list(set(self.tables[table_name].df.columns). intersection(age_headers)) available_age_headers = list(set(self.tables['ages'].df.columns). intersection(age_headers)) self.tables[table_name].front_and_backfill(actual_age_headers) add_headers = set(available_age_headers).difference(actual_age_headers) for header in add_headers: self.tables[table_name].df[header] = None def x(ser, level, available_headers): name = ser.name cond1 = self.tables['ages'].df[level] == name cond2 = self.tables['ages'].df['level'] == level mask = cond1 & cond2 sli = self.tables['ages'].df[mask] if len(sli): return list(sli[available_headers].values[0]) return [None] * len(available_headers) res = self.tables[table_name].df.apply(move_values, axis=1, args=[ level, available_age_headers]) new_df = pd.DataFrame(data=list(res.values), index=res.index, columns=available_age_headers) age_values = np.where(self.tables[table_name].df[ available_age_headers], self.tables[table_name].df[ available_age_headers], new_df) self.tables[table_name].df[available_age_headers] = age_values print( '-I- Adding age_high and age_low to locations table based on minimum/maximum ages found in sites table' ) self.propagate_min_max_up(cols=['age'], target_df_name='locations', source_df_name='sites')
propagate_ages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if 'ages' not in self.tables:\n return\n if not len(self.tables['ages'].df):\n return\n self.get_age_levels()\n if not 'level' in self.tables['ages'].df.columns:\n return\n if not any(self.tables['ages'].df['level']):\n return\n for level in self.tables['ages'].df['level'].unique():\n table_name = level + 's'\n age_headers = self.data_model.get_group_headers(table_name, 'Age')\n actual_age_headers = list(set(self.tables[table_name].df.columns).\n intersection(age_headers))\n available_age_headers = list(set(self.tables['ages'].df.columns).\n intersection(age_headers))\n self.tables[table_name].front_and_backfill(actual_age_headers)\n add_headers = set(available_age_headers).difference(actual_age_headers)\n for header in add_headers:\n self.tables[table_name].df[header] = None\n\n def x(ser, level, available_headers):\n name = ser.name\n cond1 = self.tables['ages'].df[level] == name\n cond2 = self.tables['ages'].df['level'] == level\n mask = cond1 & cond2\n sli = self.tables['ages'].df[mask]\n if len(sli):\n return list(sli[available_headers].values[0])\n return [None] * len(available_headers)\n res = self.tables[table_name].df.apply(move_values, axis=1, args=[\n level, available_age_headers])\n new_df = pd.DataFrame(data=list(res.values), index=res.index,\n columns=available_age_headers)\n age_values = np.where(self.tables[table_name].df[\n available_age_headers], self.tables[table_name].df[\n available_age_headers], new_df)\n self.tables[table_name].df[available_age_headers] = age_values\n print(\n '-I- Adding age_high and age_low to locations table based on minimum/maximum ages found in sites table'\n )\n self.propagate_min_max_up(cols=['age'], target_df_name='locations',\n source_df_name='sites')\n", "role": "user" }, { "content": "propagate_ages", "role": "assistant" } ]
def x(self): for table_name in self.tables: table = self.tables[table_name] table.remove_non_magic_cols_from_table()
remove_non_magic_cols
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for table_name in self.tables:\n table = self.tables[table_name]\n table.remove_non_magic_cols_from_table()\n", "role": "user" }, { "content": "remove_non_magic_cols", "role": "assistant" } ]
def x(self, dtype, custom_name=None, append=False, dir_path=None): if custom_name: fname = custom_name else: fname = self.filenames[dtype] if not dir_path: dir_path = self.directory if dtype in self.tables: write_df = self.remove_names(dtype) outfile = self.tables[dtype].write_magic_file(custom_name=fname, dir_path=dir_path, append=append, df=write_df) return outfile
write_table_to_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dtype, custom_name=None, append=False, dir_path=None):\n if custom_name:\n fname = custom_name\n else:\n fname = self.filenames[dtype]\n if not dir_path:\n dir_path = self.directory\n if dtype in self.tables:\n write_df = self.remove_names(dtype)\n outfile = self.tables[dtype].write_magic_file(custom_name=fname,\n dir_path=dir_path, append=append, df=write_df)\n return outfile\n", "role": "user" }, { "content": "write_table_to_file", "role": "assistant" } ]
def x(self, dtype): if dtype not in self.ancestry: return if dtype in self.tables: self_ind = self.ancestry.index(dtype) parent_ind = self_ind + 1 if self_ind < len(self.ancestry ) - 1 else self_ind remove = set(self.ancestry).difference([self.ancestry[self_ind], self.ancestry[parent_ind]]) remove = [dtype[:-1] for dtype in remove] columns = self.tables[dtype].df.columns.difference(remove) return self.tables[dtype].df[columns]
remove_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dtype):\n if dtype not in self.ancestry:\n return\n if dtype in self.tables:\n self_ind = self.ancestry.index(dtype)\n parent_ind = self_ind + 1 if self_ind < len(self.ancestry\n ) - 1 else self_ind\n remove = set(self.ancestry).difference([self.ancestry[self_ind],\n self.ancestry[parent_ind]])\n remove = [dtype[:-1] for dtype in remove]\n columns = self.tables[dtype].df.columns.difference(remove)\n return self.tables[dtype].df[columns]\n", "role": "user" }, { "content": "remove_names", "role": "assistant" } ]
def x(self, dtype): parent_dtype, child_dtype = self.get_parent_and_child(dtype) if not child_dtype in self.tables: return set() items = set(self.tables[dtype].df.index.unique()) items_in_child_table = set(self.tables[child_dtype].df[dtype[:-1]].unique() ) return {i for i in items_in_child_table - items if not_null(i)}
find_missing_items
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dtype):\n parent_dtype, child_dtype = self.get_parent_and_child(dtype)\n if not child_dtype in self.tables:\n return set()\n items = set(self.tables[dtype].df.index.unique())\n items_in_child_table = set(self.tables[child_dtype].df[dtype[:-1]].unique()\n )\n return {i for i in items_in_child_table - items if not_null(i)}\n", "role": "user" }, { "content": "find_missing_items", "role": "assistant" } ]
def x(self): con_id = '' if 'contribution' in self.tables: if 'id' in self.tables['contribution'].df.columns: con_id = str(self.tables['contribution'].df['id'].values[0]) return con_id
get_con_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n con_id = ''\n if 'contribution' in self.tables:\n if 'id' in self.tables['contribution'].df.columns:\n con_id = str(self.tables['contribution'].df['id'].values[0])\n return con_id\n", "role": "user" }, { "content": "get_con_id", "role": "assistant" } ]
def x(self): def x(x): if isinstance(x, float): if x.is_integer(): return str(x).rstrip('0').rstrip('.') return str(x) if isinstance(x, str): try: float(x) if x.endswith('0'): if x.rstrip('0').endswith('.'): return x.rstrip('0').rstrip('.') except (ValueError, TypeError): pass if isinstance(x, int): return str(x) return x def x(x, prog): if not isinstance(x, str): return x result = prog.match(x) if result: decimals = result.string.split('.')[1] result = result.string if decimals[-3] == '0': result = x[:-2].rstrip('0') if decimals[-3] == '9': result = x[:-2].rstrip('9') try: last_digit = int(result[-1]) result = result[:-1] + str(last_digit + 1) except ValueError: result = float(result[:-1]) + 1 return result return x for col in self.df.columns: self.df[col] = self.df[col].apply(stringify) prog = re.compile('\\d*[.]\\d*([0]{5,100}|[9]{5,100})\\d*\\Z') for col in self.df.columns: self.df[col] = self.df[col].apply(lambda x: remove_extra_digits(x, prog))
all_to_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n def x(x):\n if isinstance(x, float):\n if x.is_integer():\n return str(x).rstrip('0').rstrip('.')\n return str(x)\n if isinstance(x, str):\n try:\n float(x)\n if x.endswith('0'):\n if x.rstrip('0').endswith('.'):\n return x.rstrip('0').rstrip('.')\n except (ValueError, TypeError):\n pass\n if isinstance(x, int):\n return str(x)\n return x\n\n def x(x, prog):\n if not isinstance(x, str):\n return x\n result = prog.match(x)\n if result:\n decimals = result.string.split('.')[1]\n result = result.string\n if decimals[-3] == '0':\n result = x[:-2].rstrip('0')\n if decimals[-3] == '9':\n result = x[:-2].rstrip('9')\n try:\n last_digit = int(result[-1])\n result = result[:-1] + str(last_digit + 1)\n except ValueError:\n result = float(result[:-1]) + 1\n return result\n return x\n for col in self.df.columns:\n self.df[col] = self.df[col].apply(stringify)\n prog = re.compile('\\\\d*[.]\\\\d*([0]{5,100}|[9]{5,100})\\\\d*\\\\Z')\n for col in self.df.columns:\n self.df[col] = self.df[col].apply(lambda x: remove_extra_digits(x,\n prog))\n", "role": "user" }, { "content": "all_to_str", "role": "assistant" } ]
def x(self, ignore_cols=()): unrecognized_cols = self.get_non_magic_cols() for col in ignore_cols: if col in unrecognized_cols: unrecognized_cols.remove(col) if unrecognized_cols: print('-I- Removing non-MagIC column names from {}:'.format(self. dtype), end=' ') for col in unrecognized_cols: self.df.drop(col, axis='columns', inplace=True) print(col, end=' ') print('\n') return unrecognized_cols
remove_non_magic_cols_from_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ignore_cols=()):\n unrecognized_cols = self.get_non_magic_cols()\n for col in ignore_cols:\n if col in unrecognized_cols:\n unrecognized_cols.remove(col)\n if unrecognized_cols:\n print('-I- Removing non-MagIC column names from {}:'.format(self.\n dtype), end=' ')\n for col in unrecognized_cols:\n self.df.drop(col, axis='columns', inplace=True)\n print(col, end=' ')\n print('\\n')\n return unrecognized_cols\n", "role": "user" }, { "content": "remove_non_magic_cols_from_table", "role": "assistant" } ]
def x(self, ind, row_data): if sorted(row_data.keys()) != sorted(self.df.columns): for key in row_data: if key not in self.df.columns: self.df[key] = None for col_label in self.df.columns: if col_label not in list(row_data.keys()): row_data[col_label] = None try: self.df.iloc[ind] = pd.Series(row_data) except IndexError: return False return self.df
update_row
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ind, row_data):\n if sorted(row_data.keys()) != sorted(self.df.columns):\n for key in row_data:\n if key not in self.df.columns:\n self.df[key] = None\n for col_label in self.df.columns:\n if col_label not in list(row_data.keys()):\n row_data[col_label] = None\n try:\n self.df.iloc[ind] = pd.Series(row_data)\n except IndexError:\n return False\n return self.df\n", "role": "user" }, { "content": "update_row", "role": "assistant" } ]
def x(self, label, row_data, columns=''): if len(columns): if sorted(self.df.columns) == sorted(columns): self.df.columns = columns else: new_columns = [] new_columns.extend(columns) for col in self.df.columns: if col not in new_columns: new_columns.append(col) if sorted(row_data.keys()) != sorted(self.df.columns): for key in row_data: if key not in self.df.columns: self.df[key] = None for col_label in self.df.columns: if col_label not in list(row_data.keys()): row_data[col_label] = None self.df.index = self.df.index.astype(str) label = str(label) self.df.loc[label + 'new'] = pd.Series(row_data) self.df.rename(index={(label + 'new'): label}, inplace=True) return self.df
add_row
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, label, row_data, columns=''):\n if len(columns):\n if sorted(self.df.columns) == sorted(columns):\n self.df.columns = columns\n else:\n new_columns = []\n new_columns.extend(columns)\n for col in self.df.columns:\n if col not in new_columns:\n new_columns.append(col)\n if sorted(row_data.keys()) != sorted(self.df.columns):\n for key in row_data:\n if key not in self.df.columns:\n self.df[key] = None\n for col_label in self.df.columns:\n if col_label not in list(row_data.keys()):\n row_data[col_label] = None\n self.df.index = self.df.index.astype(str)\n label = str(label)\n self.df.loc[label + 'new'] = pd.Series(row_data)\n self.df.rename(index={(label + 'new'): label}, inplace=True)\n return self.df\n", "role": "user" }, { "content": "add_row", "role": "assistant" } ]
def x(self, data): df = pd.DataFrame(data) name, dtype = self.get_singular_and_plural_dtype(self.dtype) if name in df.columns: df.index = df[name] df.index.name = name + ' name' self.df = df
add_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n df = pd.DataFrame(data)\n name, dtype = self.get_singular_and_plural_dtype(self.dtype)\n if name in df.columns:\n df.index = df[name]\n df.index.name = name + ' name'\n self.df = df\n", "role": "user" }, { "content": "add_data", "role": "assistant" } ]
def x(self, label): col_labels = self.df.columns blank_item = pd.Series({}, index=col_labels, name=label) self.df.loc[blank_item.name] = blank_item return self.df
add_blank_row
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, label):\n col_labels = self.df.columns\n blank_item = pd.Series({}, index=col_labels, name=label)\n self.df.loc[blank_item.name] = blank_item\n return self.df\n", "role": "user" }, { "content": "add_blank_row", "role": "assistant" } ]
def x(self, ind): self.df = pd.concat([self.df[:ind], self.df[ind + 1:]], sort=True) return self.df
delete_row
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ind):\n self.df = pd.concat([self.df[:ind], self.df[ind + 1:]], sort=True)\n return self.df\n", "role": "user" }, { "content": "delete_row", "role": "assistant" } ]
def x(self, condition, info_str=None): self.df['num'] = list(range(len(self.df))) df_data = self.df if len(df_data[condition]) > 0: inds = df_data[condition]['num'] for ind in inds[::-1]: df_data = self.delete_row(ind) if info_str: print('-I- Deleting {}. '.format(info_str), end=' ') print('deleting row {}'.format(str(ind))) df_data.sort_index(inplace=True) df_data['num'] = list(range(len(df_data))) self.df = df_data return df_data
delete_rows
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, condition, info_str=None):\n self.df['num'] = list(range(len(self.df)))\n df_data = self.df\n if len(df_data[condition]) > 0:\n inds = df_data[condition]['num']\n for ind in inds[::-1]:\n df_data = self.delete_row(ind)\n if info_str:\n print('-I- Deleting {}. '.format(info_str), end=' ')\n print('deleting row {}'.format(str(ind)))\n df_data.sort_index(inplace=True)\n df_data['num'] = list(range(len(df_data)))\n self.df = df_data\n return df_data\n", "role": "user" }, { "content": "delete_rows", "role": "assistant" } ]
def x(self, ignore_cols=('specimen', 'sample', 'software_packages', 'num')): if 'citations' in self.df.columns: if list(self.df['citations'].unique()) == ['This study']: ignore_cols = ignore_cols + ('citations',) drop_cols = self.df.columns.difference(ignore_cols) self.df.dropna(axis='index', subset=drop_cols, how='all', inplace=True) return self.df
drop_stub_rows
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ignore_cols=('specimen', 'sample', 'software_packages', 'num')):\n if 'citations' in self.df.columns:\n if list(self.df['citations'].unique()) == ['This study']:\n ignore_cols = ignore_cols + ('citations',)\n drop_cols = self.df.columns.difference(ignore_cols)\n self.df.dropna(axis='index', subset=drop_cols, how='all', inplace=True)\n return self.df\n", "role": "user" }, { "content": "drop_stub_rows", "role": "assistant" } ]
def x(self, ignore_cols=['specimen', 'sample']): unique_index = self.df.index.unique() cond1 = ~self.df.index.duplicated(keep=False) ignore_cols = [col for col in ignore_cols if col in self.df.columns] relevant_df = self.df.drop(ignore_cols, axis=1) cond2 = relevant_df.notnull().any(axis=1) orig_len = len(self.df) new_df = self.df[cond1 | cond2] if any(unique_index.difference(new_df.index.unique())): cond1 = ~self.df.index.duplicated(keep='first') self.df = self.df[cond1 | cond2] end_len = len(self.df) removed = orig_len - end_len if removed: print('-I- Removed {} redundant records from {} table'.format( removed, self.dtype)) return self.df
drop_duplicate_rows
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ignore_cols=['specimen', 'sample']):\n unique_index = self.df.index.unique()\n cond1 = ~self.df.index.duplicated(keep=False)\n ignore_cols = [col for col in ignore_cols if col in self.df.columns]\n relevant_df = self.df.drop(ignore_cols, axis=1)\n cond2 = relevant_df.notnull().any(axis=1)\n orig_len = len(self.df)\n new_df = self.df[cond1 | cond2]\n if any(unique_index.difference(new_df.index.unique())):\n cond1 = ~self.df.index.duplicated(keep='first')\n self.df = self.df[cond1 | cond2]\n end_len = len(self.df)\n removed = orig_len - end_len\n if removed:\n print('-I- Removed {} redundant records from {} table'.format(\n removed, self.dtype))\n return self.df\n", "role": "user" }, { "content": "drop_duplicate_rows", "role": "assistant" } ]
def x(self, name, new_data, condition, update_only=False, debug=False): self.df['num'] = list(range(len(self.df))) df_data = self.df condition2 = df_data.index == name if len(df_data[condition & condition2]) > 0: inds = df_data[condition & condition2]['num'] existing_data = dict(df_data.iloc[inds.iloc[0]]) existing_data.update(new_data) self.update_row(inds.iloc[0], existing_data) if len(inds) > 1: for ind in inds[1:]: print('deleting redundant records for:', name) df_data = self.delete_row(ind) elif update_only: print('no record found for that condition, not updating ', name) else: print('no record found - creating new one for ', name) df_data = self.add_row(name, new_data) df_data.sort_index(inplace=True) df_data['num'] = list(range(len(df_data))) self.df = df_data return df_data
update_record
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, new_data, condition, update_only=False, debug=False):\n self.df['num'] = list(range(len(self.df)))\n df_data = self.df\n condition2 = df_data.index == name\n if len(df_data[condition & condition2]) > 0:\n inds = df_data[condition & condition2]['num']\n existing_data = dict(df_data.iloc[inds.iloc[0]])\n existing_data.update(new_data)\n self.update_row(inds.iloc[0], existing_data)\n if len(inds) > 1:\n for ind in inds[1:]:\n print('deleting redundant records for:', name)\n df_data = self.delete_row(ind)\n elif update_only:\n print('no record found for that condition, not updating ', name)\n else:\n print('no record found - creating new one for ', name)\n df_data = self.add_row(name, new_data)\n df_data.sort_index(inplace=True)\n df_data['num'] = list(range(len(df_data)))\n self.df = df_data\n return df_data\n", "role": "user" }, { "content": "update_record", "role": "assistant" } ]
def x(self, cols, inplace=True): cols = list(cols) for col in cols: if col not in self.df.columns: self.df[col] = np.nan short_df = self.df[cols] tester = short_df.groupby(short_df.index, sort=False).fillna(method='ffill' ) if not_null(tester): short_df = short_df.groupby(short_df.index, sort=False).fillna(method ='ffill').groupby(short_df.index, sort=False).fillna(method='bfill' ) else: print( '-W- Was not able to front/back fill table {} with these columns: {}' .format(self.dtype, ', '.join(cols))) if inplace: self.df[cols] = short_df[cols] return self.df return short_df
front_and_backfill
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cols, inplace=True):\n cols = list(cols)\n for col in cols:\n if col not in self.df.columns:\n self.df[col] = np.nan\n short_df = self.df[cols]\n tester = short_df.groupby(short_df.index, sort=False).fillna(method='ffill'\n )\n if not_null(tester):\n short_df = short_df.groupby(short_df.index, sort=False).fillna(method\n ='ffill').groupby(short_df.index, sort=False).fillna(method='bfill'\n )\n else:\n print(\n '-W- Was not able to front/back fill table {} with these columns: {}'\n .format(self.dtype, ', '.join(cols)))\n if inplace:\n self.df[cols] = short_df[cols]\n return self.df\n return short_df\n", "role": "user" }, { "content": "front_and_backfill", "role": "assistant" } ]
def x(self): cols = self.df.columns groups = list(map(lambda x: self.data_model.get_group_for_col(self. dtype, x), cols)) sorted_cols = cols.groupby(groups) ordered_cols = [] try: names = sorted_cols.pop('Names') except KeyError: names = [] ordered_cols.extend(list(names)) no_group = [] if '' in sorted_cols: no_group = sorted_cols.pop('') for k in sorted(sorted_cols): ordered_cols.extend(sorted(sorted_cols[k])) ordered_cols.extend(no_group) try: if self.name in ordered_cols: ordered_cols.remove(self.name) ordered_cols[:0] = [self.name] except AttributeError: pass self.df = self.df[ordered_cols] return self.df
sort_dataframe_cols
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cols = self.df.columns\n groups = list(map(lambda x: self.data_model.get_group_for_col(self.\n dtype, x), cols))\n sorted_cols = cols.groupby(groups)\n ordered_cols = []\n try:\n names = sorted_cols.pop('Names')\n except KeyError:\n names = []\n ordered_cols.extend(list(names))\n no_group = []\n if '' in sorted_cols:\n no_group = sorted_cols.pop('')\n for k in sorted(sorted_cols):\n ordered_cols.extend(sorted(sorted_cols[k]))\n ordered_cols.extend(no_group)\n try:\n if self.name in ordered_cols:\n ordered_cols.remove(self.name)\n ordered_cols[:0] = [self.name]\n except AttributeError:\n pass\n self.df = self.df[ordered_cols]\n return self.df\n", "role": "user" }, { "content": "sort_dataframe_cols", "role": "assistant" } ]
def x(self, col_list): for col in col_list: if col in self.df.columns: if not all([is_null(val, False) for val in self.df[col]]): return col
find_filled_col
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, col_list):\n for col in col_list:\n if col in self.df.columns:\n if not all([is_null(val, False) for val in self.df[col]]):\n return col\n", "role": "user" }, { "content": "find_filled_col", "role": "assistant" } ]
def x(self, lst_or_dict='lst', df=None): if isinstance(df, type(None)): df = self.df df = df.where(df.notnull(), '') df = df.astype(str) if lst_or_dict == 'lst': return list(df.T.apply(dict)) else: return {str(i[df.index.name.split(' ')[0]]): dict(i) for i in list( df.T.apply(dict))}
convert_to_pmag_data_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lst_or_dict='lst', df=None):\n if isinstance(df, type(None)):\n df = self.df\n df = df.where(df.notnull(), '')\n df = df.astype(str)\n if lst_or_dict == 'lst':\n return list(df.T.apply(dict))\n else:\n return {str(i[df.index.name.split(' ')[0]]): dict(i) for i in list(\n df.T.apply(dict))}\n", "role": "user" }, { "content": "convert_to_pmag_data_list", "role": "assistant" } ]
def x(self, col_name, df_slice='', index_names=''): if any(df_slice): df_slice = df_slice elif index_names: df_slice = self.df.loc[index_names] else: df_slice = self.df if len(df_slice) == 0: return '' if col_name not in df_slice.columns: return '' first_val = list(df_slice[col_name].dropna()) if any(first_val): return first_val[0] else: return ''
get_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, col_name, df_slice='', index_names=''):\n if any(df_slice):\n df_slice = df_slice\n elif index_names:\n df_slice = self.df.loc[index_names]\n else:\n df_slice = self.df\n if len(df_slice) == 0:\n return ''\n if col_name not in df_slice.columns:\n return ''\n first_val = list(df_slice[col_name].dropna())\n if any(first_val):\n return first_val[0]\n else:\n return ''\n", "role": "user" }, { "content": "get_name", "role": "assistant" } ]
def x(self, df_slice=None, do_index=False, item_names=None, tilt_corr='100', excl=None, ignore_tilt=False): tilt_corr = int(tilt_corr) if isinstance(df_slice, str): if df_slice.lower() == 'all': df_slice = self.df elif do_index: df_slice = self.df.loc[item_names] elif not do_index: df_slice = df_slice if not ignore_tilt: if tilt_corr != 0: df_slice = df_slice[df_slice['dir_tilt_correction'] == tilt_corr] else: cond1 = df_slice['dir_tilt_correction'] == None cond2 = df_slice['dir_tilt_correction'] == tilt_corr df_slice = df_slice[cond1 | cond2] if excl: for ex in excl: df_slice = self.get_records_for_code(ex, incl=False, use_slice= True, sli=df_slice) df_slice = df_slice[df_slice['dir_inc'].notnull() & df_slice['dir_dec'] .notnull()] di_block = [[float(row['dir_dec']), float(row['dir_inc'])] for ind, row in df_slice.iterrows()] return di_block
get_di_block
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, df_slice=None, do_index=False, item_names=None, tilt_corr='100',\n excl=None, ignore_tilt=False):\n tilt_corr = int(tilt_corr)\n if isinstance(df_slice, str):\n if df_slice.lower() == 'all':\n df_slice = self.df\n elif do_index:\n df_slice = self.df.loc[item_names]\n elif not do_index:\n df_slice = df_slice\n if not ignore_tilt:\n if tilt_corr != 0:\n df_slice = df_slice[df_slice['dir_tilt_correction'] == tilt_corr]\n else:\n cond1 = df_slice['dir_tilt_correction'] == None\n cond2 = df_slice['dir_tilt_correction'] == tilt_corr\n df_slice = df_slice[cond1 | cond2]\n if excl:\n for ex in excl:\n df_slice = self.get_records_for_code(ex, incl=False, use_slice=\n True, sli=df_slice)\n df_slice = df_slice[df_slice['dir_inc'].notnull() & df_slice['dir_dec']\n .notnull()]\n di_block = [[float(row['dir_dec']), float(row['dir_inc'])] for ind, row in\n df_slice.iterrows()]\n return di_block\n", "role": "user" }, { "content": "get_di_block", "role": "assistant" } ]
def x(self, meth_code, incl=True, use_slice=False, sli=None, strict_match=True ): if use_slice: df = sli.copy() else: df = self.df.copy() if not meth_code: return df if not strict_match: cond = df['method_codes'].str.contains(meth_code).fillna(False) else: pattern = re.compile('{}(?=:|\\s|\\Z)'.format(meth_code)) cond = df['method_codes'].str.contains(pattern).fillna(False) if incl: return df[cond] else: return df[~cond]
get_records_for_code
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, meth_code, incl=True, use_slice=False, sli=None, strict_match=True\n ):\n if use_slice:\n df = sli.copy()\n else:\n df = self.df.copy()\n if not meth_code:\n return df\n if not strict_match:\n cond = df['method_codes'].str.contains(meth_code).fillna(False)\n else:\n pattern = re.compile('{}(?=:|\\\\s|\\\\Z)'.format(meth_code))\n cond = df['method_codes'].str.contains(pattern).fillna(False)\n if incl:\n return df[cond]\n else:\n return df[~cond]\n", "role": "user" }, { "content": "get_records_for_code", "role": "assistant" } ]
def x(self, df1): if self.df.empty: return df1 elif df1.empty: return self.df cdf2 = self.df.copy() if self.dtype.endswith('s'): dtype = self.dtype[:-1] else: dtype = self.dtype index_name = dtype + '_name' for df in [df1, cdf2]: df.index.name = index_name mdf = df1.join(cdf2, how='outer', rsuffix='_remove', on=index_name) def x(column): extra_column = column + '_remove' if column in mdf.columns and extra_column in mdf.columns: mdf[column] = np.where(mdf[column].apply(lambda x: not_null(x, False)), mdf[column], mdf[extra_column]) for col in ['specimen', 'sample', 'site', 'location', 'lat', 'lon']: keep_non_null_vals(col) [mdf.drop(col, inplace=True, axis=1) for col in mdf.columns if col. endswith('_remove')] mdf.drop_duplicates(inplace=True, subset=[col for col in mdf.columns if col != 'description']) if dtype in mdf.columns: mdf = mdf.set_index(dtype) mdf[dtype] = mdf.index mdf.index.name = index_name mdf.sort_index(inplace=True) return mdf
merge_dfs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, df1):\n if self.df.empty:\n return df1\n elif df1.empty:\n return self.df\n cdf2 = self.df.copy()\n if self.dtype.endswith('s'):\n dtype = self.dtype[:-1]\n else:\n dtype = self.dtype\n index_name = dtype + '_name'\n for df in [df1, cdf2]:\n df.index.name = index_name\n mdf = df1.join(cdf2, how='outer', rsuffix='_remove', on=index_name)\n\n def x(column):\n extra_column = column + '_remove'\n if column in mdf.columns and extra_column in mdf.columns:\n mdf[column] = np.where(mdf[column].apply(lambda x: not_null(x, \n False)), mdf[column], mdf[extra_column])\n for col in ['specimen', 'sample', 'site', 'location', 'lat', 'lon']:\n keep_non_null_vals(col)\n [mdf.drop(col, inplace=True, axis=1) for col in mdf.columns if col.\n endswith('_remove')]\n mdf.drop_duplicates(inplace=True, subset=[col for col in mdf.columns if\n col != 'description'])\n if dtype in mdf.columns:\n mdf = mdf.set_index(dtype)\n mdf[dtype] = mdf.index\n mdf.index.name = index_name\n mdf.sort_index(inplace=True)\n return mdf\n", "role": "user" }, { "content": "merge_dfs", "role": "assistant" } ]
def x(self, custom_name=None, dir_path='.', append=False, multi_type=False, df=None): if custom_name: if custom_name.startswith('.'): custom_name = os.path.split(custom_name)[1] self.sort_dataframe_cols() if 'num' in self.df.columns: self.df = self.df.drop('num', axis=1) name = self.get_singular_and_plural_dtype(self.dtype)[0] if name in self.df.columns: self.df[name] = self.df[name].astype(str) if df is None: df = self.df dir_path = os.path.realpath(dir_path) if custom_name: fname = pmag.resolve_file_name(custom_name, dir_path) elif self.magic_file: fname = pmag.resolve_file_name(self.magic_file, dir_path) else: fname = os.path.join(dir_path, self.dtype + '.txt') if not len(df): print('-W- No data to write to {}'.format(fname)) return False if append: print('-I- appending {} data to {}'.format(self.dtype, fname)) mode = 'a' elif os.path.exists(fname): print('-I- overwriting {}'.format(fname)) mode = 'w' else: print('-I- writing {} records to {}'.format(self.dtype, fname)) mode = 'w' f = open(fname, mode) if append: header = False if multi_type: header = True f.write('tab\t{}\n'.format(self.dtype)) f.flush() df.to_csv(f, sep='\t', header=header, index=False, mode='a') else: f.write('tab\t{}\n'.format(self.dtype)) f.flush() df.to_csv(f, sep='\t', header=True, index=False, mode='a') print('-I- {} records written to {} file'.format(len(df), self.dtype)) f.close() return fname
write_magic_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, custom_name=None, dir_path='.', append=False, multi_type=False,\n df=None):\n if custom_name:\n if custom_name.startswith('.'):\n custom_name = os.path.split(custom_name)[1]\n self.sort_dataframe_cols()\n if 'num' in self.df.columns:\n self.df = self.df.drop('num', axis=1)\n name = self.get_singular_and_plural_dtype(self.dtype)[0]\n if name in self.df.columns:\n self.df[name] = self.df[name].astype(str)\n if df is None:\n df = self.df\n dir_path = os.path.realpath(dir_path)\n if custom_name:\n fname = pmag.resolve_file_name(custom_name, dir_path)\n elif self.magic_file:\n fname = pmag.resolve_file_name(self.magic_file, dir_path)\n else:\n fname = os.path.join(dir_path, self.dtype + '.txt')\n if not len(df):\n print('-W- No data to write to {}'.format(fname))\n return False\n if append:\n print('-I- appending {} data to {}'.format(self.dtype, fname))\n mode = 'a'\n elif os.path.exists(fname):\n print('-I- overwriting {}'.format(fname))\n mode = 'w'\n else:\n print('-I- writing {} records to {}'.format(self.dtype, fname))\n mode = 'w'\n f = open(fname, mode)\n if append:\n header = False\n if multi_type:\n header = True\n f.write('tab\\t{}\\n'.format(self.dtype))\n f.flush()\n df.to_csv(f, sep='\\t', header=header, index=False, mode='a')\n else:\n f.write('tab\\t{}\\n'.format(self.dtype))\n f.flush()\n df.to_csv(f, sep='\\t', header=True, index=False, mode='a')\n print('-I- {} records written to {} file'.format(len(df), self.dtype))\n f.close()\n return fname\n", "role": "user" }, { "content": "write_magic_file", "role": "assistant" } ]
def x(self): table_dm = self.data_model.dm[self.dtype] approved_cols = table_dm.index unrecognized_cols = set(self.df.columns) - set(approved_cols) return unrecognized_cols
get_non_magic_cols
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n table_dm = self.data_model.dm[self.dtype]\n approved_cols = table_dm.index\n unrecognized_cols = set(self.df.columns) - set(approved_cols)\n return unrecognized_cols\n", "role": "user" }, { "content": "get_non_magic_cols", "role": "assistant" } ]
def x(self, ind_name, col_name): short_df = self.df.loc[ind_name, col_name] mask = pd.notnull(short_df) print(short_df[mask]) try: val = short_df[mask].unique()[0] except IndexError: val = None return val
get_first_non_null_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ind_name, col_name):\n short_df = self.df.loc[ind_name, col_name]\n mask = pd.notnull(short_df)\n print(short_df[mask])\n try:\n val = short_df[mask].unique()[0]\n except IndexError:\n val = None\n return val\n", "role": "user" }, { "content": "get_first_non_null_value", "role": "assistant" } ]
def x(self, dtype): dtype = dtype.strip() if dtype.endswith('s'): return dtype[:-1], dtype elif dtype == 'criteria': return 'table_column', 'criteria' elif dtype == 'contribution': return 'doi', 'contribution'
get_singular_and_plural_dtype
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dtype):\n dtype = dtype.strip()\n if dtype.endswith('s'):\n return dtype[:-1], dtype\n elif dtype == 'criteria':\n return 'table_column', 'criteria'\n elif dtype == 'contribution':\n return 'doi', 'contribution'\n", "role": "user" }, { "content": "get_singular_and_plural_dtype", "role": "assistant" } ]
def x(): args = sys.argv fmt = pmag.get_named_arg('-fmt', 'svg') output_dir_path = pmag.get_named_arg('-WD', '.') input_dir_path = pmag.get_named_arg('-ID', '') if '-h' in args: print(main.__doc__) sys.exit() meas_file = pmag.get_named_arg('-f', 'measurements.txt') spec_file = pmag.get_named_arg('-F', 'specimens.txt') make_plots = True save_plots = False if '-P' in args: make_plots = False if '-sav' in args: save_plots = True pltspec = pmag.get_named_arg('-spc', 0) ipmag.hysteresis_magic(output_dir_path, input_dir_path, spec_file, meas_file, fmt, save_plots, make_plots, pltspec)
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 fmt = pmag.get_named_arg('-fmt', 'svg')\n output_dir_path = pmag.get_named_arg('-WD', '.')\n input_dir_path = pmag.get_named_arg('-ID', '')\n if '-h' in args:\n print(main.__doc__)\n sys.exit()\n meas_file = pmag.get_named_arg('-f', 'measurements.txt')\n spec_file = pmag.get_named_arg('-F', 'specimens.txt')\n make_plots = True\n save_plots = False\n if '-P' in args:\n make_plots = False\n if '-sav' in args:\n save_plots = True\n pltspec = pmag.get_named_arg('-spc', 0)\n ipmag.hysteresis_magic(output_dir_path, input_dir_path, spec_file,\n meas_file, fmt, save_plots, make_plots, pltspec)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): if 'data_files' in os.listdir(sys.prefix): return os.path.join(sys.prefix, 'data_files') else: return os.path.join(get_pmag_dir(), 'data_files')
get_data_files_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if 'data_files' in os.listdir(sys.prefix):\n return os.path.join(sys.prefix, 'data_files')\n else:\n return os.path.join(get_pmag_dir(), 'data_files')\n", "role": "user" }, { "content": "get_data_files_dir", "role": "assistant" } ]
def x(): try: return os.environ['RESOURCEPATH'] except KeyError: pass if os.path.isfile(os.path.join(os.getcwd(), 'pmagpy', 'pmag.py')): lib_dir = os.path.join(os.getcwd(), 'pmagpy') elif getattr(sys, 'frozen', False): return sys._MEIPASS else: temp = os.getcwd() os.chdir('..') reload(locator) lib_file = resource_filename('locator', 'resource.py') full_dir = os.path.split(lib_file)[0] ind = full_dir.rfind(os.sep) lib_dir = full_dir[:ind + 1] lib_dir = os.path.realpath(os.path.join(lib_dir, 'pmagpy')) os.chdir(temp) if not os.path.isfile(os.path.join(lib_dir, 'pmag.py')): lib_dir = os.getcwd() fname = os.path.join(lib_dir, 'pmag.py') if not os.path.isfile(fname): pmag_dir = os.path.split(os.path.split(__file__)[0])[0] if os.path.isfile(os.path.join(pmag_dir, 'pmagpy', 'pmag.py')): return pmag_dir else: print( '-W- Can\'t find the data model! Make sure you have installed pmagpy using pip: "pip install pmagpy --upgrade"' ) return '.' if lib_dir.endswith(os.sep): lib_dir = lib_dir[:-1] if lib_dir.endswith('pmagpy'): pmag_dir = os.path.split(lib_dir)[0] else: pmag_dir = lib_dir return pmag_dir
get_pmag_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n try:\n return os.environ['RESOURCEPATH']\n except KeyError:\n pass\n if os.path.isfile(os.path.join(os.getcwd(), 'pmagpy', 'pmag.py')):\n lib_dir = os.path.join(os.getcwd(), 'pmagpy')\n elif getattr(sys, 'frozen', False):\n return sys._MEIPASS\n else:\n temp = os.getcwd()\n os.chdir('..')\n reload(locator)\n lib_file = resource_filename('locator', 'resource.py')\n full_dir = os.path.split(lib_file)[0]\n ind = full_dir.rfind(os.sep)\n lib_dir = full_dir[:ind + 1]\n lib_dir = os.path.realpath(os.path.join(lib_dir, 'pmagpy'))\n os.chdir(temp)\n if not os.path.isfile(os.path.join(lib_dir, 'pmag.py')):\n lib_dir = os.getcwd()\n fname = os.path.join(lib_dir, 'pmag.py')\n if not os.path.isfile(fname):\n pmag_dir = os.path.split(os.path.split(__file__)[0])[0]\n if os.path.isfile(os.path.join(pmag_dir, 'pmagpy', 'pmag.py')):\n return pmag_dir\n else:\n print(\n '-W- Can\\'t find the data model! Make sure you have installed pmagpy using pip: \"pip install pmagpy --upgrade\"'\n )\n return '.'\n if lib_dir.endswith(os.sep):\n lib_dir = lib_dir[:-1]\n if lib_dir.endswith('pmagpy'):\n pmag_dir = os.path.split(lib_dir)[0]\n else:\n pmag_dir = lib_dir\n return pmag_dir\n", "role": "user" }, { "content": "get_pmag_dir", "role": "assistant" } ]
def x(): cmap = 'RdYlBu' date = 2016.0 if not Basemap: print( '-W- Cannot access the Basemap module, which is required to run plot_magmap.py' ) sys.exit() dir_path = '.' lincr = 1 if '-WD' in sys.argv: ind = sys.argv.index('-WD') dir_path = sys.argv[ind + 1] if '-h' in sys.argv: print(main.__doc__) sys.exit() if '-fmt' in sys.argv: ind = sys.argv.index('-fmt') fmt = sys.argv[ind + 1] if fmt == 'jpg': print('jpg not a supported option') print(main.__doc__) sys.exit() else: fmt = 'png' if '-cm' in sys.argv: ind = sys.argv.index('-cm') cmap = sys.argv[ind + 1] if '-el' in sys.argv: ind = sys.argv.index('-el') el = sys.argv[ind + 1] else: el = 'B' if '-alt' in sys.argv: ind = sys.argv.index('-alt') alt = sys.argv[ind + 1] else: alt = 0 if '-lon0' in sys.argv: ind = sys.argv.index('-lon0') lon_0 = float(sys.argv[ind + 1]) else: lon_0 = 0 if '-mod' in sys.argv: ind = sys.argv.index('-mod') mod = sys.argv[ind + 1] ghfile = '' elif '-f' in sys.argv: ind = sys.argv.index('-f') ghfile = sys.argv[ind + 1] mod = 'custom' date = '' else: mod, ghfile = 'cals10k', '' if '-age' in sys.argv: ind = sys.argv.index('-age') date = float(sys.argv[ind + 1]) if '-alt' in sys.argv: ind = sys.argv.index('-alt') alt = float(sys.argv[ind + 1]) else: alt = 0 save = pmag.get_flag_arg_from_sys('-sav') if mod == 'custom': d = 'Custom' else: d = str(date) Ds, Is, Bs, Brs, lons, lats = pmag.do_mag_map(date, mod=mod, lon_0= lon_0, alt=alt, file=ghfile) if el == 'D': element = Ds elif el == 'I': element = Is elif el == 'B': element = Bs elif el == 'Br': element = Brs elif el == 'I': element = Is else: print(main.__doc__) sys.exit() pmagplotlib.plot_mag_map(1, element, lons, lats, el, lon_0=0, date=date) if not save: pmagplotlib.draw_figs({'map': 1}) res = pmagplotlib.save_or_quit() if res == 'a': figname = 'igrf' + d + '.' + fmt print('1 saved in ', figname) plt.savefig('igrf' + d + '.' + fmt) sys.exit() plt.savefig('igrf' + d + '.' + fmt) print('Figure saved as: ', 'igrf' + d + '.' + fmt)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n cmap = 'RdYlBu'\n date = 2016.0\n if not Basemap:\n print(\n '-W- Cannot access the Basemap module, which is required to run plot_magmap.py'\n )\n sys.exit()\n dir_path = '.'\n lincr = 1\n if '-WD' in sys.argv:\n ind = sys.argv.index('-WD')\n dir_path = sys.argv[ind + 1]\n if '-h' in sys.argv:\n print(main.__doc__)\n sys.exit()\n if '-fmt' in sys.argv:\n ind = sys.argv.index('-fmt')\n fmt = sys.argv[ind + 1]\n if fmt == 'jpg':\n print('jpg not a supported option')\n print(main.__doc__)\n sys.exit()\n else:\n fmt = 'png'\n if '-cm' in sys.argv:\n ind = sys.argv.index('-cm')\n cmap = sys.argv[ind + 1]\n if '-el' in sys.argv:\n ind = sys.argv.index('-el')\n el = sys.argv[ind + 1]\n else:\n el = 'B'\n if '-alt' in sys.argv:\n ind = sys.argv.index('-alt')\n alt = sys.argv[ind + 1]\n else:\n alt = 0\n if '-lon0' in sys.argv:\n ind = sys.argv.index('-lon0')\n lon_0 = float(sys.argv[ind + 1])\n else:\n lon_0 = 0\n if '-mod' in sys.argv:\n ind = sys.argv.index('-mod')\n mod = sys.argv[ind + 1]\n ghfile = ''\n elif '-f' in sys.argv:\n ind = sys.argv.index('-f')\n ghfile = sys.argv[ind + 1]\n mod = 'custom'\n date = ''\n else:\n mod, ghfile = 'cals10k', ''\n if '-age' in sys.argv:\n ind = sys.argv.index('-age')\n date = float(sys.argv[ind + 1])\n if '-alt' in sys.argv:\n ind = sys.argv.index('-alt')\n alt = float(sys.argv[ind + 1])\n else:\n alt = 0\n save = pmag.get_flag_arg_from_sys('-sav')\n if mod == 'custom':\n d = 'Custom'\n else:\n d = str(date)\n Ds, Is, Bs, Brs, lons, lats = pmag.do_mag_map(date, mod=mod, lon_0=\n lon_0, alt=alt, file=ghfile)\n if el == 'D':\n element = Ds\n elif el == 'I':\n element = Is\n elif el == 'B':\n element = Bs\n elif el == 'Br':\n element = Brs\n elif el == 'I':\n element = Is\n else:\n print(main.__doc__)\n sys.exit()\n pmagplotlib.plot_mag_map(1, element, lons, lats, el, lon_0=0, date=date)\n if not save:\n pmagplotlib.draw_figs({'map': 1})\n res = pmagplotlib.save_or_quit()\n if res == 'a':\n figname = 'igrf' + d + '.' + fmt\n print('1 saved in ', figname)\n plt.savefig('igrf' + d + '.' + fmt)\n sys.exit()\n plt.savefig('igrf' + d + '.' + fmt)\n print('Figure saved as: ', 'igrf' + d + '.' + fmt)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): args = sys.argv if '-h' in args: print(main.__doc__) sys.exit() verbose = pmagplotlib.verbose dir_path = pmag.get_named_arg('-WD', '.') input_dir_path = pmag.get_named_arg('-ID', '') num_bootstraps = pmag.get_named_arg('-n', 1000) ipar = pmag.get_flag_arg_from_sys('-par', true=1, false=0) ihext = pmag.get_flag_arg_from_sys('-x', true=1, false=0) ivec = pmag.get_flag_arg_from_sys('-v', true=1, false=0) iplot = pmag.get_flag_arg_from_sys('-P', true=0, false=1) isite = pmag.get_flag_arg_from_sys('-sit', true=1, false=0) iboot, vec = 1, 0 infile = pmag.get_named_arg('-f', 'specimens.txt') samp_file = pmag.get_named_arg('-fsa', 'samples.txt') site_file = pmag.get_named_arg('-fsi', 'sites.txt') fmt = pmag.get_named_arg('-fmt', 'png') crd = pmag.get_named_arg('-crd', 's') comp, Dir, PDir = 0, [], [] user = pmag.get_named_arg('-usr', '') if '-B' in args: iboot, ihext = 0, 1 plots, verbose = 0, True if '-sav' in args: plots = 1 verbose = 0 if '-gtc' in args: ind = args.index('-gtc') d, i = float(args[ind + 1]), float(args[ind + 2]) PDir.append(d) PDir.append(i) if '-d' in args: comp = 1 ind = args.index('-d') vec = int(args[ind + 1]) - 1 Dir = [float(args[ind + 2]), float(args[ind + 3])] ipmag.aniso_magic(infile=infile, samp_file=samp_file, site_file= site_file, ipar=ipar, ihext=ihext, ivec=ivec, iplot=iplot, isite= isite, iboot=iboot, vec=vec, Dir=Dir, PDir=PDir, comp=comp, user= user, fmt=fmt, crd=crd, verbose=verbose, plots=plots, num_bootstraps=num_bootstraps, dir_path=dir_path, input_dir_path= input_dir_path)
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 verbose = pmagplotlib.verbose\n dir_path = pmag.get_named_arg('-WD', '.')\n input_dir_path = pmag.get_named_arg('-ID', '')\n num_bootstraps = pmag.get_named_arg('-n', 1000)\n ipar = pmag.get_flag_arg_from_sys('-par', true=1, false=0)\n ihext = pmag.get_flag_arg_from_sys('-x', true=1, false=0)\n ivec = pmag.get_flag_arg_from_sys('-v', true=1, false=0)\n iplot = pmag.get_flag_arg_from_sys('-P', true=0, false=1)\n isite = pmag.get_flag_arg_from_sys('-sit', true=1, false=0)\n iboot, vec = 1, 0\n infile = pmag.get_named_arg('-f', 'specimens.txt')\n samp_file = pmag.get_named_arg('-fsa', 'samples.txt')\n site_file = pmag.get_named_arg('-fsi', 'sites.txt')\n fmt = pmag.get_named_arg('-fmt', 'png')\n crd = pmag.get_named_arg('-crd', 's')\n comp, Dir, PDir = 0, [], []\n user = pmag.get_named_arg('-usr', '')\n if '-B' in args:\n iboot, ihext = 0, 1\n plots, verbose = 0, True\n if '-sav' in args:\n plots = 1\n verbose = 0\n if '-gtc' in args:\n ind = args.index('-gtc')\n d, i = float(args[ind + 1]), float(args[ind + 2])\n PDir.append(d)\n PDir.append(i)\n if '-d' in args:\n comp = 1\n ind = args.index('-d')\n vec = int(args[ind + 1]) - 1\n Dir = [float(args[ind + 2]), float(args[ind + 3])]\n ipmag.aniso_magic(infile=infile, samp_file=samp_file, site_file=\n site_file, ipar=ipar, ihext=ihext, ivec=ivec, iplot=iplot, isite=\n isite, iboot=iboot, vec=vec, Dir=Dir, PDir=PDir, comp=comp, user=\n user, fmt=fmt, crd=crd, verbose=verbose, plots=plots,\n num_bootstraps=num_bootstraps, dir_path=dir_path, input_dir_path=\n input_dir_path)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): args = sys.argv if '-h' in args: print(new.__doc__) return dir_path = pmag.get_named_arg('-WD', '.') if '-ID' in args and dir_path == '.': dir_path = pmag.get_named_arg('-ID', '.') iboot, vec = 1, 0 num_bootstraps = pmag.get_named_arg('-n', 1000) ipar = pmag.get_flag_arg_from_sys('-par', true=1, false=0) ihext = pmag.get_flag_arg_from_sys('-x', true=1, false=0) ivec = pmag.get_flag_arg_from_sys('-v', true=1, false=0) if ivec: vec = 3 isite = pmag.get_flag_arg_from_sys('-sit', true=1, false=0) infile = pmag.get_named_arg('-f', 'specimens.txt') samp_file = pmag.get_named_arg('-fsa', 'samples.txt') site_file = pmag.get_named_arg('-fsi', 'sites.txt') fmt = pmag.get_named_arg('-fmt', 'png') crd = pmag.get_named_arg('-crd', 's') comp, Dir, PDir = 0, [], [] user = pmag.get_named_arg('-usr', '') if '-B' in args: iboot, ihext = 0, 1 save_plots, verbose, interactive = False, True, True if '-sav' in args: save_plots = True verbose = False interactive = False if '-gtc' in args: ind = args.index('-gtc') d, i = float(args[ind + 1]), float(args[ind + 2]) PDir.append(d) PDir.append(i) if '-d' in args: comp = 1 ind = args.index('-d') vec = int(args[ind + 1]) - 1 Dir = [float(args[ind + 2]), float(args[ind + 3])] ipmag.aniso_magic_nb(infile, samp_file, site_file, verbose, ipar, ihext, ivec, isite, False, iboot, vec, Dir, PDir, crd, num_bootstraps, dir_path, save_plots=save_plots, interactive=interactive, fmt=fmt)
new
[ { "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(new.__doc__)\n return\n dir_path = pmag.get_named_arg('-WD', '.')\n if '-ID' in args and dir_path == '.':\n dir_path = pmag.get_named_arg('-ID', '.')\n iboot, vec = 1, 0\n num_bootstraps = pmag.get_named_arg('-n', 1000)\n ipar = pmag.get_flag_arg_from_sys('-par', true=1, false=0)\n ihext = pmag.get_flag_arg_from_sys('-x', true=1, false=0)\n ivec = pmag.get_flag_arg_from_sys('-v', true=1, false=0)\n if ivec:\n vec = 3\n isite = pmag.get_flag_arg_from_sys('-sit', true=1, false=0)\n infile = pmag.get_named_arg('-f', 'specimens.txt')\n samp_file = pmag.get_named_arg('-fsa', 'samples.txt')\n site_file = pmag.get_named_arg('-fsi', 'sites.txt')\n fmt = pmag.get_named_arg('-fmt', 'png')\n crd = pmag.get_named_arg('-crd', 's')\n comp, Dir, PDir = 0, [], []\n user = pmag.get_named_arg('-usr', '')\n if '-B' in args:\n iboot, ihext = 0, 1\n save_plots, verbose, interactive = False, True, True\n if '-sav' in args:\n save_plots = True\n verbose = False\n interactive = False\n if '-gtc' in args:\n ind = args.index('-gtc')\n d, i = float(args[ind + 1]), float(args[ind + 2])\n PDir.append(d)\n PDir.append(i)\n if '-d' in args:\n comp = 1\n ind = args.index('-d')\n vec = int(args[ind + 1]) - 1\n Dir = [float(args[ind + 2]), float(args[ind + 3])]\n ipmag.aniso_magic_nb(infile, samp_file, site_file, verbose, ipar, ihext,\n ivec, isite, False, iboot, vec, Dir, PDir, crd, num_bootstraps,\n dir_path, save_plots=save_plots, interactive=interactive, fmt=fmt)\n", "role": "user" }, { "content": "new", "role": "assistant" } ]
def x(): coord, kappa, cutoff, n = 0, 0, 180.0, 0 nb, anti, spin, v, boot = 1000, 0, 0, 0, 0 data_model = 3 rev = 0 if '-dm' in sys.argv: ind = sys.argv.index('-dm') data_model = int(sys.argv[ind + 1]) if data_model == 2: coord_key = 'tilt_correction' in_file = 'pmag_results.txt' k_key, n_key, lat_key = 'average_k', 'average_nn', 'average_lat' else: coord_key = 'dir_tilt_correction' in_file = 'sites.txt' k_key, n_key, lat_key = 'dir_k', 'dir_n_samples`', 'lat' if '-h' in sys.argv: print(main.__doc__) sys.exit() if '-f' in sys.argv: ind = sys.argv.index('-f') in_file = sys.argv[ind + 1] vgp_df = pd.read_csv(in_file, sep='\t', header=1) else: vgp_df = pd.read_csv(sys.stdin, sep='\t', header=1) if '-c' in sys.argv: ind = sys.argv.index('-c') cutoff = float(sys.argv[ind + 1]) if '-k' in sys.argv: ind = sys.argv.index('-k') kappa = float(sys.argv[ind + 1]) if '-n' in sys.argv: ind = sys.argv.index('-n') n = float(sys.argv[ind + 1]) if '-crd' in sys.argv: ind = sys.argv.index('-crd') coord = sys.argv[ind + 1] if coord == 's': coord = -1 if coord == 'g': coord = 0 if coord == 't': coord = 100 if '-a' in sys.argv: anti = 1 if '-r' in sys.argv: rev = 1 if '-p' in sys.argv: spin = 1 if '-v' in sys.argv: v = 1 if '-b' in sys.argv: boot = 1 if '-mm97' in sys.argv: mm97 = 1 else: mm97 = 0 vgp_df.dropna(subset=['vgp_lat', 'vgp_lon']) keys = [coord_key, k_key, n_key, lat_key] for key in keys: if key not in vgp_df.columns: vgp_df[key] = 0 vgp_df = vgp_df[vgp_df[coord_key] == coord] if data_model != 3: vgp_df['dir_k'] = vgp_df[k_key] vgp_df['dir_n_samples'] = vgp_df[n_key] vgp_df['lat'] = vgp_df[lat_key] N, S_B, low, high, cutoff = pmag.scalc_vgp_df(vgp_df, anti=anti, rev= rev, cutoff=cutoff, kappa=kappa, n=n, spin=spin, v=v, boot=boot, mm97=mm97) if high != 0: print(N, '%7.1f %7.1f %7.1f %7.1f ' % (S_B, low, high, cutoff)) else: print(N, '%7.1f %7.1f ' % (S_B, cutoff))
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n coord, kappa, cutoff, n = 0, 0, 180.0, 0\n nb, anti, spin, v, boot = 1000, 0, 0, 0, 0\n data_model = 3\n rev = 0\n if '-dm' in sys.argv:\n ind = sys.argv.index('-dm')\n data_model = int(sys.argv[ind + 1])\n if data_model == 2:\n coord_key = 'tilt_correction'\n in_file = 'pmag_results.txt'\n k_key, n_key, lat_key = 'average_k', 'average_nn', 'average_lat'\n else:\n coord_key = 'dir_tilt_correction'\n in_file = 'sites.txt'\n k_key, n_key, lat_key = 'dir_k', 'dir_n_samples`', 'lat'\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 in_file = sys.argv[ind + 1]\n vgp_df = pd.read_csv(in_file, sep='\\t', header=1)\n else:\n vgp_df = pd.read_csv(sys.stdin, sep='\\t', header=1)\n if '-c' in sys.argv:\n ind = sys.argv.index('-c')\n cutoff = float(sys.argv[ind + 1])\n if '-k' in sys.argv:\n ind = sys.argv.index('-k')\n kappa = float(sys.argv[ind + 1])\n if '-n' in sys.argv:\n ind = sys.argv.index('-n')\n n = float(sys.argv[ind + 1])\n if '-crd' in sys.argv:\n ind = sys.argv.index('-crd')\n coord = sys.argv[ind + 1]\n if coord == 's':\n coord = -1\n if coord == 'g':\n coord = 0\n if coord == 't':\n coord = 100\n if '-a' in sys.argv:\n anti = 1\n if '-r' in sys.argv:\n rev = 1\n if '-p' in sys.argv:\n spin = 1\n if '-v' in sys.argv:\n v = 1\n if '-b' in sys.argv:\n boot = 1\n if '-mm97' in sys.argv:\n mm97 = 1\n else:\n mm97 = 0\n vgp_df.dropna(subset=['vgp_lat', 'vgp_lon'])\n keys = [coord_key, k_key, n_key, lat_key]\n for key in keys:\n if key not in vgp_df.columns:\n vgp_df[key] = 0\n vgp_df = vgp_df[vgp_df[coord_key] == coord]\n if data_model != 3:\n vgp_df['dir_k'] = vgp_df[k_key]\n vgp_df['dir_n_samples'] = vgp_df[n_key]\n vgp_df['lat'] = vgp_df[lat_key]\n N, S_B, low, high, cutoff = pmag.scalc_vgp_df(vgp_df, anti=anti, rev=\n rev, cutoff=cutoff, kappa=kappa, n=n, spin=spin, v=v, boot=boot,\n mm97=mm97)\n if high != 0:\n print(N, '%7.1f %7.1f %7.1f %7.1f ' % (S_B, low, high, cutoff))\n else:\n print(N, '%7.1f %7.1f ' % (S_B, cutoff))\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): dir_path = './' if '-WD' in sys.argv: ind = sys.argv.index('-WD') dir_path = sys.argv[ind + 1] if '-h' in sys.argv: print(main.__doc__) sys.exit() if '-f' in sys.argv: ind = sys.argv.index('-f') magic_file = dir_path + '/' + sys.argv[ind + 1] else: print(main.__doc__) sys.exit() if '-xkey' in sys.argv: ind = sys.argv.index('-xkey') xkey = sys.argv[ind + 1] if '-ykey' in sys.argv: ind = sys.argv.index('-ykey') ykey = sys.argv[ind + 1] else: print(main.__doc__) sys.exit() if '-b' in sys.argv: ind = sys.argv.index('-b') xmin = float(sys.argv[ind + 1]) xmax = float(sys.argv[ind + 2]) ymin = float(sys.argv[ind + 3]) ymax = float(sys.argv[ind + 4]) X, Y = [], [] Data, file_type = pmag.magic_read(magic_file) if len(Data) > 0: for rec in Data: if xkey in list(rec.keys()) and rec[xkey] != '' and ykey in list( rec.keys()) and rec[ykey] != '': try: X.append(float(rec[xkey])) Y.append(float(rec[ykey])) except: pass FIG = {'fig': 1} pmagplotlib.plot_init(FIG['fig'], 5, 5) if '-b' in sys.argv: pmagplotlib.plot_xy(FIG['fig'], X, Y, sym='ro', xlab=xkey, ylab =ykey, xmin=xmin, xmax=xmax, ymin=ymin, ymax=ymax) else: pmagplotlib.plot_xy(FIG['fig'], X, Y, sym='ro', xlab=xkey, ylab =ykey) pmagplotlib.draw_figs(FIG) ans = input(' S[a]ve to save plot, [q]uit, Return to continue: ') if ans == 'q': sys.exit() if ans == 'a': files = {} for key in list(FIG.keys()): files[key] = str(key) + '.svg' pmagplotlib.save_plots(FIG, files) sys.exit() else: print('no data to plot')
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n dir_path = './'\n if '-WD' in sys.argv:\n ind = sys.argv.index('-WD')\n dir_path = sys.argv[ind + 1]\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 magic_file = dir_path + '/' + sys.argv[ind + 1]\n else:\n print(main.__doc__)\n sys.exit()\n if '-xkey' in sys.argv:\n ind = sys.argv.index('-xkey')\n xkey = sys.argv[ind + 1]\n if '-ykey' in sys.argv:\n ind = sys.argv.index('-ykey')\n ykey = sys.argv[ind + 1]\n else:\n print(main.__doc__)\n sys.exit()\n if '-b' in sys.argv:\n ind = sys.argv.index('-b')\n xmin = float(sys.argv[ind + 1])\n xmax = float(sys.argv[ind + 2])\n ymin = float(sys.argv[ind + 3])\n ymax = float(sys.argv[ind + 4])\n X, Y = [], []\n Data, file_type = pmag.magic_read(magic_file)\n if len(Data) > 0:\n for rec in Data:\n if xkey in list(rec.keys()) and rec[xkey] != '' and ykey in list(\n rec.keys()) and rec[ykey] != '':\n try:\n X.append(float(rec[xkey]))\n Y.append(float(rec[ykey]))\n except:\n pass\n FIG = {'fig': 1}\n pmagplotlib.plot_init(FIG['fig'], 5, 5)\n if '-b' in sys.argv:\n pmagplotlib.plot_xy(FIG['fig'], X, Y, sym='ro', xlab=xkey, ylab\n =ykey, xmin=xmin, xmax=xmax, ymin=ymin, ymax=ymax)\n else:\n pmagplotlib.plot_xy(FIG['fig'], X, Y, sym='ro', xlab=xkey, ylab\n =ykey)\n pmagplotlib.draw_figs(FIG)\n ans = input(' S[a]ve to save plot, [q]uit, Return to continue: ')\n if ans == 'q':\n sys.exit()\n if ans == 'a':\n files = {}\n for key in list(FIG.keys()):\n files[key] = str(key) + '.svg'\n pmagplotlib.save_plots(FIG, files)\n sys.exit()\n else:\n print('no data to plot')\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): title = '' files, fmt = {}, 'svg' sym = {'lower': ['o', 'r'], 'upper': ['o', 'w']} plot = 0 if '-h' in sys.argv: print(main.__doc__) sys.exit() if '-sav' in sys.argv: plot = 1 if '-fmt' in sys.argv: ind = sys.argv.index('-fmt') fmt = sys.argv[ind + 1] if '-s' in sys.argv: ind = sys.argv.index('-s') sym['size'] = int(sys.argv[ind + 1]) else: sym['size'] = 20 if '-Lsym' in sys.argv: ind = sys.argv.index('-Lsym') sym['lower'][0] = sys.argv[ind + 1] sym['lower'][1] = sys.argv[ind + 2] if '-Usym' in sys.argv: ind = sys.argv.index('-Usym') sym['upper'][0] = sys.argv[ind + 1] sym['upper'][1] = sys.argv[ind + 2] if '-f' in sys.argv: ind = sys.argv.index('-f') fname = sys.argv[ind + 1] else: print(main.__doc__) print(' \n -f option required') sys.exit() DI = numpy.loadtxt(fname) EQ = {'eq': 1} pmagplotlib.plot_init(EQ['eq'], 5, 5) pmagplotlib.plot_eq_sym(EQ['eq'], DI, 'Equal Area Plot', sym) if plot == 0: pmagplotlib.draw_figs(EQ) for key in list(EQ.keys()): files[key] = key + '.' + fmt if pmagplotlib.isServer: black = '#000000' purple = '#800080' titles = {} titles['eq'] = 'Equal Area Plot' EQ = pmagplotlib.add_borders(EQ, titles, black, purple) pmagplotlib.save_plots(EQ, files) elif plot == 1: fname = os.path.split(fname)[1].split('.')[0] files['eq'] = fname + '_eq.' + fmt pmagplotlib.save_plots(EQ, files) else: ans = input(' S[a]ve to save plot, [q]uit without saving: ') if ans == 'a': pmagplotlib.save_plots(EQ, files)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n title = ''\n files, fmt = {}, 'svg'\n sym = {'lower': ['o', 'r'], 'upper': ['o', 'w']}\n plot = 0\n if '-h' in sys.argv:\n print(main.__doc__)\n sys.exit()\n if '-sav' in sys.argv:\n plot = 1\n if '-fmt' in sys.argv:\n ind = sys.argv.index('-fmt')\n fmt = sys.argv[ind + 1]\n if '-s' in sys.argv:\n ind = sys.argv.index('-s')\n sym['size'] = int(sys.argv[ind + 1])\n else:\n sym['size'] = 20\n if '-Lsym' in sys.argv:\n ind = sys.argv.index('-Lsym')\n sym['lower'][0] = sys.argv[ind + 1]\n sym['lower'][1] = sys.argv[ind + 2]\n if '-Usym' in sys.argv:\n ind = sys.argv.index('-Usym')\n sym['upper'][0] = sys.argv[ind + 1]\n sym['upper'][1] = sys.argv[ind + 2]\n if '-f' in sys.argv:\n ind = sys.argv.index('-f')\n fname = sys.argv[ind + 1]\n else:\n print(main.__doc__)\n print(' \\n -f option required')\n sys.exit()\n DI = numpy.loadtxt(fname)\n EQ = {'eq': 1}\n pmagplotlib.plot_init(EQ['eq'], 5, 5)\n pmagplotlib.plot_eq_sym(EQ['eq'], DI, 'Equal Area Plot', sym)\n if plot == 0:\n pmagplotlib.draw_figs(EQ)\n for key in list(EQ.keys()):\n files[key] = key + '.' + fmt\n if pmagplotlib.isServer:\n black = '#000000'\n purple = '#800080'\n titles = {}\n titles['eq'] = 'Equal Area Plot'\n EQ = pmagplotlib.add_borders(EQ, titles, black, purple)\n pmagplotlib.save_plots(EQ, files)\n elif plot == 1:\n fname = os.path.split(fname)[1].split('.')[0]\n files['eq'] = fname + '_eq.' + fmt\n pmagplotlib.save_plots(EQ, files)\n else:\n ans = input(' S[a]ve to save plot, [q]uit without saving: ')\n if ans == 'a':\n pmagplotlib.save_plots(EQ, files)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): fmt, nb = 'svg', 1000 plot = 0 if '-h' in sys.argv: print(main.__doc__) sys.exit() elif '-f' in sys.argv: ind = sys.argv.index('-f') file = sys.argv[ind + 1] else: print(main.__doc__) sys.exit() if '-n' in sys.argv: ind = sys.argv.index('-n') nb = int(sys.argv[ind + 1]) if '-sc' in sys.argv: site_correction = True else: site_correction = False if '-fmt' in sys.argv: ind = sys.argv.index('-fmt') fmt = sys.argv[ind + 1] if '-sav' in sys.argv: plot = 1 data = numpy.loadtxt(file) upper, lower = int(round(0.975 * nb)), int(round(0.025 * nb)) E, I = [], [] PLTS = {'eq': 1, 'ei': 2, 'cdf': 3, 'v2': 4} pmagplotlib.plot_init(PLTS['eq'], 6, 6) pmagplotlib.plot_init(PLTS['ei'], 5, 5) pmagplotlib.plot_init(PLTS['cdf'], 5, 5) pmagplotlib.plot_init(PLTS['v2'], 5, 5) pmagplotlib.plot_eq(PLTS['eq'], data, 'Data') ppars = pmag.doprinc(data) Io = ppars['inc'] n = ppars['N'] Es, Is, Fs, V2s = pmag.find_f(data) if site_correction: Inc, Elong = Is[Es.index(min(Es))], Es[Es.index(min(Es))] flat_f = Fs[Es.index(min(Es))] else: Inc, Elong = Is[-1], Es[-1] flat_f = Fs[-1] pmagplotlib.plot_ei(PLTS['ei'], Es, Is, flat_f) pmagplotlib.plot_v2s(PLTS['v2'], V2s, Is, flat_f) b = 0 print('Bootstrapping.... be patient') while b < nb: bdata = pmag.pseudo(data) Esb, Isb, Fsb, V2sb = pmag.find_f(bdata) if b < 25: pmagplotlib.plot_ei(PLTS['ei'], Esb, Isb, Fsb[-1]) if Esb[-1] != 0: ppars = pmag.doprinc(bdata) if site_correction: I.append(abs(Isb[Esb.index(min(Esb))])) E.append(Esb[Esb.index(min(Esb))]) else: I.append(abs(Isb[-1])) E.append(Esb[-1]) b += 1 if b % 25 == 0: print(b, ' out of ', nb) I.sort() E.sort() Eexp = [] for i in I: Eexp.append(pmag.EI(i)) if Inc == 0: title = 'Pathological Distribution: ' + '[%7.1f, %7.1f]' % (I[lower ], I[upper]) else: title = '%7.1f [%7.1f, %7.1f]' % (Inc, I[lower], I[upper]) pmagplotlib.plot_ei(PLTS['ei'], Eexp, I, 1) pmagplotlib.plot_cdf(PLTS['cdf'], I, 'Inclinations', 'r', title) pmagplotlib.plot_vs(PLTS['cdf'], [I[lower], I[upper]], 'b', '--') pmagplotlib.plot_vs(PLTS['cdf'], [Inc], 'g', '-') pmagplotlib.plot_vs(PLTS['cdf'], [Io], 'k', '-') if plot == 0: print('%7.1f %s %7.1f _ %7.1f ^ %7.1f: %6.4f _ %6.4f ^ %6.4f' % ( Io, ' => ', Inc, I[lower], I[upper], Elong, E[lower], E[upper])) print('Io Inc I_lower, I_upper, Elon, E_lower, E_upper') pmagplotlib.draw_figs(PLTS) ans = '' while ans not in ['q', 'a']: ans = input('S[a]ve plots - <q> to quit: ') if ans == 'q': print('\n Good bye\n') sys.exit() files = {} files['eq'] = 'findEI_eq.' + fmt files['ei'] = 'findEI_ei.' + fmt files['cdf'] = 'findEI_cdf.' + fmt files['v2'] = 'findEI_v2.' + fmt pmagplotlib.save_plots(PLTS, files)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n fmt, nb = 'svg', 1000\n plot = 0\n if '-h' in sys.argv:\n print(main.__doc__)\n sys.exit()\n elif '-f' in sys.argv:\n ind = sys.argv.index('-f')\n file = sys.argv[ind + 1]\n else:\n print(main.__doc__)\n sys.exit()\n if '-n' in sys.argv:\n ind = sys.argv.index('-n')\n nb = int(sys.argv[ind + 1])\n if '-sc' in sys.argv:\n site_correction = True\n else:\n site_correction = False\n if '-fmt' in sys.argv:\n ind = sys.argv.index('-fmt')\n fmt = sys.argv[ind + 1]\n if '-sav' in sys.argv:\n plot = 1\n data = numpy.loadtxt(file)\n upper, lower = int(round(0.975 * nb)), int(round(0.025 * nb))\n E, I = [], []\n PLTS = {'eq': 1, 'ei': 2, 'cdf': 3, 'v2': 4}\n pmagplotlib.plot_init(PLTS['eq'], 6, 6)\n pmagplotlib.plot_init(PLTS['ei'], 5, 5)\n pmagplotlib.plot_init(PLTS['cdf'], 5, 5)\n pmagplotlib.plot_init(PLTS['v2'], 5, 5)\n pmagplotlib.plot_eq(PLTS['eq'], data, 'Data')\n ppars = pmag.doprinc(data)\n Io = ppars['inc']\n n = ppars['N']\n Es, Is, Fs, V2s = pmag.find_f(data)\n if site_correction:\n Inc, Elong = Is[Es.index(min(Es))], Es[Es.index(min(Es))]\n flat_f = Fs[Es.index(min(Es))]\n else:\n Inc, Elong = Is[-1], Es[-1]\n flat_f = Fs[-1]\n pmagplotlib.plot_ei(PLTS['ei'], Es, Is, flat_f)\n pmagplotlib.plot_v2s(PLTS['v2'], V2s, Is, flat_f)\n b = 0\n print('Bootstrapping.... be patient')\n while b < nb:\n bdata = pmag.pseudo(data)\n Esb, Isb, Fsb, V2sb = pmag.find_f(bdata)\n if b < 25:\n pmagplotlib.plot_ei(PLTS['ei'], Esb, Isb, Fsb[-1])\n if Esb[-1] != 0:\n ppars = pmag.doprinc(bdata)\n if site_correction:\n I.append(abs(Isb[Esb.index(min(Esb))]))\n E.append(Esb[Esb.index(min(Esb))])\n else:\n I.append(abs(Isb[-1]))\n E.append(Esb[-1])\n b += 1\n if b % 25 == 0:\n print(b, ' out of ', nb)\n I.sort()\n E.sort()\n Eexp = []\n for i in I:\n Eexp.append(pmag.EI(i))\n if Inc == 0:\n title = 'Pathological Distribution: ' + '[%7.1f, %7.1f]' % (I[lower\n ], I[upper])\n else:\n title = '%7.1f [%7.1f, %7.1f]' % (Inc, I[lower], I[upper])\n pmagplotlib.plot_ei(PLTS['ei'], Eexp, I, 1)\n pmagplotlib.plot_cdf(PLTS['cdf'], I, 'Inclinations', 'r', title)\n pmagplotlib.plot_vs(PLTS['cdf'], [I[lower], I[upper]], 'b', '--')\n pmagplotlib.plot_vs(PLTS['cdf'], [Inc], 'g', '-')\n pmagplotlib.plot_vs(PLTS['cdf'], [Io], 'k', '-')\n if plot == 0:\n print('%7.1f %s %7.1f _ %7.1f ^ %7.1f: %6.4f _ %6.4f ^ %6.4f' % (\n Io, ' => ', Inc, I[lower], I[upper], Elong, E[lower], E[upper]))\n print('Io Inc I_lower, I_upper, Elon, E_lower, E_upper')\n pmagplotlib.draw_figs(PLTS)\n ans = ''\n while ans not in ['q', 'a']:\n ans = input('S[a]ve plots - <q> to quit: ')\n if ans == 'q':\n print('\\n Good bye\\n')\n sys.exit()\n files = {}\n files['eq'] = 'findEI_eq.' + fmt\n files['ei'] = 'findEI_ei.' + fmt\n files['cdf'] = 'findEI_cdf.' + fmt\n files['v2'] = 'findEI_v2.' + fmt\n pmagplotlib.save_plots(PLTS, files)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self, event): currentDirectory = self.WD change_dir_dialog = wx.DirDialog(self.panel, 'Choose your working directory to create or edit a MagIC contribution:' , defaultPath=currentDirectory, style=wx.DD_DEFAULT_STYLE | wx. DD_NEW_DIR_BUTTON | wx.DD_CHANGE_DIR) result = change_dir_dialog.ShowModal() if result == wx.ID_CANCEL: return if result == wx.ID_OK: self.WD = change_dir_dialog.GetPath() self.dir_path.SetValue(self.WD) change_dir_dialog.Destroy() wait = wx.BusyInfo( 'Initializing data object in new directory, please wait...') wx.SafeYield() print('-I- Initializing magic data object') self.er_magic = builder.ErMagicBuilder(self.WD, self.er_magic.data_model) print('-I- Read in any available data from working directory') self.er_magic.get_all_magic_info() print('-I- Initializing headers') self.er_magic.init_default_headers() self.er_magic.init_actual_headers() del wait
on_change_dir_button
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n currentDirectory = self.WD\n change_dir_dialog = wx.DirDialog(self.panel,\n 'Choose your working directory to create or edit a MagIC contribution:'\n , defaultPath=currentDirectory, style=wx.DD_DEFAULT_STYLE | wx.\n DD_NEW_DIR_BUTTON | wx.DD_CHANGE_DIR)\n result = change_dir_dialog.ShowModal()\n if result == wx.ID_CANCEL:\n return\n if result == wx.ID_OK:\n self.WD = change_dir_dialog.GetPath()\n self.dir_path.SetValue(self.WD)\n change_dir_dialog.Destroy()\n wait = wx.BusyInfo(\n 'Initializing data object in new directory, please wait...')\n wx.SafeYield()\n print('-I- Initializing magic data object')\n self.er_magic = builder.ErMagicBuilder(self.WD, self.er_magic.data_model)\n print('-I- Read in any available data from working directory')\n self.er_magic.get_all_magic_info()\n print('-I- Initializing headers')\n self.er_magic.init_default_headers()\n self.er_magic.init_actual_headers()\n del wait\n", "role": "user" }, { "content": "on_change_dir_button", "role": "assistant" } ]
def x(self, event): if self.grid_frame: print('-I- You already have a grid frame open') pw.simple_warning('You already have a grid open') return try: grid_type = event.GetButtonObj().Name[:-4] except AttributeError: grid_type = self.FindWindowById(event.Id).Name[:-4] wait = wx.BusyInfo('Making {} grid, please wait...'.format(grid_type)) wx.SafeYield() self.on_open_grid_frame() self.grid_frame = grid_frame.GridFrame(self.er_magic, self.WD, grid_type, grid_type, self.panel) if self.validation_mode: if grid_type in self.validation_mode: self.grid_frame.grid.paint_invalid_cells(self.warn_dict[grid_type]) current_label = self.grid_frame.msg_text.GetLabel() add_text = """ Columns and rows with problem data have been highlighted in blue. Cells with problem data are highlighted with different colors according to the type of problem. Red: missing required data Green: missing or invalid parent Blue: non-numeric data provided in a numeric field Gray: unrecognized column Purple: invalid result child Yellow: Out-of-range latitude (should be -90 - 90) or longitude (should be 0-360) Light gray: Unrecognized term in controlled vocabulary Note: It is possible to have a row highlighted that has no highlighted column. This means that you are missing information higher up in the data. For example: a specimen could be missing a site name. However, you need to fix this in the sample grid, not the specimen grid. Once each item in the data has its proper parent, validations will be correct. """ self.grid_frame.msg_text.SetLabel(add_text) del wait
make_grid_frame
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n if self.grid_frame:\n print('-I- You already have a grid frame open')\n pw.simple_warning('You already have a grid open')\n return\n try:\n grid_type = event.GetButtonObj().Name[:-4]\n except AttributeError:\n grid_type = self.FindWindowById(event.Id).Name[:-4]\n wait = wx.BusyInfo('Making {} grid, please wait...'.format(grid_type))\n wx.SafeYield()\n self.on_open_grid_frame()\n self.grid_frame = grid_frame.GridFrame(self.er_magic, self.WD,\n grid_type, grid_type, self.panel)\n if self.validation_mode:\n if grid_type in self.validation_mode:\n self.grid_frame.grid.paint_invalid_cells(self.warn_dict[grid_type])\n current_label = self.grid_frame.msg_text.GetLabel()\n add_text = \"\"\"\n\nColumns and rows with problem data have been highlighted in blue.\nCells with problem data are highlighted with different colors according to the type of problem.\nRed: missing required data\nGreen: missing or invalid parent\nBlue: non-numeric data provided in a numeric field\nGray: unrecognized column\nPurple: invalid result child\nYellow: Out-of-range latitude (should be -90 - 90) or longitude (should be 0-360)\nLight gray: Unrecognized term in controlled vocabulary\n\nNote: It is possible to have a row highlighted that has no highlighted column.\nThis means that you are missing information higher up in the data.\nFor example: a specimen could be missing a site name.\nHowever, you need to fix this in the sample grid, not the specimen grid.\nOnce each item in the data has its proper parent, validations will be correct.\n\"\"\"\n self.grid_frame.msg_text.SetLabel(add_text)\n del wait\n", "role": "user" }, { "content": "make_grid_frame", "role": "assistant" } ]
def x(self, event): wait = wx.BusyInfo('Validating data, please wait...') wx.SafeYield() spec_warnings, samp_warnings, site_warnings, loc_warnings = (self. er_magic.validate_data()) result_warnings = self.er_magic.validate_results(self.er_magic.results) meas_warnings = self.er_magic.validate_measurements(self.er_magic. measurements) self.warn_dict = {'specimen': spec_warnings, 'sample': samp_warnings, 'site': site_warnings, 'location': loc_warnings, 'result': result_warnings, 'age': {}, 'measurement': meas_warnings} del wait wait = wx.BusyInfo('Making upload file, please wait...') wx.SafeYield() self.er_magic.write_files() upfile, error_message, errors = ipmag.upload_magic(dir_path=self.WD, data_model=self.data_model) del wait if upfile: text = ( """You are ready to upload. Your file: {} was generated in directory: {} Drag and drop this file in the MagIC database.""" .format(os.path.split(upfile)[1], self.WD)) dlg = wx.MessageDialog(self, caption='Saved', message=text, style=wx.OK ) else: text = ( """There were some problems with the creation of your upload file. Error message: {} See Terminal/Command Prompt for details""" .format(error_message)) dlg = wx.MessageDialog(self, caption='Error', message=text, style=wx.OK ) result = dlg.ShowModal() if result == wx.ID_OK: dlg.Destroy() self.edited = False if errors: for item_type in errors: for item_name in errors[item_type]: if item_name in self.warn_dict[item_type]: self.warn_dict[item_type][item_name].update(errors[ item_type][item_name]) else: self.warn_dict[item_type][item_name] = errors[item_type][ item_name] has_problems = [] for item_type, warnings in list(self.warn_dict.items()): if warnings: has_problems.append(item_type) if sys.platform in ['win32', 'win62']: pass else: for dtype in self.warn_dict: wind = self.FindWindowByName(dtype + '_btn') if wind: if dtype in has_problems: wind.Bind(wx.EVT_PAINT, self.highlight_button) else: wind.Unbind(wx.EVT_PAINT, handler=self.highlight_button) self.Refresh() if has_problems: self.validation_mode = set(has_problems) if sys.platform in ['win32', 'win62']: self.message.SetLabel( 'The following grid(s) have incorrect or incomplete data:\n{}' .format(', '.join(self.validation_mode))) else: self.message.SetLabel( 'Highlighted grids have incorrect or incomplete data') self.bSizer_msg.ShowItems(True) self.hbox.Fit(self) if not has_problems: self.validation_mode = set() self.message.SetLabel('') self.bSizer_msg.ShowItems(False) self.hbox.Fit(self)
on_upload_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n wait = wx.BusyInfo('Validating data, please wait...')\n wx.SafeYield()\n spec_warnings, samp_warnings, site_warnings, loc_warnings = (self.\n er_magic.validate_data())\n result_warnings = self.er_magic.validate_results(self.er_magic.results)\n meas_warnings = self.er_magic.validate_measurements(self.er_magic.\n measurements)\n self.warn_dict = {'specimen': spec_warnings, 'sample': samp_warnings,\n 'site': site_warnings, 'location': loc_warnings, 'result':\n result_warnings, 'age': {}, 'measurement': meas_warnings}\n del wait\n wait = wx.BusyInfo('Making upload file, please wait...')\n wx.SafeYield()\n self.er_magic.write_files()\n upfile, error_message, errors = ipmag.upload_magic(dir_path=self.WD,\n data_model=self.data_model)\n del wait\n if upfile:\n text = (\n \"\"\"You are ready to upload.\nYour file:\n{}\nwas generated in directory: \n{}\nDrag and drop this file in the MagIC database.\"\"\"\n .format(os.path.split(upfile)[1], self.WD))\n dlg = wx.MessageDialog(self, caption='Saved', message=text, style=wx.OK\n )\n else:\n text = (\n \"\"\"There were some problems with the creation of your upload file.\nError message: {}\nSee Terminal/Command Prompt for details\"\"\"\n .format(error_message))\n dlg = wx.MessageDialog(self, caption='Error', message=text, style=wx.OK\n )\n result = dlg.ShowModal()\n if result == wx.ID_OK:\n dlg.Destroy()\n self.edited = False\n if errors:\n for item_type in errors:\n for item_name in errors[item_type]:\n if item_name in self.warn_dict[item_type]:\n self.warn_dict[item_type][item_name].update(errors[\n item_type][item_name])\n else:\n self.warn_dict[item_type][item_name] = errors[item_type][\n item_name]\n has_problems = []\n for item_type, warnings in list(self.warn_dict.items()):\n if warnings:\n has_problems.append(item_type)\n if sys.platform in ['win32', 'win62']:\n pass\n else:\n for dtype in self.warn_dict:\n wind = self.FindWindowByName(dtype + '_btn')\n if wind:\n if dtype in has_problems:\n wind.Bind(wx.EVT_PAINT, self.highlight_button)\n else:\n wind.Unbind(wx.EVT_PAINT, handler=self.highlight_button)\n self.Refresh()\n if has_problems:\n self.validation_mode = set(has_problems)\n if sys.platform in ['win32', 'win62']:\n self.message.SetLabel(\n 'The following grid(s) have incorrect or incomplete data:\\n{}'\n .format(', '.join(self.validation_mode)))\n else:\n self.message.SetLabel(\n 'Highlighted grids have incorrect or incomplete data')\n self.bSizer_msg.ShowItems(True)\n self.hbox.Fit(self)\n if not has_problems:\n self.validation_mode = set()\n self.message.SetLabel('')\n self.bSizer_msg.ShowItems(False)\n self.hbox.Fit(self)\n", "role": "user" }, { "content": "on_upload_file", "role": "assistant" } ]
def x(self, event): if self.parent.grid_frame: if self.parent.grid_frame.grid.changes: dlg = wx.MessageDialog(self, caption='Message:', message= """Are you sure you want to exit the program? You have a grid open with unsaved changes. """ , style=wx.OK | wx.CANCEL) result = dlg.ShowModal() if result == wx.ID_OK: dlg.Destroy() else: dlg.Destroy() return if self.parent.grid_frame: self.parent.grid_frame.Destroy() if self.parent.edited: self.parent.er_magic.write_files() self.parent.Close() try: sys.exit() except TypeError: pass
on_quit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n if self.parent.grid_frame:\n if self.parent.grid_frame.grid.changes:\n dlg = wx.MessageDialog(self, caption='Message:', message=\n \"\"\"Are you sure you want to exit the program?\nYou have a grid open with unsaved changes.\n \"\"\"\n , style=wx.OK | wx.CANCEL)\n result = dlg.ShowModal()\n if result == wx.ID_OK:\n dlg.Destroy()\n else:\n dlg.Destroy()\n return\n if self.parent.grid_frame:\n self.parent.grid_frame.Destroy()\n if self.parent.edited:\n self.parent.er_magic.write_files()\n self.parent.Close()\n try:\n sys.exit()\n except TypeError:\n pass\n", "role": "user" }, { "content": "on_quit", "role": "assistant" } ]
def x(self, event): dia = pmag_menu_dialogs.ClearWD(self.parent, self.parent.WD) clear = dia.do_clear() if clear: print('-I- Clear data object') self.parent.er_magic = builder.ErMagicBuilder(self.parent.WD, self. parent.data_model) print('-I- Initializing headers') self.parent.er_magic.init_default_headers() self.parent.er_magic.init_actual_headers()
on_clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n dia = pmag_menu_dialogs.ClearWD(self.parent, self.parent.WD)\n clear = dia.do_clear()\n if clear:\n print('-I- Clear data object')\n self.parent.er_magic = builder.ErMagicBuilder(self.parent.WD, self.\n parent.data_model)\n print('-I- Initializing headers')\n self.parent.er_magic.init_default_headers()\n self.parent.er_magic.init_actual_headers()\n", "role": "user" }, { "content": "on_clear", "role": "assistant" } ]
def x(): version_num = pmag.get_version() orient_file, samp_file = 'orient', 'er_samples.txt' args = sys.argv dir_path, out_path = '.', '.' default_outfile = True if '-WD' in args: ind = args.index('-WD') dir_path = args[ind + 1] if '-OD' in args: ind = args.index('-OD') out_path = args[ind + 1] if '-h' in args: print(main.__doc__) sys.exit() if '-F' in args: ind = args.index('-F') orient_file = sys.argv[ind + 1] default_outfile = False if '-f' in args: ind = args.index('-f') samp_file = sys.argv[ind + 1] orient_file = out_path + '/' + orient_file samp_file = dir_path + '/' + samp_file ErSamples = [] Required = ['sample_class', 'sample_type', 'sample_lithology', 'lat', 'long'] Samps, file_type = pmag.magic_read(samp_file) Locs = [] OrKeys = ['sample_name', 'site_name', 'mag_azimuth', 'field_dip', 'sample_class', 'sample_type', 'sample_lithology', 'lat', 'long', 'stratigraphic_height', 'method_codes', 'site_description'] print('file_type', file_type) if file_type.lower() == 'er_samples': SampKeys = ['er_sample_name', 'er_site_name', 'sample_azimuth', 'sample_dip', 'sample_class', 'sample_type', 'sample_lithology', 'sample_lat', 'sample_lon', 'sample_height', 'magic_method_codes', 'er_sample_description'] elif file_type.lower() == 'magic_measurements': SampKeys = ['er_sample_name', 'er_site_name'] else: print( 'wrong file format; must be er_samples or magic_measurements only') for samp in Samps: if samp['er_location_name'] not in Locs: Locs.append(samp['er_location_name']) for location_name in Locs: loc_samps = pmag.get_dictitem(Samps, 'er_location_name', location_name, 'T') OrOut = [] for samp in loc_samps: if samp['er_sample_name'] not in ErSamples: ErSamples.append(samp['er_sample_name']) OrRec = {} if 'sample_date' in list(samp.keys()) and samp['sample_date' ].strip() != '': date = samp['sample_date'].split(':') OrRec['date'] = date[1] + '/' + date[2] + '/' + date[0][2:4 ] for i in range(len(SampKeys)): if SampKeys[i] in list(samp.keys()): OrRec[OrKeys[i]] = samp[SampKeys[i]] for key in Required: if key not in list(OrRec.keys()): OrRec[key] = '' OrOut.append(OrRec) loc = location_name.replace(' ', '_') if default_outfile: outfile = orient_file + '_' + loc + '.txt' else: outfile = orient_file pmag.magic_write(outfile, OrOut, location_name) print('Data saved in: ', outfile)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n version_num = pmag.get_version()\n orient_file, samp_file = 'orient', 'er_samples.txt'\n args = sys.argv\n dir_path, out_path = '.', '.'\n default_outfile = True\n if '-WD' in args:\n ind = args.index('-WD')\n dir_path = args[ind + 1]\n if '-OD' in args:\n ind = args.index('-OD')\n out_path = args[ind + 1]\n if '-h' in args:\n print(main.__doc__)\n sys.exit()\n if '-F' in args:\n ind = args.index('-F')\n orient_file = sys.argv[ind + 1]\n default_outfile = False\n if '-f' in args:\n ind = args.index('-f')\n samp_file = sys.argv[ind + 1]\n orient_file = out_path + '/' + orient_file\n samp_file = dir_path + '/' + samp_file\n ErSamples = []\n Required = ['sample_class', 'sample_type', 'sample_lithology', 'lat',\n 'long']\n Samps, file_type = pmag.magic_read(samp_file)\n Locs = []\n OrKeys = ['sample_name', 'site_name', 'mag_azimuth', 'field_dip',\n 'sample_class', 'sample_type', 'sample_lithology', 'lat', 'long',\n 'stratigraphic_height', 'method_codes', 'site_description']\n print('file_type', file_type)\n if file_type.lower() == 'er_samples':\n SampKeys = ['er_sample_name', 'er_site_name', 'sample_azimuth',\n 'sample_dip', 'sample_class', 'sample_type', 'sample_lithology',\n 'sample_lat', 'sample_lon', 'sample_height',\n 'magic_method_codes', 'er_sample_description']\n elif file_type.lower() == 'magic_measurements':\n SampKeys = ['er_sample_name', 'er_site_name']\n else:\n print(\n 'wrong file format; must be er_samples or magic_measurements only')\n for samp in Samps:\n if samp['er_location_name'] not in Locs:\n Locs.append(samp['er_location_name'])\n for location_name in Locs:\n loc_samps = pmag.get_dictitem(Samps, 'er_location_name',\n location_name, 'T')\n OrOut = []\n for samp in loc_samps:\n if samp['er_sample_name'] not in ErSamples:\n ErSamples.append(samp['er_sample_name'])\n OrRec = {}\n if 'sample_date' in list(samp.keys()) and samp['sample_date'\n ].strip() != '':\n date = samp['sample_date'].split(':')\n OrRec['date'] = date[1] + '/' + date[2] + '/' + date[0][2:4\n ]\n for i in range(len(SampKeys)):\n if SampKeys[i] in list(samp.keys()):\n OrRec[OrKeys[i]] = samp[SampKeys[i]]\n for key in Required:\n if key not in list(OrRec.keys()):\n OrRec[key] = ''\n OrOut.append(OrRec)\n loc = location_name.replace(' ', '_')\n if default_outfile:\n outfile = orient_file + '_' + loc + '.txt'\n else:\n outfile = orient_file\n pmag.magic_write(outfile, OrOut, location_name)\n print('Data saved in: ', outfile)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): if len(sys.argv) > 0: if '-h' in sys.argv: print(main.__doc__) sys.exit() if '-f' in sys.argv: ind = sys.argv.index('-f') file = sys.argv[ind + 1] f = open(file, 'r') data = f.readlines() else: data = sys.stdin.readlines() DIs = [] ofile = '' if '-F' in sys.argv: ind = sys.argv.index('-F') ofile = sys.argv[ind + 1] out = open(ofile, 'w + a') for line in data: if '\t' in line: rec = line.split('\t') else: rec = line.split() DIs.append((float(rec[0]), float(rec[1]))) bpars = pmag.dobingham(DIs) output = '%7.1f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f %i' % (bpars[ 'dec'], bpars['inc'], bpars['Eta'], bpars['Edec'], bpars['Einc'], bpars['Zeta'], bpars['Zdec'], bpars['Zinc'], bpars['n']) if ofile == '': print(output) else: out.write(output + '\n')
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if len(sys.argv) > 0:\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 file = sys.argv[ind + 1]\n f = open(file, 'r')\n data = f.readlines()\n else:\n data = sys.stdin.readlines()\n DIs = []\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 for line in data:\n if '\\t' in line:\n rec = line.split('\\t')\n else:\n rec = line.split()\n DIs.append((float(rec[0]), float(rec[1])))\n bpars = pmag.dobingham(DIs)\n output = '%7.1f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f %i' % (bpars[\n 'dec'], bpars['inc'], bpars['Eta'], bpars['Edec'], bpars['Einc'],\n bpars['Zeta'], bpars['Zdec'], bpars['Zinc'], bpars['n'])\n if ofile == '':\n print(output)\n else:\n out.write(output + '\\n')\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): args = sys.argv if '-h' in args: print(main.__doc__) sys.exit() dir_path = pmag.get_named_arg('-WD', '.') input_dir_path = pmag.get_named_arg('-ID', '') meas_file = pmag.get_named_arg('-f', 'measurements.txt') data_model_num = int(pmag.get_named_arg('-DM', 3)) spec_outfile = pmag.get_named_arg('-Fsp', 'specimens.txt') spec_infile = pmag.get_named_arg('-fsp', 'specimens.txt') ipmag.atrm_magic(meas_file, dir_path, input_dir_path, spec_infile, spec_outfile, 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 input_dir_path = pmag.get_named_arg('-ID', '')\n meas_file = pmag.get_named_arg('-f', 'measurements.txt')\n data_model_num = int(pmag.get_named_arg('-DM', 3))\n spec_outfile = pmag.get_named_arg('-Fsp', 'specimens.txt')\n spec_infile = pmag.get_named_arg('-fsp', 'specimens.txt')\n ipmag.atrm_magic(meas_file, dir_path, input_dir_path, spec_infile,\n spec_outfile, data_model_num)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): if '-h' in sys.argv: print(main.__doc__) sys.exit() if '-F' in sys.argv: ind = sys.argv.index('-F') ofile = sys.argv[ind + 1] out = open(ofile, 'w') else: out = '' if '-i' in sys.argv: a95 = 0 while 1: try: ans = input('Input Declination: <cntrl-D to quit> ') Dec = float(ans) ans = input('Input Inclination: ') Inc = float(ans) ans = input('Input Site Latitude: ') slat = float(ans) ans = input('Input Site Longitude: ') slong = float(ans) output = pmag.dia_vgp(Dec, Inc, a95, slat, slong) print('%7.1f %7.1f' % (output[0], output[1])) except: print('\n Good-bye\n') sys.exit() elif '-f' in sys.argv: ind = sys.argv.index('-f') file = sys.argv[ind + 1] data = numpy.loadtxt(file) else: data = numpy.loadtxt(sys.stdin, dtype=numpy.float) if len(data.shape) > 1: N = data.shape[0] if data.shape[1] == 4: data = data.transpose() inlist = numpy.array([data[0], data[1], numpy.zeros(N), data[2], data[3]]).transpose() output = pmag.dia_vgp(inlist) for k in range(N): if out == '': print('%7.1f %7.1f' % (output[0][k], output[1][k])) else: out.write('%7.1f %7.1f\n' % (output[0][k], output[1][k])) else: if len(data) == 4: data = [data[0], data[1], 0, data[2], data[3]] output = pmag.dia_vgp(data) if out == '': print('%7.1f %7.1f' % (output[0], output[1])) else: out.write('%7.1f %7.1f\n' % (output[0], output[1]))
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\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 ofile = sys.argv[ind + 1]\n out = open(ofile, 'w')\n else:\n out = ''\n if '-i' in sys.argv:\n a95 = 0\n while 1:\n try:\n ans = input('Input Declination: <cntrl-D to quit> ')\n Dec = float(ans)\n ans = input('Input Inclination: ')\n Inc = float(ans)\n ans = input('Input Site Latitude: ')\n slat = float(ans)\n ans = input('Input Site Longitude: ')\n slong = float(ans)\n output = pmag.dia_vgp(Dec, Inc, a95, slat, slong)\n print('%7.1f %7.1f' % (output[0], output[1]))\n except:\n print('\\n Good-bye\\n')\n sys.exit()\n elif '-f' in sys.argv:\n ind = sys.argv.index('-f')\n file = sys.argv[ind + 1]\n data = numpy.loadtxt(file)\n else:\n data = numpy.loadtxt(sys.stdin, dtype=numpy.float)\n if len(data.shape) > 1:\n N = data.shape[0]\n if data.shape[1] == 4:\n data = data.transpose()\n inlist = numpy.array([data[0], data[1], numpy.zeros(N), data[2],\n data[3]]).transpose()\n output = pmag.dia_vgp(inlist)\n for k in range(N):\n if out == '':\n print('%7.1f %7.1f' % (output[0][k], output[1][k]))\n else:\n out.write('%7.1f %7.1f\\n' % (output[0][k], output[1][k]))\n else:\n if len(data) == 4:\n data = [data[0], data[1], 0, data[2], data[3]]\n output = pmag.dia_vgp(data)\n if out == '':\n print('%7.1f %7.1f' % (output[0], output[1]))\n else:\n out.write('%7.1f %7.1f\\n' % (output[0], output[1]))\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 dat_file = self.bSizer0A.return_value() if os.path.isfile(dat_file): options['datafile'] = dat_file else: dat_file = '' magicoutfile = os.path.split(HUJI_file)[1] + '.magic' outfile = os.path.join(self.WD, magicoutfile) options['meas_file'] = outfile magicoutfile = os.path.split(HUJI_file)[1] + '_specimens.txt' spec_outfile = os.path.join(self.WD, magicoutfile) options['spec_file'] = spec_outfile magicoutfile = os.path.split(HUJI_file)[1] + '_samples.txt' samp_outfile = os.path.join(self.WD, magicoutfile) options['samp_file'] = samp_outfile magicoutfile = os.path.split(HUJI_file)[1] + '_sites.txt' site_outfile = os.path.join(self.WD, magicoutfile) options['site_file'] = site_outfile magicoutfile = os.path.split(HUJI_file)[1] + '_locations.txt' loc_outfile = os.path.join(self.WD, magicoutfile) options['loc_file'] = loc_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['location'] = loc_name if loc_name: loc_name = '-loc ' + loc_name replicate = self.bSizer8.return_value() if replicate: options['noave'] = 0 replicate = '' else: options['noave'] = 1 replicate = '-A' COMMAND = ( 'huji_magic_new.py -f {} -fd {} -F {} -Fsp {} -Fsa {} -Fsi {} -Flo {} {} -LP {} {} -ncn {} {} {} {}' .format(HUJI_file, dat_file, outfile, spec_outfile, samp_outfile, site_outfile, loc_outfile, user, experiment_type, loc_name, ncn, lab_field, spc, replicate)) program_ran, error_message = convert.huji(**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 dat_file = self.bSizer0A.return_value()\n if os.path.isfile(dat_file):\n options['datafile'] = dat_file\n else:\n dat_file = ''\n magicoutfile = os.path.split(HUJI_file)[1] + '.magic'\n outfile = os.path.join(self.WD, magicoutfile)\n options['meas_file'] = outfile\n magicoutfile = os.path.split(HUJI_file)[1] + '_specimens.txt'\n spec_outfile = os.path.join(self.WD, magicoutfile)\n options['spec_file'] = spec_outfile\n magicoutfile = os.path.split(HUJI_file)[1] + '_samples.txt'\n samp_outfile = os.path.join(self.WD, magicoutfile)\n options['samp_file'] = samp_outfile\n magicoutfile = os.path.split(HUJI_file)[1] + '_sites.txt'\n site_outfile = os.path.join(self.WD, magicoutfile)\n options['site_file'] = site_outfile\n magicoutfile = os.path.split(HUJI_file)[1] + '_locations.txt'\n loc_outfile = os.path.join(self.WD, magicoutfile)\n options['loc_file'] = loc_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['location'] = loc_name\n if loc_name:\n loc_name = '-loc ' + loc_name\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 COMMAND = (\n 'huji_magic_new.py -f {} -fd {} -F {} -Fsp {} -Fsa {} -Fsi {} -Flo {} {} -LP {} {} -ncn {} {} {} {}'\n .format(HUJI_file, dat_file, outfile, spec_outfile, samp_outfile,\n site_outfile, loc_outfile, user, experiment_type, loc_name, ncn,\n lab_field, spc, replicate))\n program_ran, error_message = convert.huji(**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): samples_list = list(self.orient_data.keys()) samples_list.sort() self.samples_list = [sample for sample in samples_list if sample is not ''] display_headers = [header[1] for header in self.headers] self.grid = magic_grid.MagicGrid(self.panel, 'orient grid', self. samples_list, display_headers) self.grid.InitUI() for i in range(len(self.samples_list)): self.grid.SetCellBackgroundColour(i, 0, 'LIGHT GREY') self.grid.SetCellBackgroundColour(i, 1, 'LIGHT STEEL BLUE') self.grid.SetCellBackgroundColour(i, 2, 'YELLOW') self.grid.SetCellBackgroundColour(i, 3, 'YELLOW') self.grid.SetCellBackgroundColour(i, 4, 'PALE GREEN') self.grid.SetCellBackgroundColour(i, 5, 'PALE GREEN') self.grid.SetCellBackgroundColour(i, 6, 'KHAKI') self.grid.SetCellBackgroundColour(i, 7, 'KHAKI') self.grid.SetCellBackgroundColour(i, 8, 'KHAKI') self.grid.SetCellBackgroundColour(i, 9, 'KHAKI') self.grid.SetCellBackgroundColour(i, 10, 'KHAKI') self.grid.SetCellBackgroundColour(i, 11, 'LIGHT MAGENTA') self.grid.SetCellBackgroundColour(i, 12, 'LIGHT MAGENTA') headers = [header[0] for header in self.headers] for sample in self.samples_list: for key in list(self.orient_data[sample].keys()): if key in headers: sample_index = self.samples_list.index(sample) i = headers.index(key) val = str(self.orient_data[sample][key]) try: val = val.name except AttributeError: pass if val and val != 'None': self.grid.SetCellValue(sample_index, i, val) for row in range(self.grid.GetNumberRows()): col = 1 if not self.grid.GetCellValue(row, col): self.grid.SetCellValue(row, col, 'g') self.grid.changes = {'a'} self.grid.AutoSize() self.drop_down_menu = drop_down_menus3.Menus('orient', self. contribution, self.grid) self.Bind(wx.grid.EVT_GRID_LABEL_LEFT_CLICK, self.onLeftClickLabel, self.grid)
create_sheet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n samples_list = list(self.orient_data.keys())\n samples_list.sort()\n self.samples_list = [sample for sample in samples_list if sample is not '']\n display_headers = [header[1] for header in self.headers]\n self.grid = magic_grid.MagicGrid(self.panel, 'orient grid', self.\n samples_list, display_headers)\n self.grid.InitUI()\n for i in range(len(self.samples_list)):\n self.grid.SetCellBackgroundColour(i, 0, 'LIGHT GREY')\n self.grid.SetCellBackgroundColour(i, 1, 'LIGHT STEEL BLUE')\n self.grid.SetCellBackgroundColour(i, 2, 'YELLOW')\n self.grid.SetCellBackgroundColour(i, 3, 'YELLOW')\n self.grid.SetCellBackgroundColour(i, 4, 'PALE GREEN')\n self.grid.SetCellBackgroundColour(i, 5, 'PALE GREEN')\n self.grid.SetCellBackgroundColour(i, 6, 'KHAKI')\n self.grid.SetCellBackgroundColour(i, 7, 'KHAKI')\n self.grid.SetCellBackgroundColour(i, 8, 'KHAKI')\n self.grid.SetCellBackgroundColour(i, 9, 'KHAKI')\n self.grid.SetCellBackgroundColour(i, 10, 'KHAKI')\n self.grid.SetCellBackgroundColour(i, 11, 'LIGHT MAGENTA')\n self.grid.SetCellBackgroundColour(i, 12, 'LIGHT MAGENTA')\n headers = [header[0] for header in self.headers]\n for sample in self.samples_list:\n for key in list(self.orient_data[sample].keys()):\n if key in headers:\n sample_index = self.samples_list.index(sample)\n i = headers.index(key)\n val = str(self.orient_data[sample][key])\n try:\n val = val.name\n except AttributeError:\n pass\n if val and val != 'None':\n self.grid.SetCellValue(sample_index, i, val)\n for row in range(self.grid.GetNumberRows()):\n col = 1\n if not self.grid.GetCellValue(row, col):\n self.grid.SetCellValue(row, col, 'g')\n self.grid.changes = {'a'}\n self.grid.AutoSize()\n self.drop_down_menu = drop_down_menus3.Menus('orient', self.\n contribution, self.grid)\n self.Bind(wx.grid.EVT_GRID_LABEL_LEFT_CLICK, self.onLeftClickLabel,\n self.grid)\n", "role": "user" }, { "content": "create_sheet", "role": "assistant" } ]
def x(self, event): dlg = wx.FileDialog(self, message='choose orient file', defaultDir=self .WD, defaultFile='', style=wx.FD_OPEN | wx.FD_CHANGE_DIR) if dlg.ShowModal() == wx.ID_OK: orient_file = dlg.GetPath() dlg.Destroy() new_data, dtype, keys = pmag.magic_read_dict(orient_file, sort_by_this_name='sample_name', return_keys=True) if len(new_data) > 0: self.orient_data = {} self.orient_data = new_data self.update_sheet() print( "-I- If you don't see a change in the spreadsheet, you may need to manually re-size the window" )
on_m_open_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n dlg = wx.FileDialog(self, message='choose orient file', defaultDir=self\n .WD, defaultFile='', style=wx.FD_OPEN | wx.FD_CHANGE_DIR)\n if dlg.ShowModal() == wx.ID_OK:\n orient_file = dlg.GetPath()\n dlg.Destroy()\n new_data, dtype, keys = pmag.magic_read_dict(orient_file,\n sort_by_this_name='sample_name', return_keys=True)\n if len(new_data) > 0:\n self.orient_data = {}\n self.orient_data = new_data\n self.update_sheet()\n print(\n \"-I- If you don't see a change in the spreadsheet, you may need to manually re-size the window\"\n )\n", "role": "user" }, { "content": "on_m_open_file", "role": "assistant" } ]
def x(self, sample_names): if not sample_names: return [] full_headers = list(self.orient_data[sample_names[0]].keys()) add_ons = [] for head in full_headers: if head not in self.header_names: add_ons.append((head, head)) return add_ons
add_extra_headers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sample_names):\n if not sample_names:\n return []\n full_headers = list(self.orient_data[sample_names[0]].keys())\n add_ons = []\n for head in full_headers:\n if head not in self.header_names:\n add_ons.append((head, head))\n return add_ons\n", "role": "user" }, { "content": "add_extra_headers", "role": "assistant" } ]
def x(self, event): dlg = wx.FileDialog(self, message='choose orient file', defaultDir=self .WD, defaultFile='', style=wx.FD_OPEN | wx.FD_CHANGE_DIR) if dlg.ShowModal() == wx.ID_OK: orient_file = dlg.GetPath() dlg.Destroy() new_data = self.er_magic_data.read_magic_file(orient_file, 'sample_name')[0] if len(new_data) > 0: self.orient_data = {} self.orient_data = new_data self.update_sheet() print( "-I- If you don't see a change in the spreadsheet, you may need to manually re-size the window" )
on_m_open_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n dlg = wx.FileDialog(self, message='choose orient file', defaultDir=self\n .WD, defaultFile='', style=wx.FD_OPEN | wx.FD_CHANGE_DIR)\n if dlg.ShowModal() == wx.ID_OK:\n orient_file = dlg.GetPath()\n dlg.Destroy()\n new_data = self.er_magic_data.read_magic_file(orient_file,\n 'sample_name')[0]\n if len(new_data) > 0:\n self.orient_data = {}\n self.orient_data = new_data\n self.update_sheet()\n print(\n \"-I- If you don't see a change in the spreadsheet, you may need to manually re-size the window\"\n )\n", "role": "user" }, { "content": "on_m_open_file", "role": "assistant" } ]
def x(self, event): fout = open(os.path.join(self.WD, 'demag_orient.txt'), 'w') STR = 'tab\tdemag_orient\n' fout.write(STR) headers = [header[0] for header in self.headers] STR = '\t'.join(headers) + '\n' fout.write(STR) for sample in self.samples_list: STR = '' for header in headers: sample_index = self.samples_list.index(sample) i = headers.index(header) value = self.grid.GetCellValue(sample_index, i) STR = STR + value + '\t' fout.write(STR[:-1] + '\n') if event != None: dlg1 = wx.MessageDialog(None, caption='Message:', message= 'data saved in file demag_orient.txt', style=wx.OK | wx. ICON_INFORMATION) dlg1.ShowModal() dlg1.Destroy()
on_m_save_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n fout = open(os.path.join(self.WD, 'demag_orient.txt'), 'w')\n STR = 'tab\\tdemag_orient\\n'\n fout.write(STR)\n headers = [header[0] for header in self.headers]\n STR = '\\t'.join(headers) + '\\n'\n fout.write(STR)\n for sample in self.samples_list:\n STR = ''\n for header in headers:\n sample_index = self.samples_list.index(sample)\n i = headers.index(header)\n value = self.grid.GetCellValue(sample_index, i)\n STR = STR + value + '\\t'\n fout.write(STR[:-1] + '\\n')\n if event != None:\n dlg1 = wx.MessageDialog(None, caption='Message:', message=\n 'data saved in file demag_orient.txt', style=wx.OK | wx.\n ICON_INFORMATION)\n dlg1.ShowModal()\n dlg1.Destroy()\n", "role": "user" }, { "content": "on_m_save_file", "role": "assistant" } ]
def x(): if '-h' in sys.argv: print(main.__doc__) sys.exit() zfile, tfile = 'zeq_redo', 'thellier_redo' zredo, tredo = '', '' dir_path = pmag.get_named_arg('-WD', '.') inspec = pmag.get_named_arg('-f', 'specimens.txt') if '-F' in sys.argv: ind = sys.argv.index('-F') redo = sys.argv[ind + 1] tfile = redo zfile = redo inspec = pmag.resolve_file_name(inspec, dir_path) zfile = pmag.resolve_file_name(zfile, dir_path) tfile = pmag.resolve_file_name(tfile, dir_path) specs = [] prior_spec_data, file_type = pmag.magic_read(inspec) if file_type != 'specimens': print(file_type, ' this is not a valid pmag_specimens file') sys.exit() outstrings = [] for spec in prior_spec_data: tmp = spec['method_codes'].split(':') meths = [] for meth in tmp: methods = meth.strip().split('-') for m in methods: if m not in meths: meths.append(m) if 'DIR' in meths: specs.append(spec['specimen']) if 'dir_comp' in list(spec.keys()) and spec['dir_comp' ] != '' and spec['dir_comp'] != ' ': comp_name = spec['dir_comp'] else: comp_name = string.ascii_uppercase[specs.count(spec[ 'specimen']) - 1] calculation_type = 'DE-BFL' if 'BFP' in meths: calculation_type = 'DE-BFP' elif 'FM' in meths: calculation_type = 'DE-FM' if zredo == '': zredo = open(zfile, 'w') outstring = '%s %s %s %s %s \n' % (spec['specimen'], calculation_type, spec['meas_step_min'], spec[ 'meas_step_max'], comp_name) if outstring not in outstrings: zredo.write(outstring) outstrings.append(outstring) elif 'PI' in meths and 'TRM' in meths: if tredo == '': tredo = open(tfile, 'w') outstring = '%s %i %i \n' % (spec['specimen'], float(spec[ 'meas_step_min']), float(spec['meas_step_max'])) if outstring not in outstrings: tredo.write(outstring) outstrings.append(outstring) print('Redo files saved to: ', zfile, tfile)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if '-h' in sys.argv:\n print(main.__doc__)\n sys.exit()\n zfile, tfile = 'zeq_redo', 'thellier_redo'\n zredo, tredo = '', ''\n dir_path = pmag.get_named_arg('-WD', '.')\n inspec = pmag.get_named_arg('-f', 'specimens.txt')\n if '-F' in sys.argv:\n ind = sys.argv.index('-F')\n redo = sys.argv[ind + 1]\n tfile = redo\n zfile = redo\n inspec = pmag.resolve_file_name(inspec, dir_path)\n zfile = pmag.resolve_file_name(zfile, dir_path)\n tfile = pmag.resolve_file_name(tfile, dir_path)\n specs = []\n prior_spec_data, file_type = pmag.magic_read(inspec)\n if file_type != 'specimens':\n print(file_type, ' this is not a valid pmag_specimens file')\n sys.exit()\n outstrings = []\n for spec in prior_spec_data:\n tmp = spec['method_codes'].split(':')\n meths = []\n for meth in tmp:\n methods = meth.strip().split('-')\n for m in methods:\n if m not in meths:\n meths.append(m)\n if 'DIR' in meths:\n specs.append(spec['specimen'])\n if 'dir_comp' in list(spec.keys()) and spec['dir_comp'\n ] != '' and spec['dir_comp'] != ' ':\n comp_name = spec['dir_comp']\n else:\n comp_name = string.ascii_uppercase[specs.count(spec[\n 'specimen']) - 1]\n calculation_type = 'DE-BFL'\n if 'BFP' in meths:\n calculation_type = 'DE-BFP'\n elif 'FM' in meths:\n calculation_type = 'DE-FM'\n if zredo == '':\n zredo = open(zfile, 'w')\n outstring = '%s %s %s %s %s \\n' % (spec['specimen'],\n calculation_type, spec['meas_step_min'], spec[\n 'meas_step_max'], comp_name)\n if outstring not in outstrings:\n zredo.write(outstring)\n outstrings.append(outstring)\n elif 'PI' in meths and 'TRM' in meths:\n if tredo == '':\n tredo = open(tfile, 'w')\n outstring = '%s %i %i \\n' % (spec['specimen'], float(spec[\n 'meas_step_min']), float(spec['meas_step_max']))\n if outstring not in outstrings:\n tredo.write(outstring)\n outstrings.append(outstring)\n print('Redo files saved to: ', zfile, tfile)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]