source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(target): prefix = u'http://' if not target.startswith('http') else u'' target = prefix + target display(HTML(u'<a href="{t}" target=_blank>{t}</a>'.format(t=target)))
display_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(target):\n prefix = u'http://' if not target.startswith('http') else u''\n target = prefix + target\n display(HTML(u'<a href=\"{t}\" target=_blank>{t}</a>'.format(t=target)))\n", "role": "user" }, { "content": "display_url", "role": "assistant" } ]
def x(target, width=500, height=400, scrolling=True, border=0, frameborder=0): prefix = u'http://' if not target.startswith('http') else u'' target = prefix + target if scrolling: scroll_val = 'yes' else: scroll_val = 'no' return ( u'<iframe frameborder="{frameborder}" scrolling="{scrolling}" style="border:{border}px" src="{url}", width={width} height={height}></iframe>' .format(frameborder=frameborder, scrolling=scroll_val, border= border, url=target, width=width, height=height))
iframe_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(target, width=500, height=400, scrolling=True, border=0, frameborder=0):\n prefix = u'http://' if not target.startswith('http') else u''\n target = prefix + target\n if scrolling:\n scroll_val = 'yes'\n else:\n scroll_val = 'no'\n return (\n u'<iframe frameborder=\"{frameborder}\" scrolling=\"{scrolling}\" style=\"border:{border}px\" src=\"{url}\", width={width} height={height}></iframe>'\n .format(frameborder=frameborder, scrolling=scroll_val, border=\n border, url=target, width=width, height=height))\n", "role": "user" }, { "content": "iframe_url", "role": "assistant" } ]
def x(target, **kwargs): txt = iframe_url(target, **kwargs) display(HTML(txt))
display_iframe_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(target, **kwargs):\n txt = iframe_url(target, **kwargs)\n display(HTML(txt))\n", "role": "user" }, { "content": "display_iframe_url", "role": "assistant" } ]
def x(id, page=None, width=700, height=500, **kwargs): if isinstance(page, int): url = ( 'http://books.google.co.uk/books?id={id}&pg=PA{page}&output=embed' .format(id=id, page=page)) else: url = ('http://books.google.co.uk/books?id={id}&pg={page}&output=embed' .format(id=id, page=page)) display_iframe_url(url, width=width, height=height, **kwargs)
display_google_book
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(id, page=None, width=700, height=500, **kwargs):\n if isinstance(page, int):\n url = (\n 'http://books.google.co.uk/books?id={id}&pg=PA{page}&output=embed'\n .format(id=id, page=page))\n else:\n url = ('http://books.google.co.uk/books?id={id}&pg={page}&output=embed'\n .format(id=id, page=page))\n display_iframe_url(url, width=width, height=height, **kwargs)\n", "role": "user" }, { "content": "display_google_book", "role": "assistant" } ]
def x(start_show=False, message=None): html = '<script>\n' if message is None: message = ( u'The raw code for this jupyter notebook can be hidden for easier reading.' ) if start_show: html += u'code_show=true;\n' else: html += u'code_show=false;\n' html += """function code_toggle() { if (code_show){ $('div.input').show(); } else { $('div.input').hide(); } code_show = !code_show } $( document ).ready(code_toggle); </script> """ html += (message + ' To toggle on/off the raw code, click <a href="javascript:code_toggle()">here</a>.' ) display(HTML(html))
code_toggle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start_show=False, message=None):\n html = '<script>\\n'\n if message is None:\n message = (\n u'The raw code for this jupyter notebook can be hidden for easier reading.'\n )\n if start_show:\n html += u'code_show=true;\\n'\n else:\n html += u'code_show=false;\\n'\n html += \"\"\"function code_toggle() {\n if (code_show){\n $('div.input').show();\n } else {\n $('div.input').hide();\n }\n code_show = !code_show\n} \n$( document ).ready(code_toggle);\n</script>\n\"\"\"\n html += (message +\n ' To toggle on/off the raw code, click <a href=\"javascript:code_toggle()\">here</a>.'\n )\n display(HTML(html))\n", "role": "user" }, { "content": "code_toggle", "role": "assistant" } ]
def x(basis, num_basis=4, wlim=(-1.0, 1.0), fig=None, ax=None, xlim=None, ylim=None, num_points=1000, offset=0.0, **kwargs): import numpy as np import pylab as plt if fig is not None: if ax is None: ax = fig.gca() if xlim is None: if ax is not None: xlim = ax.get_xlim() else: xlim = -2.0, 2.0 if ylim is None: if ax is not None: ylim = ax.get_ylim() else: ylim = -1.0, 1.0 x = np.zeros((num_points, 1)) x[:, 0] = np.linspace(xlim[0], xlim[1], num_points) param_args = {} for i in range(num_basis): lim = list(wlim) if i == 0: lim[0] += offset lim[1] += offset param_args['w_' + str(i)] = tuple(lim) def x(w, basis, x, num_basis, **kwargs): Phi = basis(x, num_basis, **kwargs) f = np.dot(Phi, w) return f, Phi if type(basis) is dict: use_basis = basis[list(basis.keys())[0]] else: use_basis = basis f, Phi = predict_basis(np.zeros((num_basis, 1)), use_basis, x, num_basis, **kwargs) if fig is None: fig, ax = plt.subplots(figsize=(12, 4)) ax.set_ylim(ylim) ax.set_xlim(xlim) predline = ax.plot(x, f, linewidth=2)[0] basislines = [] for i in range(num_basis): basislines.append(ax.plot(x, Phi[:, i], 'r')[0]) ax.set_ylim(ylim) ax.set_xlim(xlim) def x(basis, num_basis, predline, basislines, basis_args, display_basis, offset, **kwargs): w = np.zeros((num_basis, 1)) for i in range(num_basis): w[i] = kwargs['w_' + str(i)] f, Phi = predict_basis(w, basis, x, num_basis, **basis_args) predline.set_xdata(x[:, 0]) predline.set_ydata(f) for i in range(num_basis): basislines[i].set_xdata(x[:, 0]) basislines[i].set_ydata(Phi[:, i]) if display_basis: for i in range(num_basis): basislines[i].set_alpha(1) else: for i in range(num_basis): basislines[i].set_alpha(0) display(fig) if type(basis) is not dict: basis = fixed(basis) plt.close(fig) interact(generate_function, basis=basis, num_basis=fixed(num_basis), predline=fixed(predline), basislines=fixed(basislines), basis_args= fixed(kwargs), offset=fixed(offset), display_basis=False, **param_args)
display_prediction
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(basis, num_basis=4, wlim=(-1.0, 1.0), fig=None, ax=None, xlim=None,\n ylim=None, num_points=1000, offset=0.0, **kwargs):\n import numpy as np\n import pylab as plt\n if fig is not None:\n if ax is None:\n ax = fig.gca()\n if xlim is None:\n if ax is not None:\n xlim = ax.get_xlim()\n else:\n xlim = -2.0, 2.0\n if ylim is None:\n if ax is not None:\n ylim = ax.get_ylim()\n else:\n ylim = -1.0, 1.0\n x = np.zeros((num_points, 1))\n x[:, 0] = np.linspace(xlim[0], xlim[1], num_points)\n param_args = {}\n for i in range(num_basis):\n lim = list(wlim)\n if i == 0:\n lim[0] += offset\n lim[1] += offset\n param_args['w_' + str(i)] = tuple(lim)\n\n def x(w, basis, x, num_basis, **kwargs):\n Phi = basis(x, num_basis, **kwargs)\n f = np.dot(Phi, w)\n return f, Phi\n if type(basis) is dict:\n use_basis = basis[list(basis.keys())[0]]\n else:\n use_basis = basis\n f, Phi = predict_basis(np.zeros((num_basis, 1)), use_basis, x,\n num_basis, **kwargs)\n if fig is None:\n fig, ax = plt.subplots(figsize=(12, 4))\n ax.set_ylim(ylim)\n ax.set_xlim(xlim)\n predline = ax.plot(x, f, linewidth=2)[0]\n basislines = []\n for i in range(num_basis):\n basislines.append(ax.plot(x, Phi[:, i], 'r')[0])\n ax.set_ylim(ylim)\n ax.set_xlim(xlim)\n\n def x(basis, num_basis, predline, basislines, basis_args, display_basis,\n offset, **kwargs):\n w = np.zeros((num_basis, 1))\n for i in range(num_basis):\n w[i] = kwargs['w_' + str(i)]\n f, Phi = predict_basis(w, basis, x, num_basis, **basis_args)\n predline.set_xdata(x[:, 0])\n predline.set_ydata(f)\n for i in range(num_basis):\n basislines[i].set_xdata(x[:, 0])\n basislines[i].set_ydata(Phi[:, i])\n if display_basis:\n for i in range(num_basis):\n basislines[i].set_alpha(1)\n else:\n for i in range(num_basis):\n basislines[i].set_alpha(0)\n display(fig)\n if type(basis) is not dict:\n basis = fixed(basis)\n plt.close(fig)\n interact(generate_function, basis=basis, num_basis=fixed(num_basis),\n predline=fixed(predline), basislines=fixed(basislines), basis_args=\n fixed(kwargs), offset=fixed(offset), display_basis=False, **param_args)\n", "role": "user" }, { "content": "display_prediction", "role": "assistant" } ]
def x(filebase, directory=None, width=700, height=500, **kwargs): def x(filebase, directory, **kwargs): filename = filebase.format(**kwargs) if directory is not None: filename = directory + '/' + filename display(HTML("<img src='{filename}'>".format(filename=filename))) interact(show_figure, filebase=fixed(filebase), directory=fixed( directory), **kwargs)
display_plots
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filebase, directory=None, width=700, height=500, **kwargs):\n\n def x(filebase, directory, **kwargs):\n filename = filebase.format(**kwargs)\n if directory is not None:\n filename = directory + '/' + filename\n display(HTML(\"<img src='{filename}'>\".format(filename=filename)))\n interact(show_figure, filebase=fixed(filebase), directory=fixed(\n directory), **kwargs)\n", "role": "user" }, { "content": "display_plots", "role": "assistant" } ]
def x(part, module='mlai2014.json'): marks = json.load(open(os.path.join(data_directory, module), 'rb')) return marks['Lab ' + str(part + 1)]
answer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(part, module='mlai2014.json'):\n marks = json.load(open(os.path.join(data_directory, module), 'rb'))\n return marks['Lab ' + str(part + 1)]\n", "role": "user" }, { "content": "answer", "role": "assistant" } ]
def x(self): output = self.latex_preamble output += self._repr_latex_() output += self.latex_post return output
latex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n output = self.latex_preamble\n output += self._repr_latex_()\n output += self.latex_post\n return output\n", "role": "user" }, { "content": "latex", "role": "assistant" } ]
def x(self): output = self.html_preamble output += self._repr_html_() output += self.html_post return output
html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n output = self.html_preamble\n output += self._repr_html_()\n output += self.html_post\n return output\n", "role": "user" }, { "content": "html", "role": "assistant" } ]
def x(self): columns = ['Number', 'Question', 'Correct (a fraction)', 'Max Mark', 'Comments'] mark_sheet = pd.DataFrame() for qu_number, question in enumerate(self.answers): part_no = 0 for number, part in enumerate(question): if number > 0: if part[2] > 0: part_no += 1 index = str(qu_number + 1) + '_' + str(part_no) frame = pd.DataFrame(columns=columns, index=[index]) frame.loc[index]['Number'] = index frame.loc[index]['Question'] = part[0] frame.loc[index]['Max Mark'] = part[2] mark_sheet = mark_sheet.append(frame) return mark_sheet.sort(columns='Number')
marksheet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n columns = ['Number', 'Question', 'Correct (a fraction)', 'Max Mark',\n 'Comments']\n mark_sheet = pd.DataFrame()\n for qu_number, question in enumerate(self.answers):\n part_no = 0\n for number, part in enumerate(question):\n if number > 0:\n if part[2] > 0:\n part_no += 1\n index = str(qu_number + 1) + '_' + str(part_no)\n frame = pd.DataFrame(columns=columns, index=[index])\n frame.loc[index]['Number'] = index\n frame.loc[index]['Question'] = part[0]\n frame.loc[index]['Max Mark'] = part[2]\n mark_sheet = mark_sheet.append(frame)\n return mark_sheet.sort(columns='Number')\n", "role": "user" }, { "content": "marksheet", "role": "assistant" } ]
def x(self): total = 0 for answer in self.answers: for number, part in enumerate(answer): if number > 0: if part[2] > 0: total += part[2] return total
total_marks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n total = 0\n for answer in self.answers:\n for number, part in enumerate(answer):\n if number > 0:\n if part[2] > 0:\n total += part[2]\n return total\n", "role": "user" }, { "content": "total_marks", "role": "assistant" } ]
def x(name, course, github='SheffieldML/notebook/master/lab_classes/'): github_stub = 'https://raw.githubusercontent.com/' if not name.endswith('.ipynb'): name += '.ipynb' from pods.util import download_url download_url(os.path.join(github_stub, github, course, name), store_directory=course)
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, course, github='SheffieldML/notebook/master/lab_classes/'):\n github_stub = 'https://raw.githubusercontent.com/'\n if not name.endswith('.ipynb'):\n name += '.ipynb'\n from pods.util import download_url\n download_url(os.path.join(github_stub, github, course, name),\n store_directory=course)\n", "role": "user" }, { "content": "download", "role": "assistant" } ]
def x(num): if permute_data: return np.random.permutation(num) else: logging.warning('Warning not permuting data') return np.arange(num)
permute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(num):\n if permute_data:\n return np.random.permutation(num)\n else:\n logging.warning('Warning not permuting data')\n return np.arange(num)\n", "role": "user" }, { "content": "permute", "role": "assistant" } ]
def x(cats, name='discrete'): import json ks = list(cats) for key in ks: if isinstance(key, bytes): cats[key.decode('utf-8')] = cats.pop(key) return 'discrete(' + json.dumps([cats, name]) + ')'
discrete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cats, name='discrete'):\n import json\n ks = list(cats)\n for key in ks:\n if isinstance(key, bytes):\n cats[key.decode('utf-8')] = cats.pop(key)\n return 'discrete(' + json.dumps([cats, name]) + ')'\n", "role": "user" }, { "content": "discrete", "role": "assistant" } ]
def x(prompt): yes = set(['yes', 'y']) no = set(['no', 'n']) try: print(prompt) if sys.version_info >= (3, 0): choice = input().lower() else: choice = raw_input().lower() except: print('Stdin is not implemented.') print('You need to set') print('overide_manual_authorize=True') print( 'to proceed with the download. Please set that variable and continue.' ) raise if choice in yes: return True elif choice in no: return False else: print('Your response was a ' + choice) print("Please respond with 'yes', 'y' or 'no', 'n'")
prompt_stdin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prompt):\n yes = set(['yes', 'y'])\n no = set(['no', 'n'])\n try:\n print(prompt)\n if sys.version_info >= (3, 0):\n choice = input().lower()\n else:\n choice = raw_input().lower()\n except:\n print('Stdin is not implemented.')\n print('You need to set')\n print('overide_manual_authorize=True')\n print(\n 'to proceed with the download. Please set that variable and continue.'\n )\n raise\n if choice in yes:\n return True\n elif choice in no:\n return False\n else:\n print('Your response was a ' + choice)\n print(\"Please respond with 'yes', 'y' or 'no', 'n'\")\n", "role": "user" }, { "content": "prompt_stdin", "role": "assistant" } ]
def x(dataset_name=None): dr = data_resources[dataset_name] if 'dirs' in dr: for dirs, files in zip(dr['dirs'], dr['files']): for dir, file in zip(dirs, files): path = os.path.join(data_path, dataset_name, dir, file) if os.path.exists(path): logging.info('clear_cache: removing ' + path) os.unlink(path) for dir in dirs: path = os.path.join(data_path, dataset_name, dir) if os.path.exists(path): logging.info('clear_cache: remove directory ' + path) os.rmdir(path) else: for file_list in dr['files']: for file in file_list: path = os.path.join(data_path, dataset_name, file) if os.path.exists(path): logging.info('clear_cache: remove ' + path) os.unlink(path)
clear_cache
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dataset_name=None):\n dr = data_resources[dataset_name]\n if 'dirs' in dr:\n for dirs, files in zip(dr['dirs'], dr['files']):\n for dir, file in zip(dirs, files):\n path = os.path.join(data_path, dataset_name, dir, file)\n if os.path.exists(path):\n logging.info('clear_cache: removing ' + path)\n os.unlink(path)\n for dir in dirs:\n path = os.path.join(data_path, dataset_name, dir)\n if os.path.exists(path):\n logging.info('clear_cache: remove directory ' + path)\n os.rmdir(path)\n else:\n for file_list in dr['files']:\n for file in file_list:\n path = os.path.join(data_path, dataset_name, file)\n if os.path.exists(path):\n logging.info('clear_cache: remove ' + path)\n os.unlink(path)\n", "role": "user" }, { "content": "clear_cache", "role": "assistant" } ]
def x(dataset_name=None): dr = data_resources[dataset_name] if 'dirs' in dr: for dirs, files in zip(dr['dirs'], dr['files']): for dir, file in zip(dirs, files): if not os.path.exists(os.path.join(data_path, dataset_name, dir, file)): return False else: for file_list in dr['files']: for file in file_list: if not os.path.exists(os.path.join(data_path, dataset_name, file)): return False return True
data_available
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dataset_name=None):\n dr = data_resources[dataset_name]\n if 'dirs' in dr:\n for dirs, files in zip(dr['dirs'], dr['files']):\n for dir, file in zip(dirs, files):\n if not os.path.exists(os.path.join(data_path, dataset_name,\n dir, file)):\n return False\n else:\n for file_list in dr['files']:\n for file in file_list:\n if not os.path.exists(os.path.join(data_path, dataset_name,\n file)):\n return False\n return True\n", "role": "user" }, { "content": "data_available", "role": "assistant" } ]
def x(dataset_name=None, prompt=prompt_stdin): dr = data_resources[dataset_name] if not authorize_download(dataset_name, prompt=prompt): raise Exception('Permission to download data set denied.') if 'suffices' in dr: for url, files, suffices in zip(dr['urls'], dr['files'], dr['suffices'] ): for file, suffix in zip(files, suffices): download_url(url=os.path.join(url, file), dir_name= data_path, store_directory=dataset_name, suffix=suffix) elif 'dirs' in dr: for url, dirs, files in zip(dr['urls'], dr['dirs'], dr['files']): for file, dir in zip(files, dirs): print(file, dir) download_url(url=os.path.join(url, dir, file), dir_name= data_path, store_directory=os.path.join(dataset_name, dir)) else: for url, files in zip(dr['urls'], dr['files']): for file in files: download_url(url=os.path.join(url, file), dir_name= data_path, store_directory=dataset_name) return True
download_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dataset_name=None, prompt=prompt_stdin):\n dr = data_resources[dataset_name]\n if not authorize_download(dataset_name, prompt=prompt):\n raise Exception('Permission to download data set denied.')\n if 'suffices' in dr:\n for url, files, suffices in zip(dr['urls'], dr['files'], dr['suffices']\n ):\n for file, suffix in zip(files, suffices):\n download_url(url=os.path.join(url, file), dir_name=\n data_path, store_directory=dataset_name, suffix=suffix)\n elif 'dirs' in dr:\n for url, dirs, files in zip(dr['urls'], dr['dirs'], dr['files']):\n for file, dir in zip(files, dirs):\n print(file, dir)\n download_url(url=os.path.join(url, dir, file), dir_name=\n data_path, store_directory=os.path.join(dataset_name, dir))\n else:\n for url, files in zip(dr['urls'], dr['files']):\n for file in files:\n download_url(url=os.path.join(url, file), dir_name=\n data_path, store_directory=dataset_name)\n return True\n", "role": "user" }, { "content": "download_data", "role": "assistant" } ]
def x(df, dataset_name, pods_data): def x(date_format): date_format = date_format.replace('%Y', 'yyyy').replace('%m', 'MM' ).replace('%d', 'dd').replace('%H', 'HH') return date_format.replace('%h', 'hh').replace('%M', 'mm').replace('%S' , 'ss').replace('%f', 'SSSSSS') def x(atr): return str(atr).replace(' / ', '/').replace(' ', '_') types = {'STRING': [str], 'INTEGER': [int, np.int64, np.uint8], 'REAL': [np.float64]} d = {} d['attributes'] = [] for atr in df.columns: if isinstance(atr, str): if len(atr) > 8 and atr[:9] == 'discrete(': import json elements = json.loads(atr[9:-1]) d['attributes'].append((tidy_field(elements[1]), list( elements[0].keys()))) mask = {} c = pd.Series(index=df.index) for key, val in elements[0].items(): mask = df[atr] == val c[mask] = key df[atr] = c continue if len(atr) > 7 and atr[:8] == 'integer(': name = atr[8:-1] d['attributes'].append((tidy_field(name), 'INTEGER')) df[atr] = df[atr].astype(int) continue if len(atr) > 7 and atr[:8] == 'datenum(': from matplotlib.dates import num2date elements = atr[8:-1].split(',') d['attributes'].append((elements[0] + '_datenum_' + java_simple_date(elements[1]), 'STRING')) df[atr] = num2date(df[atr].values) df[atr] = df[atr].dt.strftime(elements[1]) continue if len(atr) > 9 and atr[:10] == 'timestamp(': def x(values): import datetime """Convert timestamp into a date object""" new = [] for value in values: new.append(np.datetime64(datetime.datetime. fromtimestamp(value))) return np.asarray(new) elements = atr[10:-1].split(',') d['attributes'].append((elements[0] + '_datenum_' + java_simple_date(elements[1]), 'STRING')) df[atr] = timestamp2date(df[atr].values) df[atr] = df[atr].dt.strftime(elements[1]) continue if len(atr) > 10 and atr[:11] == 'datetime64(': elements = atr[11:-1].split(',') d['attributes'].append((elements[0] + '_datenum_' + java_simple_date(elements[1]), 'STRING')) df[atr] = df[atr].dt.strftime(elements[1]) continue if len(atr) > 11 and atr[:12] == 'decimalyear(': def x(values): new = [] for i, decyear in enumerate(values): year = int(np.floor(decyear)) dec = decyear - year end = np.datetime64(str(year + 1) + '-01-01') start = np.datetime64(str(year) + '-01-01') diff = end - start days = dec * (diff / np.timedelta64(1, 'D')) add = np.timedelta64(int(np.round(days)), 'D') new.append(start + add) return np.asarray(new) elements = atr[12:-1].split(',') d['attributes'].append((elements[0] + '_datenum_' + java_simple_date(elements[1]), 'STRING')) df[atr] = decyear2date(df[atr].values) df[atr] = df[atr].dt.strftime(elements[1]) continue field = tidy_field(atr) el = df[atr][0] type_assigned = False for t in types: if isinstance(el, tuple(types[t])): d['attributes'].append((field, t)) type_assigned = True break if not type_assigned: import json d['attributes'].append((field + '_json', 'STRING')) df[atr] = df[atr].apply(json.dumps) d['data'] = [] for ind, row in df.iterrows(): d['data'].append(list(row)) import textwrap as tw width = 78 d['description'] = dataset_name + '\n\n' if 'info' in pods_data and pods_data['info']: d['description'] += '\n'.join(tw.wrap(pods_data['info'], width) ) + '\n\n' if 'details' in pods_data and pods_data['details']: d['description'] += '\n'.join(tw.wrap(pods_data['details'], width)) if 'citation' in pods_data and pods_data['citation']: d['description'] += '\n\n' + 'Citation\n\n' + '\n'.join(tw.wrap( pods_data['citation'], width)) d['relation'] = dataset_name import arff string = arff.dumps(d) import re string = re.sub('\\@ATTRIBUTE "?(.*)_datenum_(.*)"? STRING', '@ATTRIBUTE "\\1" DATE [\\2]', string) f = open(dataset_name + '.arff', 'w') f.write(string) f.close()
df2arff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(df, dataset_name, pods_data):\n\n def x(date_format):\n date_format = date_format.replace('%Y', 'yyyy').replace('%m', 'MM'\n ).replace('%d', 'dd').replace('%H', 'HH')\n return date_format.replace('%h', 'hh').replace('%M', 'mm').replace('%S'\n , 'ss').replace('%f', 'SSSSSS')\n\n def x(atr):\n return str(atr).replace(' / ', '/').replace(' ', '_')\n types = {'STRING': [str], 'INTEGER': [int, np.int64, np.uint8], 'REAL':\n [np.float64]}\n d = {}\n d['attributes'] = []\n for atr in df.columns:\n if isinstance(atr, str):\n if len(atr) > 8 and atr[:9] == 'discrete(':\n import json\n elements = json.loads(atr[9:-1])\n d['attributes'].append((tidy_field(elements[1]), list(\n elements[0].keys())))\n mask = {}\n c = pd.Series(index=df.index)\n for key, val in elements[0].items():\n mask = df[atr] == val\n c[mask] = key\n df[atr] = c\n continue\n if len(atr) > 7 and atr[:8] == 'integer(':\n name = atr[8:-1]\n d['attributes'].append((tidy_field(name), 'INTEGER'))\n df[atr] = df[atr].astype(int)\n continue\n if len(atr) > 7 and atr[:8] == 'datenum(':\n from matplotlib.dates import num2date\n elements = atr[8:-1].split(',')\n d['attributes'].append((elements[0] + '_datenum_' +\n java_simple_date(elements[1]), 'STRING'))\n df[atr] = num2date(df[atr].values)\n df[atr] = df[atr].dt.strftime(elements[1])\n continue\n if len(atr) > 9 and atr[:10] == 'timestamp(':\n\n def x(values):\n import datetime\n \"\"\"Convert timestamp into a date object\"\"\"\n new = []\n for value in values:\n new.append(np.datetime64(datetime.datetime.\n fromtimestamp(value)))\n return np.asarray(new)\n elements = atr[10:-1].split(',')\n d['attributes'].append((elements[0] + '_datenum_' +\n java_simple_date(elements[1]), 'STRING'))\n df[atr] = timestamp2date(df[atr].values)\n df[atr] = df[atr].dt.strftime(elements[1])\n continue\n if len(atr) > 10 and atr[:11] == 'datetime64(':\n elements = atr[11:-1].split(',')\n d['attributes'].append((elements[0] + '_datenum_' +\n java_simple_date(elements[1]), 'STRING'))\n df[atr] = df[atr].dt.strftime(elements[1])\n continue\n if len(atr) > 11 and atr[:12] == 'decimalyear(':\n\n def x(values):\n new = []\n for i, decyear in enumerate(values):\n year = int(np.floor(decyear))\n dec = decyear - year\n end = np.datetime64(str(year + 1) + '-01-01')\n start = np.datetime64(str(year) + '-01-01')\n diff = end - start\n days = dec * (diff / np.timedelta64(1, 'D'))\n add = np.timedelta64(int(np.round(days)), 'D')\n new.append(start + add)\n return np.asarray(new)\n elements = atr[12:-1].split(',')\n d['attributes'].append((elements[0] + '_datenum_' +\n java_simple_date(elements[1]), 'STRING'))\n df[atr] = decyear2date(df[atr].values)\n df[atr] = df[atr].dt.strftime(elements[1])\n continue\n field = tidy_field(atr)\n el = df[atr][0]\n type_assigned = False\n for t in types:\n if isinstance(el, tuple(types[t])):\n d['attributes'].append((field, t))\n type_assigned = True\n break\n if not type_assigned:\n import json\n d['attributes'].append((field + '_json', 'STRING'))\n df[atr] = df[atr].apply(json.dumps)\n d['data'] = []\n for ind, row in df.iterrows():\n d['data'].append(list(row))\n import textwrap as tw\n width = 78\n d['description'] = dataset_name + '\\n\\n'\n if 'info' in pods_data and pods_data['info']:\n d['description'] += '\\n'.join(tw.wrap(pods_data['info'], width)\n ) + '\\n\\n'\n if 'details' in pods_data and pods_data['details']:\n d['description'] += '\\n'.join(tw.wrap(pods_data['details'], width))\n if 'citation' in pods_data and pods_data['citation']:\n d['description'] += '\\n\\n' + 'Citation\\n\\n' + '\\n'.join(tw.wrap(\n pods_data['citation'], width))\n d['relation'] = dataset_name\n import arff\n string = arff.dumps(d)\n import re\n string = re.sub('\\\\@ATTRIBUTE \"?(.*)_datenum_(.*)\"? STRING',\n '@ATTRIBUTE \"\\\\1\" DATE [\\\\2]', string)\n f = open(dataset_name + '.arff', 'w')\n f.write(string)\n f.close()\n", "role": "user" }, { "content": "df2arff", "role": "assistant" } ]
def x(dataset, **kwargs): pods_data = dataset(**kwargs) vals = list(kwargs.values()) for i, v in enumerate(vals): if isinstance(v, list): vals[i] = '|'.join(v) else: vals[i] = str(v) args = '_'.join(vals) n = dataset.__name__ if len(args) > 0: n += '_' + args n = n.replace(' ', '-') ks = pods_data.keys() d = None if 'Y' in ks and 'X' in ks: d = pd.DataFrame(pods_data['X']) if 'Xtest' in ks: d = d.append(pd.DataFrame(pods_data['Xtest']), ignore_index=True) if 'covariates' in ks: d.columns = pods_data['covariates'] dy = pd.DataFrame(pods_data['Y']) if 'Ytest' in ks: dy = dy.append(pd.DataFrame(pods_data['Ytest']), ignore_index=True) if 'response' in ks: dy.columns = pods_data['response'] for c in dy.columns: if c not in d.columns: d[c] = dy[c] else: d['y' + str(c)] = dy[c] elif 'Y' in ks: d = pd.DataFrame(pods_data['Y']) if 'Ytest' in ks: d = d.append(pd.DataFrame(pods_data['Ytest']), ignore_index=True) elif 'data' in ks: d = pd.DataFrame(pods_data['data']) if d is not None: df2arff(d, n, pods_data)
to_arff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dataset, **kwargs):\n pods_data = dataset(**kwargs)\n vals = list(kwargs.values())\n for i, v in enumerate(vals):\n if isinstance(v, list):\n vals[i] = '|'.join(v)\n else:\n vals[i] = str(v)\n args = '_'.join(vals)\n n = dataset.__name__\n if len(args) > 0:\n n += '_' + args\n n = n.replace(' ', '-')\n ks = pods_data.keys()\n d = None\n if 'Y' in ks and 'X' in ks:\n d = pd.DataFrame(pods_data['X'])\n if 'Xtest' in ks:\n d = d.append(pd.DataFrame(pods_data['Xtest']), ignore_index=True)\n if 'covariates' in ks:\n d.columns = pods_data['covariates']\n dy = pd.DataFrame(pods_data['Y'])\n if 'Ytest' in ks:\n dy = dy.append(pd.DataFrame(pods_data['Ytest']), ignore_index=True)\n if 'response' in ks:\n dy.columns = pods_data['response']\n for c in dy.columns:\n if c not in d.columns:\n d[c] = dy[c]\n else:\n d['y' + str(c)] = dy[c]\n elif 'Y' in ks:\n d = pd.DataFrame(pods_data['Y'])\n if 'Ytest' in ks:\n d = d.append(pd.DataFrame(pods_data['Ytest']), ignore_index=True)\n elif 'data' in ks:\n d = pd.DataFrame(pods_data['data'])\n if d is not None:\n df2arff(d, n, pods_data)\n", "role": "user" }, { "content": "to_arff", "role": "assistant" } ]
def x(data_set='epomeo_gpx', sample_every=4): import gpxpy import gpxpy.gpx if not data_available(data_set): download_data(data_set) files = ['endomondo_1', 'endomondo_2', 'garmin_watch_via_endomondo', 'viewranger_phone', 'viewranger_tablet'] X = [] for file in files: gpx_file = open(os.path.join(data_path, 'epomeo_gpx', file + '.gpx' ), 'r') gpx = gpxpy.parse(gpx_file) segment = gpx.tracks[0].segments[0] points = [point for track in gpx.tracks for segment in track. segments for point in segment.points] data = [[(point.time - datetime.datetime(2013, 8, 21)). total_seconds(), point.latitude, point.longitude, point. elevation] for point in points] X.append(np.asarray(data)[::sample_every, :]) gpx_file.close() if pandas_available: X = pd.DataFrame(X[0], columns=['seconds', 'latitude', 'longitude', 'elevation']) X.set_index(keys='seconds', inplace=True) return data_details_return({'X': X, 'info': 'Data is an array containing time in seconds, latitude, longitude and elevation in that order.' }, data_set)
epomeo_gpx
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_set='epomeo_gpx', sample_every=4):\n import gpxpy\n import gpxpy.gpx\n if not data_available(data_set):\n download_data(data_set)\n files = ['endomondo_1', 'endomondo_2', 'garmin_watch_via_endomondo',\n 'viewranger_phone', 'viewranger_tablet']\n X = []\n for file in files:\n gpx_file = open(os.path.join(data_path, 'epomeo_gpx', file + '.gpx'\n ), 'r')\n gpx = gpxpy.parse(gpx_file)\n segment = gpx.tracks[0].segments[0]\n points = [point for track in gpx.tracks for segment in track.\n segments for point in segment.points]\n data = [[(point.time - datetime.datetime(2013, 8, 21)).\n total_seconds(), point.latitude, point.longitude, point.\n elevation] for point in points]\n X.append(np.asarray(data)[::sample_every, :])\n gpx_file.close()\n if pandas_available:\n X = pd.DataFrame(X[0], columns=['seconds', 'latitude', 'longitude',\n 'elevation'])\n X.set_index(keys='seconds', inplace=True)\n return data_details_return({'X': X, 'info':\n 'Data is an array containing time in seconds, latitude, longitude and elevation in that order.'\n }, data_set)\n", "role": "user" }, { "content": "epomeo_gpx", "role": "assistant" } ]
def x(volumes='all', data_set='pmlr'): if not data_available(data_set): download_data(data_set) proceedings_file = open(os.path.join(data_path, data_set, 'proceedings.yaml'), 'r') import yaml proceedings = yaml.load(proceedings_file) data_name_full = 'pmlr_volumes' data_resources[data_name_full] = data_resources[data_set].copy() data_resources[data_name_full]['files'] = [] data_resources[data_name_full]['dirs'] = [] data_resources[data_name_full]['urls'] = [] for entry in proceedings: if volumes == 'all' or entry['volume'] in volumes: file = entry['yaml'].split('/')[-1] dir = 'v' + str(entry['volume']) data_resources[data_name_full]['files'].append([file]) data_resources[data_name_full]['dirs'].append([dir]) data_resources[data_name_full]['urls'].append(data_resources[ data_set]['urls'][0]) Y = [] if not data_available(data_name_full): download_data(data_name_full) for entry in reversed(proceedings): volume = entry['volume'] if volumes == 'all' or volume in volumes: file = entry['yaml'].split('/')[-1] volume_file = open(os.path.join(data_path, data_name_full, 'v' + str(volume), file), 'r') Y += yaml.load(volume_file) if pandas_available: Y = pd.DataFrame(Y) Y['published'] = pd.to_datetime(Y['published']) Y['issued'] = Y['issued'].apply(lambda x: np.datetime64(datetime. datetime(*x['date-parts']))) Y['author'] = Y['author'].apply(lambda x: [(str(author['given']) + ' ' + str(author['family'])) for author in x]) Y['editor'] = Y['editor'].apply(lambda x: [(str(editor['given']) + ' ' + str(editor['family'])) for editor in x]) columns = list(Y.columns) columns[14] = datetime64_('published') columns[11] = datetime64_('issued') Y.columns = columns return data_details_return({'Y': Y, 'info': 'Data is a pandas data frame containing each paper, its abstract, authors, volumes and venue.' }, data_set)
pmlr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(volumes='all', data_set='pmlr'):\n if not data_available(data_set):\n download_data(data_set)\n proceedings_file = open(os.path.join(data_path, data_set,\n 'proceedings.yaml'), 'r')\n import yaml\n proceedings = yaml.load(proceedings_file)\n data_name_full = 'pmlr_volumes'\n data_resources[data_name_full] = data_resources[data_set].copy()\n data_resources[data_name_full]['files'] = []\n data_resources[data_name_full]['dirs'] = []\n data_resources[data_name_full]['urls'] = []\n for entry in proceedings:\n if volumes == 'all' or entry['volume'] in volumes:\n file = entry['yaml'].split('/')[-1]\n dir = 'v' + str(entry['volume'])\n data_resources[data_name_full]['files'].append([file])\n data_resources[data_name_full]['dirs'].append([dir])\n data_resources[data_name_full]['urls'].append(data_resources[\n data_set]['urls'][0])\n Y = []\n if not data_available(data_name_full):\n download_data(data_name_full)\n for entry in reversed(proceedings):\n volume = entry['volume']\n if volumes == 'all' or volume in volumes:\n file = entry['yaml'].split('/')[-1]\n volume_file = open(os.path.join(data_path, data_name_full, 'v' +\n str(volume), file), 'r')\n Y += yaml.load(volume_file)\n if pandas_available:\n Y = pd.DataFrame(Y)\n Y['published'] = pd.to_datetime(Y['published'])\n Y['issued'] = Y['issued'].apply(lambda x: np.datetime64(datetime.\n datetime(*x['date-parts'])))\n Y['author'] = Y['author'].apply(lambda x: [(str(author['given']) +\n ' ' + str(author['family'])) for author in x])\n Y['editor'] = Y['editor'].apply(lambda x: [(str(editor['given']) +\n ' ' + str(editor['family'])) for editor in x])\n columns = list(Y.columns)\n columns[14] = datetime64_('published')\n columns[11] = datetime64_('issued')\n Y.columns = columns\n return data_details_return({'Y': Y, 'info':\n 'Data is a pandas data frame containing each paper, its abstract, authors, volumes and venue.'\n }, data_set)\n", "role": "user" }, { "content": "pmlr", "role": "assistant" } ]
def x(season='1617', data_set='football_data'): league_dict = {'E0': 0, 'E1': 1, 'E2': 2, 'E3': 3, 'EC': 4} def x(string): if isinstance(string, bytes): string = string.decode('utf-8') return league_dict[string] def x(string): if isinstance(string, bytes): string = string.decode('utf-8') if string in football_dict: return football_dict[string] else: football_dict[string] = len(football_dict) + 1 return len(football_dict) + 1 def x(s): import datetime from matplotlib.dates import date2num return date2num(datetime.datetime.strptime(s.decode('utf-8'), '%d/%m/%y')) data_set_season = data_set + '_' + season data_resources[data_set_season] = copy.deepcopy(data_resources[data_set]) data_resources[data_set_season]['urls'][0] += season + '/' start_year = int(season[0:2]) end_year = int(season[2:4]) files = ['E0.csv', 'E1.csv', 'E2.csv', 'E3.csv'] if start_year > 4 and start_year < 93: files += ['EC.csv'] data_resources[data_set_season]['files'] = [files] if not data_available(data_set_season): download_data(data_set_season) start = True for file in reversed(files): filename = os.path.join(data_path, data_set_season, file) writename = os.path.join(data_path, data_set_season, 'temp.csv') input = open(filename, encoding='ISO-8859-1') output = open(writename, 'w') writer = csv.writer(output) for row in csv.reader(input): if any(field.strip() for field in row): writer.writerow(row) input.close() output.close() table = np.loadtxt(writename, skiprows=1, usecols=(0, 1, 2, 3, 4, 5 ), converters={(0): league2num, (1): datestr2num, (2): football2num, (3): football2num}, delimiter=',') if start: X = table[:, :4] Y = table[:, 4:] start = False else: X = np.append(X, table[:, :4], axis=0) Y = np.append(Y, table[:, 4:], axis=0) return data_details_return({'X': X, 'Y': Y, 'covariates': [discrete( league_dict, 'league'), datenum('match_day'), discrete( football_dict, 'home team'), discrete(football_dict, 'away team')], 'response': [integer('home score'), integer('away score')]}, data_set)
football_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(season='1617', data_set='football_data'):\n league_dict = {'E0': 0, 'E1': 1, 'E2': 2, 'E3': 3, 'EC': 4}\n\n def x(string):\n if isinstance(string, bytes):\n string = string.decode('utf-8')\n return league_dict[string]\n\n def x(string):\n if isinstance(string, bytes):\n string = string.decode('utf-8')\n if string in football_dict:\n return football_dict[string]\n else:\n football_dict[string] = len(football_dict) + 1\n return len(football_dict) + 1\n\n def x(s):\n import datetime\n from matplotlib.dates import date2num\n return date2num(datetime.datetime.strptime(s.decode('utf-8'),\n '%d/%m/%y'))\n data_set_season = data_set + '_' + season\n data_resources[data_set_season] = copy.deepcopy(data_resources[data_set])\n data_resources[data_set_season]['urls'][0] += season + '/'\n start_year = int(season[0:2])\n end_year = int(season[2:4])\n files = ['E0.csv', 'E1.csv', 'E2.csv', 'E3.csv']\n if start_year > 4 and start_year < 93:\n files += ['EC.csv']\n data_resources[data_set_season]['files'] = [files]\n if not data_available(data_set_season):\n download_data(data_set_season)\n start = True\n for file in reversed(files):\n filename = os.path.join(data_path, data_set_season, file)\n writename = os.path.join(data_path, data_set_season, 'temp.csv')\n input = open(filename, encoding='ISO-8859-1')\n output = open(writename, 'w')\n writer = csv.writer(output)\n for row in csv.reader(input):\n if any(field.strip() for field in row):\n writer.writerow(row)\n input.close()\n output.close()\n table = np.loadtxt(writename, skiprows=1, usecols=(0, 1, 2, 3, 4, 5\n ), converters={(0): league2num, (1): datestr2num, (2):\n football2num, (3): football2num}, delimiter=',')\n if start:\n X = table[:, :4]\n Y = table[:, 4:]\n start = False\n else:\n X = np.append(X, table[:, :4], axis=0)\n Y = np.append(Y, table[:, 4:], axis=0)\n return data_details_return({'X': X, 'Y': Y, 'covariates': [discrete(\n league_dict, 'league'), datenum('match_day'), discrete(\n football_dict, 'home team'), discrete(football_dict, 'away team')],\n 'response': [integer('home score'), integer('away score')]}, data_set)\n", "role": "user" }, { "content": "football_data", "role": "assistant" } ]
def x(data_set='lee_yeast_ChIP'): if not data_available(data_set): download_data(data_set) from pandas import read_csv dir_path = os.path.join(data_path, data_set) filename = os.path.join(dir_path, 'binding_by_gene.tsv') S = read_csv(filename, header=1, index_col=0, sep='\t') transcription_factors = [col for col in S.columns if col[:7] != 'Unnamed'] annotations = S[['Unnamed: 1', 'Unnamed: 2', 'Unnamed: 3']] S = S[transcription_factors] return data_details_return({'annotations': annotations, 'Y': S, 'transcription_factors': transcription_factors}, data_set)
lee_yeast_ChIP
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_set='lee_yeast_ChIP'):\n if not data_available(data_set):\n download_data(data_set)\n from pandas import read_csv\n dir_path = os.path.join(data_path, data_set)\n filename = os.path.join(dir_path, 'binding_by_gene.tsv')\n S = read_csv(filename, header=1, index_col=0, sep='\\t')\n transcription_factors = [col for col in S.columns if col[:7] != 'Unnamed']\n annotations = S[['Unnamed: 1', 'Unnamed: 2', 'Unnamed: 3']]\n S = S[transcription_factors]\n return data_details_return({'annotations': annotations, 'Y': S,\n 'transcription_factors': transcription_factors}, data_set)\n", "role": "user" }, { "content": "lee_yeast_ChIP", "role": "assistant" } ]
def x(query_terms=['big data', 'machine learning', 'data science'], data_set='google_trends', refresh_data=False): query_terms.sort() import pandas as pd dir_path = os.path.join(data_path, 'google_trends') if not os.path.isdir(dir_path): os.makedirs(dir_path) dir_name = '-'.join(query_terms) dir_name = dir_name.replace(' ', '_') dir_path = os.path.join(dir_path, dir_name) file = 'data.csv' file_name = os.path.join(dir_path, file) if not os.path.exists(file_name) or refresh_data: print( 'Accessing Google trends to acquire the data. Note that repeated accesses will result in a block due to a google terms of service violation. Failure at this point may be due to such blocks.' ) quoted_terms = [] for term in query_terms: quoted_terms.append(quote(term)) print('Query terms: ', ', '.join(query_terms)) print('Fetching query:') query = ( 'http://www.google.com/trends/fetchComponent?q=%s&cid=TIMESERIES_GRAPH_0&export=3' % ','.join(quoted_terms)) data = urlopen(query).read().decode('utf8') print('Done.') header = ( '// Data table response\ngoogle.visualization.Query.setResponse(') data = data[len(header):-2] data = re.sub('new Date\\((\\d+),(\\d+),(\\d+)\\)', lambda m: '"%s-%02d-%02d"' % (m.group(1).strip(), 1 + int(m.group(2)), int(m.group(3))), data) timeseries = json.loads(data) columns = [k['label'] for k in timeseries['table']['cols']] rows = list(map(lambda x: [k['v'] for k in x['c']], timeseries[ 'table']['rows'])) df = pd.DataFrame(rows, columns=columns) if not os.path.isdir(dir_path): os.makedirs(dir_path) df.to_csv(file_name) else: print( "Reading cached data for google trends. To refresh the cache set 'refresh_data=True' when calling this function." ) print('Query terms: ', ', '.join(query_terms)) df = pd.read_csv(file_name, parse_dates=[0]) columns = df.columns terms = len(query_terms) import datetime from matplotlib.dates import date2num X = np.asarray([(date2num(datetime.datetime.strptime(df.ix[row]['Date'], '%Y-%m-%d')), i) for i in range(terms) for row in df.index]) Y = np.asarray([[df.ix[row][query_terms[i]]] for i in range(terms) for row in df.index]) output_info = columns[1:] cats = {} for i in range(terms): cats[query_terms[i]] = i return data_details_return({'data frame': df, 'X': X, 'Y': Y, 'query_terms': query_terms, 'info': 'Data downloaded from google trends with query terms: ' + ', '.join (query_terms) + '.', 'covariates': [datenum('date'), discrete(cats, 'query_terms')], 'response': ['normalized interest']}, data_set)
google_trends
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(query_terms=['big data', 'machine learning', 'data science'],\n data_set='google_trends', refresh_data=False):\n query_terms.sort()\n import pandas as pd\n dir_path = os.path.join(data_path, 'google_trends')\n if not os.path.isdir(dir_path):\n os.makedirs(dir_path)\n dir_name = '-'.join(query_terms)\n dir_name = dir_name.replace(' ', '_')\n dir_path = os.path.join(dir_path, dir_name)\n file = 'data.csv'\n file_name = os.path.join(dir_path, file)\n if not os.path.exists(file_name) or refresh_data:\n print(\n 'Accessing Google trends to acquire the data. Note that repeated accesses will result in a block due to a google terms of service violation. Failure at this point may be due to such blocks.'\n )\n quoted_terms = []\n for term in query_terms:\n quoted_terms.append(quote(term))\n print('Query terms: ', ', '.join(query_terms))\n print('Fetching query:')\n query = (\n 'http://www.google.com/trends/fetchComponent?q=%s&cid=TIMESERIES_GRAPH_0&export=3'\n % ','.join(quoted_terms))\n data = urlopen(query).read().decode('utf8')\n print('Done.')\n header = (\n '// Data table response\\ngoogle.visualization.Query.setResponse(')\n data = data[len(header):-2]\n data = re.sub('new Date\\\\((\\\\d+),(\\\\d+),(\\\\d+)\\\\)', lambda m: \n '\"%s-%02d-%02d\"' % (m.group(1).strip(), 1 + int(m.group(2)),\n int(m.group(3))), data)\n timeseries = json.loads(data)\n columns = [k['label'] for k in timeseries['table']['cols']]\n rows = list(map(lambda x: [k['v'] for k in x['c']], timeseries[\n 'table']['rows']))\n df = pd.DataFrame(rows, columns=columns)\n if not os.path.isdir(dir_path):\n os.makedirs(dir_path)\n df.to_csv(file_name)\n else:\n print(\n \"Reading cached data for google trends. To refresh the cache set 'refresh_data=True' when calling this function.\"\n )\n print('Query terms: ', ', '.join(query_terms))\n df = pd.read_csv(file_name, parse_dates=[0])\n columns = df.columns\n terms = len(query_terms)\n import datetime\n from matplotlib.dates import date2num\n X = np.asarray([(date2num(datetime.datetime.strptime(df.ix[row]['Date'],\n '%Y-%m-%d')), i) for i in range(terms) for row in df.index])\n Y = np.asarray([[df.ix[row][query_terms[i]]] for i in range(terms) for\n row in df.index])\n output_info = columns[1:]\n cats = {}\n for i in range(terms):\n cats[query_terms[i]] = i\n return data_details_return({'data frame': df, 'X': X, 'Y': Y,\n 'query_terms': query_terms, 'info': \n 'Data downloaded from google trends with query terms: ' + ', '.join\n (query_terms) + '.', 'covariates': [datenum('date'), discrete(cats,\n 'query_terms')], 'response': ['normalized interest']}, data_set)\n", "role": "user" }, { "content": "google_trends", "role": "assistant" } ]
def x(data_set='osu_run1', sample_every=4): path = os.path.join(data_path, data_set) if not data_available(data_set): import zipfile download_data(data_set) zip = zipfile.ZipFile(os.path.join(data_path, data_set, 'run1TXT.ZIP'), 'r') for name in zip.namelist(): zip.extract(name, path) from . import mocap Y, connect = mocap.load_text_data('Aug210106', path) Y = Y[0:-1:sample_every, :] return data_details_return({'Y': Y, 'connect': connect}, data_set)
osu_run1
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_set='osu_run1', sample_every=4):\n path = os.path.join(data_path, data_set)\n if not data_available(data_set):\n import zipfile\n download_data(data_set)\n zip = zipfile.ZipFile(os.path.join(data_path, data_set,\n 'run1TXT.ZIP'), 'r')\n for name in zip.namelist():\n zip.extract(name, path)\n from . import mocap\n Y, connect = mocap.load_text_data('Aug210106', path)\n Y = Y[0:-1:sample_every, :]\n return data_details_return({'Y': Y, 'connect': connect}, data_set)\n", "role": "user" }, { "content": "osu_run1", "role": "assistant" } ]
def x(seed=default_seed): def x(f): p = 1.0 / (1.0 + np.exp(-f)) c = np.random.binomial(1, p) c = np.where(c, 1, -1) return c np.random.seed(seed=seed) x1 = np.random.normal(-3, 5, 20) x2 = np.random.normal(3, 5, 20) X = np.r_[x1, x2][:, None] return {'X': X, 'Y': sample_class(2.0 * X), 'F': 2.0 * X, 'covariates': ['X'], 'response': [discrete({'positive': 1, 'negative': -1})], 'seed': seed}
toy_linear_1d_classification
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seed=default_seed):\n\n def x(f):\n p = 1.0 / (1.0 + np.exp(-f))\n c = np.random.binomial(1, p)\n c = np.where(c, 1, -1)\n return c\n np.random.seed(seed=seed)\n x1 = np.random.normal(-3, 5, 20)\n x2 = np.random.normal(3, 5, 20)\n X = np.r_[x1, x2][:, None]\n return {'X': X, 'Y': sample_class(2.0 * X), 'F': 2.0 * X, 'covariates':\n ['X'], 'response': [discrete({'positive': 1, 'negative': -1})],\n 'seed': seed}\n", "role": "user" }, { "content": "toy_linear_1d_classification", "role": "assistant" } ]
def x(data_set='airline_delay', num_train=700000, num_test=100000, seed= default_seed): if not data_available(data_set): download_data(data_set) dir_path = os.path.join(data_path, data_set) filename = os.path.join(dir_path, 'filtered_data.pickle') import pandas as pd data = pd.read_pickle(filename) data.pop('Year') Yall = data.pop('ArrDelay').values[:, None] Xall = data.values all_data = num_train + num_test Xall = Xall[:all_data] Yall = Yall[:all_data] np.random.seed(seed=seed) N_shuffled = permute(Yall.shape[0]) train, test = N_shuffled[num_test:], N_shuffled[:num_test] X, Y = Xall[train], Yall[train] Xtest, Ytest = Xall[test], Yall[test] covariates = ['month', 'day of month', 'day of week', 'departure time', 'arrival time', 'air time', 'distance to travel', 'age of aircraft / years'] response = ['delay'] return data_details_return({'X': X, 'Y': Y, 'Xtest': Xtest, 'Ytest': Ytest, 'seed': seed, 'info': 'Airline delay data used for demonstrating Gaussian processes for big data.' , 'covariates': covariates, 'response': response}, data_set)
airline_delay
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_set='airline_delay', num_train=700000, num_test=100000, seed=\n default_seed):\n if not data_available(data_set):\n download_data(data_set)\n dir_path = os.path.join(data_path, data_set)\n filename = os.path.join(dir_path, 'filtered_data.pickle')\n import pandas as pd\n data = pd.read_pickle(filename)\n data.pop('Year')\n Yall = data.pop('ArrDelay').values[:, None]\n Xall = data.values\n all_data = num_train + num_test\n Xall = Xall[:all_data]\n Yall = Yall[:all_data]\n np.random.seed(seed=seed)\n N_shuffled = permute(Yall.shape[0])\n train, test = N_shuffled[num_test:], N_shuffled[:num_test]\n X, Y = Xall[train], Yall[train]\n Xtest, Ytest = Xall[test], Yall[test]\n covariates = ['month', 'day of month', 'day of week', 'departure time',\n 'arrival time', 'air time', 'distance to travel',\n 'age of aircraft / years']\n response = ['delay']\n return data_details_return({'X': X, 'Y': Y, 'Xtest': Xtest, 'Ytest':\n Ytest, 'seed': seed, 'info':\n 'Airline delay data used for demonstrating Gaussian processes for big data.'\n , 'covariates': covariates, 'response': response}, data_set)\n", "role": "user" }, { "content": "airline_delay", "role": "assistant" } ]
def x(data_set='rogers_girolami_data'): X = np.zeros((0, 2)) Y = np.zeros((0, 1)) cats = {} for i, dataset in enumerate([olympic_100m_men, olympic_100m_women, olympic_200m_men, olympic_200m_women, olympic_400m_men, olympic_400m_women]): data = dataset() year = data['X'] time = data['Y'] X = np.vstack((X, np.hstack((year, np.ones_like(year) * i)))) Y = np.vstack((Y, time)) cats[dataset.__name__] = i data['X'] = X data['Y'] = Y data['info'] = ( "Olympics sprint event winning for men and women to 2008. Data is from Rogers and Girolami's First Course in Machine Learning." ) return data_details_return({'X': X, 'Y': Y, 'covariates': [decimalyear( 'year', '%Y'), discrete(cats, 'event')], 'response': ['time'], 'info': "Olympics sprint event winning for men and women to 2008. Data is from Rogers and Girolami's First Course in Machine Learning." , 'output_info': {(0): '100m Men', (1): '100m Women', (2): '200m Men', (3): '200m Women', (4): '400m Men', (5): '400m Women'}}, data_set)
olympic_sprints
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_set='rogers_girolami_data'):\n X = np.zeros((0, 2))\n Y = np.zeros((0, 1))\n cats = {}\n for i, dataset in enumerate([olympic_100m_men, olympic_100m_women,\n olympic_200m_men, olympic_200m_women, olympic_400m_men,\n olympic_400m_women]):\n data = dataset()\n year = data['X']\n time = data['Y']\n X = np.vstack((X, np.hstack((year, np.ones_like(year) * i))))\n Y = np.vstack((Y, time))\n cats[dataset.__name__] = i\n data['X'] = X\n data['Y'] = Y\n data['info'] = (\n \"Olympics sprint event winning for men and women to 2008. Data is from Rogers and Girolami's First Course in Machine Learning.\"\n )\n return data_details_return({'X': X, 'Y': Y, 'covariates': [decimalyear(\n 'year', '%Y'), discrete(cats, 'event')], 'response': ['time'],\n 'info':\n \"Olympics sprint event winning for men and women to 2008. Data is from Rogers and Girolami's First Course in Machine Learning.\"\n , 'output_info': {(0): '100m Men', (1): '100m Women', (2):\n '200m Men', (3): '200m Women', (4): '400m Men', (5): '400m Women'}},\n data_set)\n", "role": "user" }, { "content": "olympic_sprints", "role": "assistant" } ]
def x(data_set='movie_body_count'): if not data_available(data_set): download_data(data_set) from pandas import read_csv dir_path = os.path.join(data_path, data_set) filename = os.path.join(dir_path, 'film-death-counts-Python.csv') Y = read_csv(filename) Y['Actors'] = Y['Actors'].apply(lambda x: x.split('|')) Y['Genre'] = Y['Genre'].apply(lambda x: x.split('|')) Y['Director'] = Y['Director'].apply(lambda x: x.split('|')) return data_details_return({'Y': Y, 'info': 'Data set of movies and body count for movies scraped from www.MovieBodyCounts.com created by Simon Garnier and Randy Olson for exploring differences between Python and R.' }, data_set)
movie_body_count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_set='movie_body_count'):\n if not data_available(data_set):\n download_data(data_set)\n from pandas import read_csv\n dir_path = os.path.join(data_path, data_set)\n filename = os.path.join(dir_path, 'film-death-counts-Python.csv')\n Y = read_csv(filename)\n Y['Actors'] = Y['Actors'].apply(lambda x: x.split('|'))\n Y['Genre'] = Y['Genre'].apply(lambda x: x.split('|'))\n Y['Director'] = Y['Director'].apply(lambda x: x.split('|'))\n return data_details_return({'Y': Y, 'info':\n 'Data set of movies and body count for movies scraped from www.MovieBodyCounts.com created by Simon Garnier and Randy Olson for exploring differences between Python and R.'\n }, data_set)\n", "role": "user" }, { "content": "movie_body_count", "role": "assistant" } ]
def x(data_set='movie_body_count'): data = movie_body_count()['Y'] import pandas as pd import numpy as np X = data[['Year', 'Body_Count']] Y = data['MPAA_Rating'] == 'R' s = data['Genre'].str.split('|').apply(pd.Series, 1).stack() s.index = s.index.droplevel(-1) genres = s.unique() for genre in genres: index = s[s == genre].index.tolist() values = pd.Series(np.zeros(X.shape[0]), index=X.index) values[index] = 1 X[genre] = values return data_details_return({'X': X, 'Y': Y, 'info': 'Data set of movies and body count for movies scraped from www.MovieBodyCounts.com created by Simon Garnier and Randy Olson for exploring differences between Python and R. In this variant we aim to classify whether the film is rated R or not depending on the genre, the years and the body count.' }, data_set)
movie_body_count_r_classify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_set='movie_body_count'):\n data = movie_body_count()['Y']\n import pandas as pd\n import numpy as np\n X = data[['Year', 'Body_Count']]\n Y = data['MPAA_Rating'] == 'R'\n s = data['Genre'].str.split('|').apply(pd.Series, 1).stack()\n s.index = s.index.droplevel(-1)\n genres = s.unique()\n for genre in genres:\n index = s[s == genre].index.tolist()\n values = pd.Series(np.zeros(X.shape[0]), index=X.index)\n values[index] = 1\n X[genre] = values\n return data_details_return({'X': X, 'Y': Y, 'info':\n 'Data set of movies and body count for movies scraped from www.MovieBodyCounts.com created by Simon Garnier and Randy Olson for exploring differences between Python and R. In this variant we aim to classify whether the film is rated R or not depending on the genre, the years and the body count.'\n }, data_set)\n", "role": "user" }, { "content": "movie_body_count_r_classify", "role": "assistant" } ]
def x(data_set='movielens100k'): if not data_available(data_set): import zipfile download_data(data_set) dir_path = os.path.join(data_path, data_set) zip = zipfile.ZipFile(os.path.join(dir_path, 'ml-100k.zip'), 'r') for name in zip.namelist(): zip.extract(name, dir_path) import pandas as pd encoding = 'latin-1' movie_path = os.path.join(data_path, 'movielens100k', 'ml-100k') items = pd.read_csv(os.path.join(movie_path, 'u.item'), index_col= 'index', header=None, sep='|', names=['index', 'title', 'date', 'empty', 'imdb_url', 'unknown', 'Action', 'Adventure', 'Animation', 'Childrens', 'Comedy', 'Crime', 'Documentary', 'Drama', 'Fantasy', 'Film-Noir', 'Horror', 'Musical', 'Mystery', 'Romance', 'Sci-Fi', 'Thriller', 'War', 'Western'], encoding=encoding) users = pd.read_csv(os.path.join(movie_path, 'u.user'), index_col= 'index', header=None, sep='|', names=['index', 'age', 'sex', 'job', 'id'], encoding=encoding) parts = ['u1.base', 'u1.test', 'u2.base', 'u2.test', 'u3.base', 'u3.test', 'u4.base', 'u4.test', 'u5.base', 'u5.test', 'ua.base', 'ua.test', 'ub.base', 'ub.test'] ratings = [] for part in parts: rate_part = pd.read_csv(os.path.join(movie_path, part), index_col= 'index', header=None, sep='\t', names=['user', 'item', 'rating', 'index'], encoding=encoding) rate_part['split'] = part ratings.append(rate_part) Y = pd.concat(ratings) return data_details_return({'Y': Y, 'film_info': items, 'user_info': users, 'info': 'The Movielens 100k data'}, data_set)
movielens100k
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_set='movielens100k'):\n if not data_available(data_set):\n import zipfile\n download_data(data_set)\n dir_path = os.path.join(data_path, data_set)\n zip = zipfile.ZipFile(os.path.join(dir_path, 'ml-100k.zip'), 'r')\n for name in zip.namelist():\n zip.extract(name, dir_path)\n import pandas as pd\n encoding = 'latin-1'\n movie_path = os.path.join(data_path, 'movielens100k', 'ml-100k')\n items = pd.read_csv(os.path.join(movie_path, 'u.item'), index_col=\n 'index', header=None, sep='|', names=['index', 'title', 'date',\n 'empty', 'imdb_url', 'unknown', 'Action', 'Adventure', 'Animation',\n 'Childrens', 'Comedy', 'Crime', 'Documentary', 'Drama', 'Fantasy',\n 'Film-Noir', 'Horror', 'Musical', 'Mystery', 'Romance', 'Sci-Fi',\n 'Thriller', 'War', 'Western'], encoding=encoding)\n users = pd.read_csv(os.path.join(movie_path, 'u.user'), index_col=\n 'index', header=None, sep='|', names=['index', 'age', 'sex', 'job',\n 'id'], encoding=encoding)\n parts = ['u1.base', 'u1.test', 'u2.base', 'u2.test', 'u3.base',\n 'u3.test', 'u4.base', 'u4.test', 'u5.base', 'u5.test', 'ua.base',\n 'ua.test', 'ub.base', 'ub.test']\n ratings = []\n for part in parts:\n rate_part = pd.read_csv(os.path.join(movie_path, part), index_col=\n 'index', header=None, sep='\\t', names=['user', 'item', 'rating',\n 'index'], encoding=encoding)\n rate_part['split'] = part\n ratings.append(rate_part)\n Y = pd.concat(ratings)\n return data_details_return({'Y': Y, 'film_info': items, 'user_info':\n users, 'info': 'The Movielens 100k data'}, data_set)\n", "role": "user" }, { "content": "movielens100k", "role": "assistant" } ]
def x(data_set='ceres'): if not data_available(data_set): download_data(data_set) import pandas as pd data = pd.read_csv(os.path.join(data_path, data_set, 'ceresData.txt'), index_col='Tag', header=None, sep='\t', names=['Tag', 'Mittlere Sonnenzeit', 'Gerade Aufstig in Zeit', 'Gerade Aufstiegung in Graden', 'Nordlich Abweich', 'Geocentrische Laenger', 'Geocentrische Breite', 'Ort der Sonne + 20" Aberration', 'Logar. d. Distanz'], parse_dates =True, dayfirst=False) return data_details_return({'data': data}, data_set)
ceres
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_set='ceres'):\n if not data_available(data_set):\n download_data(data_set)\n import pandas as pd\n data = pd.read_csv(os.path.join(data_path, data_set, 'ceresData.txt'),\n index_col='Tag', header=None, sep='\\t', names=['Tag',\n 'Mittlere Sonnenzeit', 'Gerade Aufstig in Zeit',\n 'Gerade Aufstiegung in Graden', 'Nordlich Abweich',\n 'Geocentrische Laenger', 'Geocentrische Breite',\n 'Ort der Sonne + 20\" Aberration', 'Logar. d. Distanz'], parse_dates\n =True, dayfirst=False)\n return data_details_return({'data': data}, data_set)\n", "role": "user" }, { "content": "ceres", "role": "assistant" } ]
def x(weatherdata): temp_drybulb_K = C2K(weatherdata._dry_bulb_temperature) temp_dew_K = C2K(weatherdata.dew_point_temperature) N = weatherdata.opaque_sky_cover sky_emissivity = 0.787 + 0.764 * math.log(temp_dew_K / C2K(0.0)) * (1.0 + 0.0224 * N - 0.0035 * N ** 2 + 0.00028 * N ** 3) hor_id = sky_emissivity * sigma * temp_drybulb_K ** 4 weatherdata.horizontal_infrared_radiation_intensity = hor_id
calc_horizontal_infrared_radiation_intensity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(weatherdata):\n temp_drybulb_K = C2K(weatherdata._dry_bulb_temperature)\n temp_dew_K = C2K(weatherdata.dew_point_temperature)\n N = weatherdata.opaque_sky_cover\n sky_emissivity = 0.787 + 0.764 * math.log(temp_dew_K / C2K(0.0)) * (1.0 +\n 0.0224 * N - 0.0035 * N ** 2 + 0.00028 * N ** 3)\n hor_id = sky_emissivity * sigma * temp_drybulb_K ** 4\n weatherdata.horizontal_infrared_radiation_intensity = hor_id\n", "role": "user" }, { "content": "calc_horizontal_infrared_radiation_intensity", "role": "assistant" } ]
def x(url, dir_name='.', save_name=None, store_directory=None, messages= True, suffix=''): if sys.version_info >= (3, 0): from urllib.parse import quote from urllib.request import urlopen from urllib.error import HTTPError, URLError else: from urllib2 import quote from urllib2 import urlopen from urllib2 import URLError as HTTPError i = url.rfind('/') file = url[i + 1:] if store_directory is not None: dir_name = os.path.join(dir_name, store_directory) if save_name is None: save_name = file save_name = os.path.join(dir_name, save_name) print('Downloading ', url, '->', save_name) if not os.path.exists(dir_name): os.makedirs(dir_name) try: response = urlopen(url + suffix) except HTTPError as e: if not hasattr(e, 'code'): raise if e.code > 399 and e.code < 500: raise ValueError('Tried url ' + url + suffix + ' and received client error ' + str(e.code)) elif e.code > 499: raise ValueError('Tried url ' + url + suffix + ' and received server error ' + str(e.code)) except URLError as e: raise ValueError('Tried url ' + url + suffix + ' and failed with error ' + str(e.reason)) with open(save_name, 'wb') as f: meta = response.info() content_length_str = meta.get('Content-Length') if content_length_str: try: file_size = int(content_length_str) except: try: file_size = int(content_length_str[0]) except: file_size = None if file_size == 1: file_size = None else: file_size = None status = '' file_size_dl = 0 block_sz = 8192 line_length = 30 percentage = 1.0 / line_length if file_size: print('|' + '{:^{ll}}'.format('Downloading {:7.3f}MB'.format( file_size / 1048576.0), ll=line_length) + '|') from itertools import cycle cycle_str = cycle('>') sys.stdout.write('|') while True: buff = response.read(block_sz) if not buff: break file_size_dl += len(buff) f.write(buff) if file_size: if float(file_size_dl) / file_size >= percentage: sys.stdout.write(next(cycle_str)) sys.stdout.flush() percentage += 1.0 / line_length else: sys.stdout.write(' ' * len(status) + '\r') status = '{dl:7.3f}MB'.format(dl=file_size_dl / 1048576.0, ll=line_length, perc='.' * int(line_length * float( file_size_dl / (10 * 1048576.0)))) sys.stdout.write(status) sys.stdout.flush() if file_size: sys.stdout.write('|') sys.stdout.flush() print(status)
download_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, dir_name='.', save_name=None, store_directory=None, messages=\n True, suffix=''):\n if sys.version_info >= (3, 0):\n from urllib.parse import quote\n from urllib.request import urlopen\n from urllib.error import HTTPError, URLError\n else:\n from urllib2 import quote\n from urllib2 import urlopen\n from urllib2 import URLError as HTTPError\n i = url.rfind('/')\n file = url[i + 1:]\n if store_directory is not None:\n dir_name = os.path.join(dir_name, store_directory)\n if save_name is None:\n save_name = file\n save_name = os.path.join(dir_name, save_name)\n print('Downloading ', url, '->', save_name)\n if not os.path.exists(dir_name):\n os.makedirs(dir_name)\n try:\n response = urlopen(url + suffix)\n except HTTPError as e:\n if not hasattr(e, 'code'):\n raise\n if e.code > 399 and e.code < 500:\n raise ValueError('Tried url ' + url + suffix +\n ' and received client error ' + str(e.code))\n elif e.code > 499:\n raise ValueError('Tried url ' + url + suffix +\n ' and received server error ' + str(e.code))\n except URLError as e:\n raise ValueError('Tried url ' + url + suffix +\n ' and failed with error ' + str(e.reason))\n with open(save_name, 'wb') as f:\n meta = response.info()\n content_length_str = meta.get('Content-Length')\n if content_length_str:\n try:\n file_size = int(content_length_str)\n except:\n try:\n file_size = int(content_length_str[0])\n except:\n file_size = None\n if file_size == 1:\n file_size = None\n else:\n file_size = None\n status = ''\n file_size_dl = 0\n block_sz = 8192\n line_length = 30\n percentage = 1.0 / line_length\n if file_size:\n print('|' + '{:^{ll}}'.format('Downloading {:7.3f}MB'.format(\n file_size / 1048576.0), ll=line_length) + '|')\n from itertools import cycle\n cycle_str = cycle('>')\n sys.stdout.write('|')\n while True:\n buff = response.read(block_sz)\n if not buff:\n break\n file_size_dl += len(buff)\n f.write(buff)\n if file_size:\n if float(file_size_dl) / file_size >= percentage:\n sys.stdout.write(next(cycle_str))\n sys.stdout.flush()\n percentage += 1.0 / line_length\n else:\n sys.stdout.write(' ' * len(status) + '\\r')\n status = '{dl:7.3f}MB'.format(dl=file_size_dl / 1048576.0,\n ll=line_length, perc='.' * int(line_length * float(\n file_size_dl / (10 * 1048576.0))))\n sys.stdout.write(status)\n sys.stdout.flush()\n if file_size:\n sys.stdout.write('|')\n sys.stdout.flush()\n print(status)\n", "role": "user" }, { "content": "download_url", "role": "assistant" } ]
def x(self, elementuser_id, access_id=None, tenant_id=None, api_version='v2.0' ): if tenant_id is None and self._parent_class.tenant_id: tenant_id = self._parent_class.tenant_id elif not tenant_id: raise TypeError('tenant_id is required but not set or cached.') cur_ctlr = self._parent_class.controller if not access_id: url = str(cur_ctlr ) + '/{}/api/tenants/{}/elementusers/{}/access'.format(api_version, tenant_id, elementuser_id) else: url = str(cur_ctlr ) + '/{}/api/tenants/{}/elementusers/{}/access/{}'.format( api_version, tenant_id, elementuser_id, access_id) api_logger.debug('URL = %s', url) return self._parent_class.rest_call(url, 'get')
access_elementusers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, elementuser_id, access_id=None, tenant_id=None, api_version='v2.0'\n ):\n if tenant_id is None and self._parent_class.tenant_id:\n tenant_id = self._parent_class.tenant_id\n elif not tenant_id:\n raise TypeError('tenant_id is required but not set or cached.')\n cur_ctlr = self._parent_class.controller\n if not access_id:\n url = str(cur_ctlr\n ) + '/{}/api/tenants/{}/elementusers/{}/access'.format(api_version,\n tenant_id, elementuser_id)\n else:\n url = str(cur_ctlr\n ) + '/{}/api/tenants/{}/elementusers/{}/access/{}'.format(\n api_version, tenant_id, elementuser_id, access_id)\n api_logger.debug('URL = %s', url)\n return self._parent_class.rest_call(url, 'get')\n", "role": "user" }, { "content": "access_elementusers", "role": "assistant" } ]
def x(self, api_version='v2.0'): cur_ctlr = self._parent_class.controller url = str(cur_ctlr) + '/{}/api/logout'.format(api_version) api_logger.debug('URL = %s', url) return self._parent_class.rest_call(url, 'get')
logout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, api_version='v2.0'):\n cur_ctlr = self._parent_class.controller\n url = str(cur_ctlr) + '/{}/api/logout'.format(api_version)\n api_logger.debug('URL = %s', url)\n return self._parent_class.rest_call(url, 'get')\n", "role": "user" }, { "content": "logout", "role": "assistant" } ]
def x(self, email=None, password=None): if email is None: if self._parent_class.email: email = self._parent_class.email else: email = compat_input('login: ') if password is None: if self._parent_class._password: password = self._parent_class._password else: password = getpass.getpass() self._parent_class.add_headers({'Referer': '{}/v2.0/api/login'.format( self._parent_class.controller)}) response = self._parent_class.post.login({'email': email, 'password': password}) if response.cgx_status: if not response.cgx_content.get('x_auth_token'): urlpath = response.cgx_content.get('urlpath', '') request_id = response.cgx_content.get('requestId', '') if urlpath and request_id: print( 'SAML 2.0: To finish login open the following link in a browser\n\n{0}\n\n' .format(urlpath)) found_auth_token = False for i in range(20): print('Waiting for {0} seconds for authentication...'. format((20 - i) * 5)) saml_response = self.check_sso_login(email, request_id) if (saml_response.cgx_status and saml_response. cgx_content.get('x_auth_token')): found_auth_token = True break time.sleep(5) if not found_auth_token: print('Login time expired! Please re-login.\n') try: api_logger.debug('LOGIN_FAIL_RESPONSE = %s', json. dumps(response, indent=4)) except (TypeError, ValueError): api_logger.debug('LOGIN_FAIL_RESPONSE = %s', str( response)) print('Login failed, please try again', response) self._parent_class.email = None self._parent_class.password = None return False api_logger.info('Login successful:') auth_token = response.cgx_content.get('x_auth_token') if auth_token: auth_region = self._parent_class.parse_region(response) self._parent_class.update_region_to_controller(auth_region) self._parent_class.reparse_login_cookie_after_region_update( response) api_logger.debug('AUTH_TOKEN=%s', response.cgx_content.get( 'x_auth_token')) if self.interactive_update_profile_vars(): if self._parent_class.tenant_id: if self.interactive_tenant_update_vars(): if self._parent_class.is_esp: choose_status, chosen_client_id = (self. interactive_client_choice()) if choose_status: clogin_resp = (self._parent_class.post. login_clients(chosen_client_id, {})) if clogin_resp.cgx_status: c_profile = (self. interactive_update_profile_vars()) t_profile = (self. interactive_tenant_update_vars()) if c_profile and t_profile: self._parent_class._password = None self._parent_class.remove_header('Referer') return True else: if t_profile: print( 'ESP Client Tenant detail retrieval failed.' ) self._parent_class.email = None self._parent_class._password = None self._parent_class.remove_header('Referer') return False else: print('ESP Client Login failed.') self._parent_class.email = None self._parent_class._password = None self._parent_class.remove_header('Referer') return False else: print('ESP Client Choice failed.') self._parent_class.email = None self._parent_class._password = None self._parent_class.remove_header('Referer') return False self._parent_class._password = None self._parent_class.remove_header('Referer') return True else: print('Tenant detail retrieval failed.') self._parent_class.email = None self._parent_class._password = None self._parent_class.remove_header('Referer') return False else: self._parent_class.email = None self._parent_class._password = None return False api_logger.info('EMAIL = %s', self._parent_class.email) api_logger.info('USER_ID = %s', self._parent_class._user_id) api_logger.info('USER ROLES = %s', json.dumps(self._parent_class.roles) ) api_logger.info('TENANT_ID = %s', self._parent_class.tenant_id) api_logger.info('TENANT_NAME = %s', self._parent_class.tenant_name) api_logger.info('TOKEN_SESSION = %s', self._parent_class.token_session) self._parent_class.remove_header('Referer') else: api_logger.debug('LOGIN_FAIL_RESPONSE = %s', json.dumps(response. cgx_content, indent=4)) print('Login failed, please try again:', response.cgx_content) self._parent_class.email = None self._parent_class.password = None self._parent_class.remove_header('Referer') return False
login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, email=None, password=None):\n if email is None:\n if self._parent_class.email:\n email = self._parent_class.email\n else:\n email = compat_input('login: ')\n if password is None:\n if self._parent_class._password:\n password = self._parent_class._password\n else:\n password = getpass.getpass()\n self._parent_class.add_headers({'Referer': '{}/v2.0/api/login'.format(\n self._parent_class.controller)})\n response = self._parent_class.post.login({'email': email, 'password':\n password})\n if response.cgx_status:\n if not response.cgx_content.get('x_auth_token'):\n urlpath = response.cgx_content.get('urlpath', '')\n request_id = response.cgx_content.get('requestId', '')\n if urlpath and request_id:\n print(\n 'SAML 2.0: To finish login open the following link in a browser\\n\\n{0}\\n\\n'\n .format(urlpath))\n found_auth_token = False\n for i in range(20):\n print('Waiting for {0} seconds for authentication...'.\n format((20 - i) * 5))\n saml_response = self.check_sso_login(email, request_id)\n if (saml_response.cgx_status and saml_response.\n cgx_content.get('x_auth_token')):\n found_auth_token = True\n break\n time.sleep(5)\n if not found_auth_token:\n print('Login time expired! Please re-login.\\n')\n try:\n api_logger.debug('LOGIN_FAIL_RESPONSE = %s', json.\n dumps(response, indent=4))\n except (TypeError, ValueError):\n api_logger.debug('LOGIN_FAIL_RESPONSE = %s', str(\n response))\n print('Login failed, please try again', response)\n self._parent_class.email = None\n self._parent_class.password = None\n return False\n api_logger.info('Login successful:')\n auth_token = response.cgx_content.get('x_auth_token')\n if auth_token:\n auth_region = self._parent_class.parse_region(response)\n self._parent_class.update_region_to_controller(auth_region)\n self._parent_class.reparse_login_cookie_after_region_update(\n response)\n api_logger.debug('AUTH_TOKEN=%s', response.cgx_content.get(\n 'x_auth_token'))\n if self.interactive_update_profile_vars():\n if self._parent_class.tenant_id:\n if self.interactive_tenant_update_vars():\n if self._parent_class.is_esp:\n choose_status, chosen_client_id = (self.\n interactive_client_choice())\n if choose_status:\n clogin_resp = (self._parent_class.post.\n login_clients(chosen_client_id, {}))\n if clogin_resp.cgx_status:\n c_profile = (self.\n interactive_update_profile_vars())\n t_profile = (self.\n interactive_tenant_update_vars())\n if c_profile and t_profile:\n self._parent_class._password = None\n self._parent_class.remove_header('Referer')\n return True\n else:\n if t_profile:\n print(\n 'ESP Client Tenant detail retrieval failed.'\n )\n self._parent_class.email = None\n self._parent_class._password = None\n self._parent_class.remove_header('Referer')\n return False\n else:\n print('ESP Client Login failed.')\n self._parent_class.email = None\n self._parent_class._password = None\n self._parent_class.remove_header('Referer')\n return False\n else:\n print('ESP Client Choice failed.')\n self._parent_class.email = None\n self._parent_class._password = None\n self._parent_class.remove_header('Referer')\n return False\n self._parent_class._password = None\n self._parent_class.remove_header('Referer')\n return True\n else:\n print('Tenant detail retrieval failed.')\n self._parent_class.email = None\n self._parent_class._password = None\n self._parent_class.remove_header('Referer')\n return False\n else:\n self._parent_class.email = None\n self._parent_class._password = None\n return False\n api_logger.info('EMAIL = %s', self._parent_class.email)\n api_logger.info('USER_ID = %s', self._parent_class._user_id)\n api_logger.info('USER ROLES = %s', json.dumps(self._parent_class.roles)\n )\n api_logger.info('TENANT_ID = %s', self._parent_class.tenant_id)\n api_logger.info('TENANT_NAME = %s', self._parent_class.tenant_name)\n api_logger.info('TOKEN_SESSION = %s', self._parent_class.token_session)\n self._parent_class.remove_header('Referer')\n else:\n api_logger.debug('LOGIN_FAIL_RESPONSE = %s', json.dumps(response.\n cgx_content, indent=4))\n print('Login failed, please try again:', response.cgx_content)\n self._parent_class.email = None\n self._parent_class.password = None\n self._parent_class.remove_header('Referer')\n return False\n", "role": "user" }, { "content": "login", "role": "assistant" } ]
def x(self, token=None): api_logger.info('use_token function:') if not isinstance(token, (text_type, binary_type)): api_logger.debug('"token" was not a text-style string: {}'.format( text_type(token))) return False session = self._parent_class.expose_session() session.cookies.clear() self._parent_class.add_headers({'X-Auth-Token': token}) if self.interactive_update_profile_vars(): if self._parent_class.tenant_id: if self.interactive_tenant_update_vars(): if self._parent_class.is_esp: choose_status, chosen_client_id = (self. interactive_client_choice()) if choose_status: clogin_resp = self._parent_class.post.login_clients( chosen_client_id, {}) if clogin_resp.cgx_status: c_profile = self.interactive_update_profile_vars() t_profile = self.interactive_tenant_update_vars() if c_profile and t_profile: self._parent_class._password = None return True else: if t_profile: print( 'ESP Client Tenant detail retrieval failed.' ) self._parent_class.email = None self._parent_class._password = None return False else: print('ESP Client Login failed.') self._parent_class.email = None self._parent_class._password = None return False else: print('ESP Client Choice failed.') self._parent_class.email = None self._parent_class._password = None return False self._parent_class._password = None return True else: print('Tenant detail retrieval failed.') self._parent_class.email = None self._parent_class._password = None return False else: self._parent_class.email = None self._parent_class._password = None return False api_logger.info('EMAIL = %s', self._parent_class.email) api_logger.info('USER_ID = %s', self._parent_class._user_id) api_logger.info('USER ROLES = %s', json.dumps(self._parent_class.roles)) api_logger.info('TENANT_ID = %s', self._parent_class.tenant_id) api_logger.info('TENANT_NAME = %s', self._parent_class.tenant_name) api_logger.info('TOKEN_SESSION = %s', self._parent_class.token_session) return True
use_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token=None):\n api_logger.info('use_token function:')\n if not isinstance(token, (text_type, binary_type)):\n api_logger.debug('\"token\" was not a text-style string: {}'.format(\n text_type(token)))\n return False\n session = self._parent_class.expose_session()\n session.cookies.clear()\n self._parent_class.add_headers({'X-Auth-Token': token})\n if self.interactive_update_profile_vars():\n if self._parent_class.tenant_id:\n if self.interactive_tenant_update_vars():\n if self._parent_class.is_esp:\n choose_status, chosen_client_id = (self.\n interactive_client_choice())\n if choose_status:\n clogin_resp = self._parent_class.post.login_clients(\n chosen_client_id, {})\n if clogin_resp.cgx_status:\n c_profile = self.interactive_update_profile_vars()\n t_profile = self.interactive_tenant_update_vars()\n if c_profile and t_profile:\n self._parent_class._password = None\n return True\n else:\n if t_profile:\n print(\n 'ESP Client Tenant detail retrieval failed.'\n )\n self._parent_class.email = None\n self._parent_class._password = None\n return False\n else:\n print('ESP Client Login failed.')\n self._parent_class.email = None\n self._parent_class._password = None\n return False\n else:\n print('ESP Client Choice failed.')\n self._parent_class.email = None\n self._parent_class._password = None\n return False\n self._parent_class._password = None\n return True\n else:\n print('Tenant detail retrieval failed.')\n self._parent_class.email = None\n self._parent_class._password = None\n return False\n else:\n self._parent_class.email = None\n self._parent_class._password = None\n return False\n api_logger.info('EMAIL = %s', self._parent_class.email)\n api_logger.info('USER_ID = %s', self._parent_class._user_id)\n api_logger.info('USER ROLES = %s', json.dumps(self._parent_class.roles))\n api_logger.info('TENANT_ID = %s', self._parent_class.tenant_id)\n api_logger.info('TENANT_NAME = %s', self._parent_class.tenant_name)\n api_logger.info('TOKEN_SESSION = %s', self._parent_class.token_session)\n return True\n", "role": "user" }, { "content": "use_token", "role": "assistant" } ]
def x(self): api_logger.info('interactive_tenant_update_vars function:') tenant_resp = self._parent_class.get.tenants(self._parent_class.tenant_id) status = tenant_resp.cgx_status tenant_dict = tenant_resp.cgx_content if status: api_logger.debug('new tenant_dict: %s', tenant_dict) self._parent_class.tenant_name = tenant_dict.get('name', self. _parent_class.tenant_id) self._parent_class.is_esp = tenant_dict.get('is_esp') address_lookup = tenant_dict.get('address', None) if address_lookup: tenant_address = address_lookup.get('street', '') + ', ' tenant_address += str(address_lookup.get('street2', '')) + ', ' tenant_address += str(address_lookup.get('city', '')) + ', ' tenant_address += str(address_lookup.get('state', '')) + ', ' tenant_address += str(address_lookup.get('post_code', '')) + ', ' tenant_address += str(address_lookup.get('country', '')) + ', ' else: tenant_address = 'Unknown' self._parent_class.address = tenant_address return True else: return False
interactive_tenant_update_vars
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n api_logger.info('interactive_tenant_update_vars function:')\n tenant_resp = self._parent_class.get.tenants(self._parent_class.tenant_id)\n status = tenant_resp.cgx_status\n tenant_dict = tenant_resp.cgx_content\n if status:\n api_logger.debug('new tenant_dict: %s', tenant_dict)\n self._parent_class.tenant_name = tenant_dict.get('name', self.\n _parent_class.tenant_id)\n self._parent_class.is_esp = tenant_dict.get('is_esp')\n address_lookup = tenant_dict.get('address', None)\n if address_lookup:\n tenant_address = address_lookup.get('street', '') + ', '\n tenant_address += str(address_lookup.get('street2', '')) + ', '\n tenant_address += str(address_lookup.get('city', '')) + ', '\n tenant_address += str(address_lookup.get('state', '')) + ', '\n tenant_address += str(address_lookup.get('post_code', '')) + ', '\n tenant_address += str(address_lookup.get('country', '')) + ', '\n else:\n tenant_address = 'Unknown'\n self._parent_class.address = tenant_address\n return True\n else:\n return False\n", "role": "user" }, { "content": "interactive_tenant_update_vars", "role": "assistant" } ]
def x(self): profile = self._parent_class.get.profile() if profile.cgx_status: self._parent_class.tenant_id = profile.cgx_content.get('tenant_id') self._parent_class.email = profile.cgx_content.get('email') self._parent_class._user_id = profile.cgx_content.get('id') self._parent_class.roles = profile.cgx_content.get('roles', []) self._parent_class.token_session = profile.cgx_content.get( 'token_session') return True else: print('Profile retrieval failed.') self._parent_class._password = None return False
interactive_update_profile_vars
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n profile = self._parent_class.get.profile()\n if profile.cgx_status:\n self._parent_class.tenant_id = profile.cgx_content.get('tenant_id')\n self._parent_class.email = profile.cgx_content.get('email')\n self._parent_class._user_id = profile.cgx_content.get('id')\n self._parent_class.roles = profile.cgx_content.get('roles', [])\n self._parent_class.token_session = profile.cgx_content.get(\n 'token_session')\n return True\n else:\n print('Profile retrieval failed.')\n self._parent_class._password = None\n return False\n", "role": "user" }, { "content": "interactive_update_profile_vars", "role": "assistant" } ]
def x(self): clients = self._parent_class.get.clients_t() clients_perms = self._parent_class.get.permissions_clients_d(self. _parent_class._user_id) client_status = clients.cgx_status clients_dict = clients.cgx_content c_perms_status = clients_perms.cgx_status c_perms_dict = clients_perms.cgx_content if client_status and c_perms_status: client_id_name = {} for client in clients_dict.get('items', []): if type(client) is dict: client_id_name[client.get('id', 'err')] = client.get( 'canonical_name') menu_list = [] for client in c_perms_dict.get('items', []): if type(client) is dict: client_id = client.get('client_id') menu_list.append((client_id_name.get(client_id, client_id), client_id)) if not menu_list: print('No ESP/MSP clients allowed for user.') return False, {} _, chosen_client_id = self.quick_menu( 'ESP/MSP Detected. Select a client to use:', '{0}) {1}', menu_list) return True, chosen_client_id else: print('ESP/MSP detail retrieval failed.') return False, {}
interactive_client_choice
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n clients = self._parent_class.get.clients_t()\n clients_perms = self._parent_class.get.permissions_clients_d(self.\n _parent_class._user_id)\n client_status = clients.cgx_status\n clients_dict = clients.cgx_content\n c_perms_status = clients_perms.cgx_status\n c_perms_dict = clients_perms.cgx_content\n if client_status and c_perms_status:\n client_id_name = {}\n for client in clients_dict.get('items', []):\n if type(client) is dict:\n client_id_name[client.get('id', 'err')] = client.get(\n 'canonical_name')\n menu_list = []\n for client in c_perms_dict.get('items', []):\n if type(client) is dict:\n client_id = client.get('client_id')\n menu_list.append((client_id_name.get(client_id, client_id),\n client_id))\n if not menu_list:\n print('No ESP/MSP clients allowed for user.')\n return False, {}\n _, chosen_client_id = self.quick_menu(\n 'ESP/MSP Detected. Select a client to use:', '{0}) {1}', menu_list)\n return True, chosen_client_id\n else:\n print('ESP/MSP detail retrieval failed.')\n return False, {}\n", "role": "user" }, { "content": "interactive_client_choice", "role": "assistant" } ]
def x(self, banner, list_line_format, choice_list): invalid = True menu_int = -1 while invalid: print(banner) for item_index, item_value in enumerate(choice_list): print(list_line_format.format(item_index + 1, *item_value)) menu_choice = compat_input('\nChoose a Number or (Q)uit: ') if str(menu_choice).lower() in ['q']: print('Exiting..') self._parent_class.get.logout() sys.exit(0) try: menu_int = int(menu_choice) sanity = True except ValueError: print('ERROR: ', menu_choice) sanity = False if sanity and 1 <= menu_int <= len(choice_list): invalid = False else: print('Invalid input, needs to be between 1 and {0}.\n'.format( len(choice_list))) return choice_list[int(menu_int) - 1]
quick_menu
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, banner, list_line_format, choice_list):\n invalid = True\n menu_int = -1\n while invalid:\n print(banner)\n for item_index, item_value in enumerate(choice_list):\n print(list_line_format.format(item_index + 1, *item_value))\n menu_choice = compat_input('\\nChoose a Number or (Q)uit: ')\n if str(menu_choice).lower() in ['q']:\n print('Exiting..')\n self._parent_class.get.logout()\n sys.exit(0)\n try:\n menu_int = int(menu_choice)\n sanity = True\n except ValueError:\n print('ERROR: ', menu_choice)\n sanity = False\n if sanity and 1 <= menu_int <= len(choice_list):\n invalid = False\n else:\n print('Invalid input, needs to be between 1 and {0}.\\n'.format(\n len(choice_list)))\n return choice_list[int(menu_int) - 1]\n", "role": "user" }, { "content": "quick_menu", "role": "assistant" } ]
def x(self, operator_email, request_id): data = {'email': operator_email, 'requestId': request_id} api_logger.info('check_sso_login function:') response = self._parent_class.post.login(data=data) if not response.cgx_content.get('x_auth_token'): return response auth_region = self._parent_class.parse_region(response) self._parent_class.update_region_to_controller(auth_region) self._parent_class.reparse_login_cookie_after_region_update(response) return response
check_sso_login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, operator_email, request_id):\n data = {'email': operator_email, 'requestId': request_id}\n api_logger.info('check_sso_login function:')\n response = self._parent_class.post.login(data=data)\n if not response.cgx_content.get('x_auth_token'):\n return response\n auth_region = self._parent_class.parse_region(response)\n self._parent_class.update_region_to_controller(auth_region)\n self._parent_class.reparse_login_cookie_after_region_update(response)\n return response\n", "role": "user" }, { "content": "check_sso_login", "role": "assistant" } ]
def x(self, force=False): session = self._parent_class.expose_session() if force or not self._parent_class.token_session: result = self._parent_class.get.logout() if result.cgx_status: self._parent_class.tenant_id = None self._parent_class.tenant_name = None self._parent_class.is_esp = None self._parent_class.client_id = None self._parent_class.address_string = None self._parent_class.email = None self._parent_class._user_id = None self._parent_class._password = None self._parent_class.roles = None self._parent_class.token_session = None if session.headers.get('X-Auth-Token'): self._parent_class.remove_header('X-Auth-Token') return result.cgx_status else: api_logger.debug('TOKEN SESSION, LOGOUT API NOT CALLED.') self._parent_class.tenant_id = None self._parent_class.tenant_name = None self._parent_class.is_esp = None self._parent_class.client_id = None self._parent_class.address_string = None self._parent_class.email = None self._parent_class._user_id = None self._parent_class._password = None self._parent_class.roles = None self._parent_class.token_session = None if session.headers.get('X-Auth-Token'): self._parent_class.remove_header('X-Auth-Token') return True
logout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, force=False):\n session = self._parent_class.expose_session()\n if force or not self._parent_class.token_session:\n result = self._parent_class.get.logout()\n if result.cgx_status:\n self._parent_class.tenant_id = None\n self._parent_class.tenant_name = None\n self._parent_class.is_esp = None\n self._parent_class.client_id = None\n self._parent_class.address_string = None\n self._parent_class.email = None\n self._parent_class._user_id = None\n self._parent_class._password = None\n self._parent_class.roles = None\n self._parent_class.token_session = None\n if session.headers.get('X-Auth-Token'):\n self._parent_class.remove_header('X-Auth-Token')\n return result.cgx_status\n else:\n api_logger.debug('TOKEN SESSION, LOGOUT API NOT CALLED.')\n self._parent_class.tenant_id = None\n self._parent_class.tenant_name = None\n self._parent_class.is_esp = None\n self._parent_class.client_id = None\n self._parent_class.address_string = None\n self._parent_class.email = None\n self._parent_class._user_id = None\n self._parent_class._password = None\n self._parent_class.roles = None\n self._parent_class.token_session = None\n if session.headers.get('X-Auth-Token'):\n self._parent_class.remove_header('X-Auth-Token')\n return True\n", "role": "user" }, { "content": "logout", "role": "assistant" } ]
def x(api_response): try: print(json.dumps(api_response.cgx_content, indent=4)) except (TypeError, ValueError, AttributeError): try: print(json.dumps(api_response, indent=4)) except (TypeError, ValueError, AttributeError): print(api_response) return
jd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(api_response):\n try:\n print(json.dumps(api_response.cgx_content, indent=4))\n except (TypeError, ValueError, AttributeError):\n try:\n print(json.dumps(api_response, indent=4))\n except (TypeError, ValueError, AttributeError):\n print(api_response)\n return\n", "role": "user" }, { "content": "jd", "role": "assistant" } ]
def x(prompt, default_value): valid = False value = default_value.lower() while not valid: input_val = compat_input(prompt + '[{0}]: '.format(default_value)) if input_val == '': value = default_value.lower() valid = True else: try: if input_val.lower() in ['y', 'n']: value = input_val.lower() valid = True else: print("ERROR: enter 'Y' or 'N'.") valid = False except ValueError: print("ERROR: enter 'Y' or 'N'.") valid = False return value
quick_confirm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prompt, default_value):\n valid = False\n value = default_value.lower()\n while not valid:\n input_val = compat_input(prompt + '[{0}]: '.format(default_value))\n if input_val == '':\n value = default_value.lower()\n valid = True\n else:\n try:\n if input_val.lower() in ['y', 'n']:\n value = input_val.lower()\n valid = True\n else:\n print(\"ERROR: enter 'Y' or 'N'.\")\n valid = False\n except ValueError:\n print(\"ERROR: enter 'Y' or 'N'.\")\n valid = False\n return value\n", "role": "user" }, { "content": "quick_confirm", "role": "assistant" } ]
def x(prompt, default_value, min_val=1, max_val=30): valid = False num_val = default_value while not valid: input_val = compat_input(prompt + '[{0}]: '.format(default_value)) if input_val == '': num_val = default_value valid = True else: try: num_val = int(input_val) if min_val <= num_val <= max_val: valid = True else: print('ERROR: must be between {0} and {1}.'.format(min, max)) valid = False except ValueError: print('ERROR: must be a number.') valid = False return num_val
quick_int_input
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prompt, default_value, min_val=1, max_val=30):\n valid = False\n num_val = default_value\n while not valid:\n input_val = compat_input(prompt + '[{0}]: '.format(default_value))\n if input_val == '':\n num_val = default_value\n valid = True\n else:\n try:\n num_val = int(input_val)\n if min_val <= num_val <= max_val:\n valid = True\n else:\n print('ERROR: must be between {0} and {1}.'.format(min,\n max))\n valid = False\n except ValueError:\n print('ERROR: must be a number.')\n valid = False\n return num_val\n", "role": "user" }, { "content": "quick_int_input", "role": "assistant" } ]
def x(prompt, default_value): valid = False str_val = default_value while not valid: input_val = raw_input(prompt + '[{0}]: '.format(default_value)) if input_val == '': str_val = default_value valid = True else: try: str_val = text_type(input_val) valid = True except ValueError: print('ERROR: must be text.') valid = False return str_val
quick_str_input
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prompt, default_value):\n valid = False\n str_val = default_value\n while not valid:\n input_val = raw_input(prompt + '[{0}]: '.format(default_value))\n if input_val == '':\n str_val = default_value\n valid = True\n else:\n try:\n str_val = text_type(input_val)\n valid = True\n except ValueError:\n print('ERROR: must be text.')\n valid = False\n return str_val\n", "role": "user" }, { "content": "quick_str_input", "role": "assistant" } ]
def x(digest_1, digest_2, is_hex_1=True, is_hex_2=True, threshold=None): if threshold is not None: threshold -= 128 threshold *= -1 if is_hex_1 and is_hex_2: bits = 0 for i in range_(0, 63, 2): bits += POPC[255 & int(digest_1[i:i + 2], 16) ^ int(digest_2[i: i + 2], 16)] if threshold is not None and bits > threshold: break return 128 - bits else: if is_hex_1: digest_1 = convert_hex_to_ints(digest_1) if is_hex_2: digest_2 = convert_hex_to_ints(digest_2) bit_diff = 0 for i in range(len(digest_1)): bit_diff += POPC[255 & digest_1[i] ^ digest_2[i]] if threshold is not None and bit_diff > threshold: break return 128 - bit_diff
compare_digests
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(digest_1, digest_2, is_hex_1=True, is_hex_2=True, threshold=None):\n if threshold is not None:\n threshold -= 128\n threshold *= -1\n if is_hex_1 and is_hex_2:\n bits = 0\n for i in range_(0, 63, 2):\n bits += POPC[255 & int(digest_1[i:i + 2], 16) ^ int(digest_2[i:\n i + 2], 16)]\n if threshold is not None and bits > threshold:\n break\n return 128 - bits\n else:\n if is_hex_1:\n digest_1 = convert_hex_to_ints(digest_1)\n if is_hex_2:\n digest_2 = convert_hex_to_ints(digest_2)\n bit_diff = 0\n for i in range(len(digest_1)):\n bit_diff += POPC[255 & digest_1[i] ^ digest_2[i]]\n if threshold is not None and bit_diff > threshold:\n break\n return 128 - bit_diff\n", "role": "user" }, { "content": "compare_digests", "role": "assistant" } ]
def x(self, a, b, c, n): return (TRAN[a + n & 255] ^ TRAN[b] * (n + n + 1)) + TRAN[c ^ TRAN[n] ] & 255
tran_hash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, a, b, c, n):\n return (TRAN[a + n & 255] ^ TRAN[b] * (n + n + 1)) + TRAN[c ^ TRAN[n]\n ] & 255\n", "role": "user" }, { "content": "tran_hash", "role": "assistant" } ]
def x(self, chunk): self._digest = None if isinstance(chunk, text_type): chunk = chunk.encode('utf-8') for char in chunk: self.num_char += 1 if PY3: c = char else: c = ord(char) if len(self.window) > 1: self.acc[self.tran_hash(c, self.window[0], self.window[1], 0)] += 1 if len(self.window) > 2: self.acc[self.tran_hash(c, self.window[0], self.window[2], 1)] += 1 self.acc[self.tran_hash(c, self.window[1], self.window[2], 2)] += 1 if len(self.window) > 3: self.acc[self.tran_hash(c, self.window[0], self.window[3], 3)] += 1 self.acc[self.tran_hash(c, self.window[1], self.window[3], 4)] += 1 self.acc[self.tran_hash(c, self.window[2], self.window[3], 5)] += 1 self.acc[self.tran_hash(self.window[3], self.window[0], c, 6)] += 1 self.acc[self.tran_hash(self.window[3], self.window[2], c, 7)] += 1 if len(self.window) < 4: self.window = [c] + self.window else: self.window = [c] + self.window[:3]
process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chunk):\n self._digest = None\n if isinstance(chunk, text_type):\n chunk = chunk.encode('utf-8')\n for char in chunk:\n self.num_char += 1\n if PY3:\n c = char\n else:\n c = ord(char)\n if len(self.window) > 1:\n self.acc[self.tran_hash(c, self.window[0], self.window[1], 0)] += 1\n if len(self.window) > 2:\n self.acc[self.tran_hash(c, self.window[0], self.window[2], 1)] += 1\n self.acc[self.tran_hash(c, self.window[1], self.window[2], 2)] += 1\n if len(self.window) > 3:\n self.acc[self.tran_hash(c, self.window[0], self.window[3], 3)] += 1\n self.acc[self.tran_hash(c, self.window[1], self.window[3], 4)] += 1\n self.acc[self.tran_hash(c, self.window[2], self.window[3], 5)] += 1\n self.acc[self.tran_hash(self.window[3], self.window[0], c, 6)] += 1\n self.acc[self.tran_hash(self.window[3], self.window[2], c, 7)] += 1\n if len(self.window) < 4:\n self.window = [c] + self.window\n else:\n self.window = [c] + self.window[:3]\n", "role": "user" }, { "content": "process", "role": "assistant" } ]
def x(self): num_trigrams = 0 if self.num_char == 3: num_trigrams = 1 elif self.num_char == 4: num_trigrams = 4 elif self.num_char > 4: num_trigrams = 8 * self.num_char - 28 threshold = num_trigrams / 256.0 digest = [0] * 32 for i in range(256): if self.acc[i] > threshold: digest[i >> 3] += 1 << (i & 7) self._digest = digest[::-1]
compute_digest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n num_trigrams = 0\n if self.num_char == 3:\n num_trigrams = 1\n elif self.num_char == 4:\n num_trigrams = 4\n elif self.num_char > 4:\n num_trigrams = 8 * self.num_char - 28\n threshold = num_trigrams / 256.0\n digest = [0] * 32\n for i in range(256):\n if self.acc[i] > threshold:\n digest[i >> 3] += 1 << (i & 7)\n self._digest = digest[::-1]\n", "role": "user" }, { "content": "compute_digest", "role": "assistant" } ]
def x(self, fname): f = open(fname, 'rb') data = f.read() self.update(data) f.close()
from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fname):\n f = open(fname, 'rb')\n data = f.read()\n self.update(data)\n f.close()\n", "role": "user" }, { "content": "from_file", "role": "assistant" } ]
def x(self, digest_2, is_hex=False): if is_hex: digest_2 = convert_hex_to_ints(digest_2) bit_diff = 0 for i in range(len(self.digest)): bit_diff += POPC[self.digest[i] ^ digest_2[i]] return 128 - bit_diff
compare
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, digest_2, is_hex=False):\n if is_hex:\n digest_2 = convert_hex_to_ints(digest_2)\n bit_diff = 0\n for i in range(len(self.digest)):\n bit_diff += POPC[self.digest[i] ^ digest_2[i]]\n return 128 - bit_diff\n", "role": "user" }, { "content": "compare", "role": "assistant" } ]
def x(self, data, api_version='v2.0'): cur_ctlr = self._parent_class.controller url = str(cur_ctlr) + '/{}/api/login'.format(api_version) api_logger.debug('URL = %s', url) return self._parent_class.rest_call(url, 'post', data=data, sensitive=True)
login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, api_version='v2.0'):\n cur_ctlr = self._parent_class.controller\n url = str(cur_ctlr) + '/{}/api/login'.format(api_version)\n api_logger.debug('URL = %s', url)\n return self._parent_class.rest_call(url, 'post', data=data, sensitive=True)\n", "role": "user" }, { "content": "login", "role": "assistant" } ]
def x(self, data, tenant_id=None, api_version='v2.0'): if tenant_id is None and self._parent_class.tenant_id: tenant_id = self._parent_class.tenant_id elif not tenant_id: raise TypeError('tenant_id is required but not set or cached.') cur_ctlr = self._parent_class.controller url = str(cur_ctlr) + '/{}/api/tenants/{}/login/password/forgot'.format( api_version, tenant_id) api_logger.debug('URL = %s', url) return self._parent_class.rest_call(url, 'post', data=data, sensitive=True)
tenant_forgot_password_login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, tenant_id=None, api_version='v2.0'):\n if tenant_id is None and self._parent_class.tenant_id:\n tenant_id = self._parent_class.tenant_id\n elif not tenant_id:\n raise TypeError('tenant_id is required but not set or cached.')\n cur_ctlr = self._parent_class.controller\n url = str(cur_ctlr) + '/{}/api/tenants/{}/login/password/forgot'.format(\n api_version, tenant_id)\n api_logger.debug('URL = %s', url)\n return self._parent_class.rest_call(url, 'post', data=data, sensitive=True)\n", "role": "user" }, { "content": "tenant_forgot_password_login", "role": "assistant" } ]
def x(parser, arg): if not os.path.exists(arg): parser.error('File %s not found' % arg) else: return arg
is_valid_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parser, arg):\n if not os.path.exists(arg):\n parser.error('File %s not found' % arg)\n else:\n return arg\n", "role": "user" }, { "content": "is_valid_file", "role": "assistant" } ]
def x(code_file): json_path = ghostfolder + '/' + json_file if os.path.exists(json_path): pass else: download_file('https://ghostbin.com/languages.json') lang = detect_lang(code_file) json_data = json.load(file(json_path)) ID = '' for i in range(len(json_data)): temp = len(json_data[i]['languages']) for j in range(temp): if json_data[i]['languages'][j]['name'].lower() == lang.lower(): ID = json_data[i]['languages'][j]['id'] print("Gotten language ID from 'languages.json': {0}". format(ID)) return ID
getID
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(code_file):\n json_path = ghostfolder + '/' + json_file\n if os.path.exists(json_path):\n pass\n else:\n download_file('https://ghostbin.com/languages.json')\n lang = detect_lang(code_file)\n json_data = json.load(file(json_path))\n ID = ''\n for i in range(len(json_data)):\n temp = len(json_data[i]['languages'])\n for j in range(temp):\n if json_data[i]['languages'][j]['name'].lower() == lang.lower():\n ID = json_data[i]['languages'][j]['id']\n print(\"Gotten language ID from 'languages.json': {0}\".\n format(ID))\n return ID\n", "role": "user" }, { "content": "getID", "role": "assistant" } ]
def x(path): blob = FileBlob(path, os.getcwd()) if blob.is_text: print('Programming language of the file detected: {0}'.format(blob. language.name)) return blob.language.name else: print('File not a text file. Exiting...') sys.exit()
detect_lang
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n blob = FileBlob(path, os.getcwd())\n if blob.is_text:\n print('Programming language of the file detected: {0}'.format(blob.\n language.name))\n return blob.language.name\n else:\n print('File not a text file. Exiting...')\n sys.exit()\n", "role": "user" }, { "content": "detect_lang", "role": "assistant" } ]
def x(self, android_serial): self.adb = ADB(android_serial) self.device = Device(android_serial) self.test_helper = TestHelper(self.adb)
set_serial
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, android_serial):\n self.adb = ADB(android_serial)\n self.device = Device(android_serial)\n self.test_helper = TestHelper(self.adb)\n", "role": "user" }, { "content": "set_serial", "role": "assistant" } ]
def x(self, x, y): self.device.click(int(x), int(y))
click_at_coordinates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x, y):\n self.device.click(int(x), int(y))\n", "role": "user" }, { "content": "click_at_coordinates", "role": "assistant" } ]
def x(self, sx, sy, ex, ey, steps=10): self.device.swipe(sx, sy, ex, ey, steps)
swipe_by_coordinates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sx, sy, ex, ey, steps=10):\n self.device.swipe(sx, sy, ex, ey, steps)\n", "role": "user" }, { "content": "swipe_by_coordinates", "role": "assistant" } ]
def x(self, steps=10, *args, **selectors): self.device(**selectors).swipe.left(steps=steps)
swipe_left
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, steps=10, *args, **selectors):\n self.device(**selectors).swipe.left(steps=steps)\n", "role": "user" }, { "content": "swipe_left", "role": "assistant" } ]
def x(self, steps=10, *args, **selectors): self.device(**selectors).swipe.right(steps=steps)
swipe_right
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, steps=10, *args, **selectors):\n self.device(**selectors).swipe.right(steps=steps)\n", "role": "user" }, { "content": "swipe_right", "role": "assistant" } ]
def x(self, steps=10, *args, **selectors): self.device(**selectors).swipe.up(steps=steps)
swipe_top
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, steps=10, *args, **selectors):\n self.device(**selectors).swipe.up(steps=steps)\n", "role": "user" }, { "content": "swipe_top", "role": "assistant" } ]
def x(self, steps=10, *args, **selectors): self.device(**selectors).swipe.down(steps=steps)
swipe_bottom
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, steps=10, *args, **selectors):\n self.device(**selectors).swipe.down(steps=steps)\n", "role": "user" }, { "content": "swipe_bottom", "role": "assistant" } ]
def x(self, sx, sy, ex, ey, steps=10): self.device.drag(sx, sy, ex, ey, steps)
drag_by_coordinates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sx, sy, ex, ey, steps=10):\n self.device.drag(sx, sy, ex, ey, steps)\n", "role": "user" }, { "content": "drag_by_coordinates", "role": "assistant" } ]
def x(self, timeout=0, *args, **selectors): return self.device(**selectors).wait.exists(timeout=timeout)
wait_for_exists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=0, *args, **selectors):\n return self.device(**selectors).wait.exists(timeout=timeout)\n", "role": "user" }, { "content": "wait_for_exists", "role": "assistant" } ]
def x(self, timeout=0, *args, **selectors): return self.device(**selectors).wait.gone(timeout=timeout)
wait_until_gone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=0, *args, **selectors):\n return self.device(**selectors).wait.gone(timeout=timeout)\n", "role": "user" }, { "content": "wait_until_gone", "role": "assistant" } ]
def x(self, *args, **selectors): return self.device(**selectors).fling.horiz.forward()
fling_forward_horizontally
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **selectors):\n return self.device(**selectors).fling.horiz.forward()\n", "role": "user" }, { "content": "fling_forward_horizontally", "role": "assistant" } ]
def x(self, *args, **selectors): return self.device(**selectors).fling.horiz.backward()
fling_backward_horizontally
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **selectors):\n return self.device(**selectors).fling.horiz.backward()\n", "role": "user" }, { "content": "fling_backward_horizontally", "role": "assistant" } ]
def x(self, *args, **selectors): return self.device(**selectors).fling.vert.forward()
fling_forward_vertically
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **selectors):\n return self.device(**selectors).fling.vert.forward()\n", "role": "user" }, { "content": "fling_forward_vertically", "role": "assistant" } ]
def x(self, *args, **selectors): return self.device(**selectors).fling.vert.backward()
fling_backward_vertically
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **selectors):\n return self.device(**selectors).fling.vert.backward()\n", "role": "user" }, { "content": "fling_backward_vertically", "role": "assistant" } ]
def x(self, steps=10, *args, **selectors): return self.device(**selectors).scroll.horiz.toBeginning(steps=steps)
scroll_to_beginning_horizontally
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, steps=10, *args, **selectors):\n return self.device(**selectors).scroll.horiz.toBeginning(steps=steps)\n", "role": "user" }, { "content": "scroll_to_beginning_horizontally", "role": "assistant" } ]
def x(self, steps=10, *args, **selectors): return self.device(**selectors).scroll.horiz.toEnd(steps=steps)
scroll_to_end_horizontally
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, steps=10, *args, **selectors):\n return self.device(**selectors).scroll.horiz.toEnd(steps=steps)\n", "role": "user" }, { "content": "scroll_to_end_horizontally", "role": "assistant" } ]
def x(self, steps=10, *args, **selectors): return self.device(**selectors).scroll.horiz.forward(steps=steps)
scroll_forward_horizontally
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, steps=10, *args, **selectors):\n return self.device(**selectors).scroll.horiz.forward(steps=steps)\n", "role": "user" }, { "content": "scroll_forward_horizontally", "role": "assistant" } ]
def x(self, steps=10, *args, **selectors): return self.device(**selectors).scroll.horiz.backward(steps=steps)
scroll_backward_horizontally
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, steps=10, *args, **selectors):\n return self.device(**selectors).scroll.horiz.backward(steps=steps)\n", "role": "user" }, { "content": "scroll_backward_horizontally", "role": "assistant" } ]
def x(self, obj, *args, **selectors): return obj.scroll.horiz.to(**selectors)
scroll_to_horizontally
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, *args, **selectors):\n return obj.scroll.horiz.to(**selectors)\n", "role": "user" }, { "content": "scroll_to_horizontally", "role": "assistant" } ]
def x(self, steps=10, *args, **selectors): return self.device(**selectors).scroll.vert.toBeginning(steps=steps)
scroll_to_beginning_vertically
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, steps=10, *args, **selectors):\n return self.device(**selectors).scroll.vert.toBeginning(steps=steps)\n", "role": "user" }, { "content": "scroll_to_beginning_vertically", "role": "assistant" } ]
def x(self, steps=10, *args, **selectors): return self.device(**selectors).scroll.vert.toEnd(steps=steps)
scroll_to_end_vertically
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, steps=10, *args, **selectors):\n return self.device(**selectors).scroll.vert.toEnd(steps=steps)\n", "role": "user" }, { "content": "scroll_to_end_vertically", "role": "assistant" } ]
def x(self, steps=10, *args, **selectors): return self.device(**selectors).scroll.vert.forward(steps=steps)
scroll_forward_vertically
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, steps=10, *args, **selectors):\n return self.device(**selectors).scroll.vert.forward(steps=steps)\n", "role": "user" }, { "content": "scroll_forward_vertically", "role": "assistant" } ]
def x(self, steps=10, *args, **selectors): return self.device(**selectors).scroll.vert.backward(steps=steps)
scroll_backward_vertically
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, steps=10, *args, **selectors):\n return self.device(**selectors).scroll.vert.backward(steps=steps)\n", "role": "user" }, { "content": "scroll_backward_vertically", "role": "assistant" } ]
def x(self, obj, *args, **selectors): return obj.scroll.vert.to(**selectors)
scroll_to_vertically
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, *args, **selectors):\n return obj.scroll.vert.to(**selectors)\n", "role": "user" }, { "content": "scroll_to_vertically", "role": "assistant" } ]
def x(self, scale=None, quality=None): output_dir = BuiltIn().get_variable_value('${OUTPUTDIR}') ts = time.time() st = datetime.datetime.fromtimestamp(ts).strftime('%Y%m%d%H%M%S') screenshot_path = '%s%s%s.png' % (output_dir, os.sep, st) self.device.screenshot(screenshot_path, scale, quality) logger.info('\n<a href="%s">%s</a><br><img src="%s">' % ( screenshot_path, st, screenshot_path), html=True)
screenshot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, scale=None, quality=None):\n output_dir = BuiltIn().get_variable_value('${OUTPUTDIR}')\n ts = time.time()\n st = datetime.datetime.fromtimestamp(ts).strftime('%Y%m%d%H%M%S')\n screenshot_path = '%s%s%s.png' % (output_dir, os.sep, st)\n self.device.screenshot(screenshot_path, scale, quality)\n logger.info('\\n<a href=\"%s\">%s</a><br><img src=\"%s\">' % (\n screenshot_path, st, screenshot_path), html=True)\n", "role": "user" }, { "content": "screenshot", "role": "assistant" } ]
def x(self, watcher_name, selectors, *condition_list): watcher = self.device.watcher(watcher_name) for condition in condition_list: watcher.when(**self.__unicode_to_dict(condition)) watcher.click(**self.__unicode_to_dict(selectors)) self.device.watchers.run()
register_click_watcher
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, watcher_name, selectors, *condition_list):\n watcher = self.device.watcher(watcher_name)\n for condition in condition_list:\n watcher.when(**self.__unicode_to_dict(condition))\n watcher.click(**self.__unicode_to_dict(selectors))\n self.device.watchers.run()\n", "role": "user" }, { "content": "register_click_watcher", "role": "assistant" } ]
def x(self, watcher_name, press_keys, *condition_list): def x(a_unicode): a_list = list() comma_count = a_unicode.count(',') for count in range(comma_count + 1): comma_position = a_unicode.find(',') if comma_position == -1: a_list.append(str(a_unicode)) else: a_list.append(a_unicode[0:comma_position]) a_unicode = a_unicode[comma_position + 1:] return a_list watcher = self.device.watcher(watcher_name) for condition in condition_list: watcher.when(**self.__unicode_to_dict(condition)) watcher.press(*unicode_to_list(press_keys)) self.device.watchers.run()
register_press_watcher
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, watcher_name, press_keys, *condition_list):\n\n def x(a_unicode):\n a_list = list()\n comma_count = a_unicode.count(',')\n for count in range(comma_count + 1):\n comma_position = a_unicode.find(',')\n if comma_position == -1:\n a_list.append(str(a_unicode))\n else:\n a_list.append(a_unicode[0:comma_position])\n a_unicode = a_unicode[comma_position + 1:]\n return a_list\n watcher = self.device.watcher(watcher_name)\n for condition in condition_list:\n watcher.when(**self.__unicode_to_dict(condition))\n watcher.press(*unicode_to_list(press_keys))\n self.device.watchers.run()\n", "role": "user" }, { "content": "register_press_watcher", "role": "assistant" } ]
def x(self, watcher_name=None): if watcher_name == None: self.device.watchers.remove() else: self.device.watchers.remove(watcher_name)
remove_watchers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, watcher_name=None):\n if watcher_name == None:\n self.device.watchers.remove()\n else:\n self.device.watchers.remove(watcher_name)\n", "role": "user" }, { "content": "remove_watchers", "role": "assistant" } ]
def x(self, *args, **selectors): obj = self.get_object(**selectors) return self.get_count_of_object(obj)
get_count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **selectors):\n obj = self.get_object(**selectors)\n return self.get_count_of_object(obj)\n", "role": "user" }, { "content": "get_count", "role": "assistant" } ]
def x(self, obj, selector=None): if selector: return obj.info.get(selector) else: return obj.info
get_info_of_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, selector=None):\n if selector:\n return obj.info.get(selector)\n else:\n return obj.info\n", "role": "user" }, { "content": "get_info_of_object", "role": "assistant" } ]
def x(self, obj, method, *args, **selectors): func = getattr(obj, method) return func(**selectors)
call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, method, *args, **selectors):\n func = getattr(obj, method)\n return func(**selectors)\n", "role": "user" }, { "content": "call", "role": "assistant" } ]
def x(self, input_text, *args, **selectors): self.device(**selectors).set_text(input_text)
set_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_text, *args, **selectors):\n self.device(**selectors).set_text(input_text)\n", "role": "user" }, { "content": "set_text", "role": "assistant" } ]
def x(self, *args, **selectors): while True: target = self.device(**selectors) text = target.info['text'] target.clear_text() remain_text = target.info['text'] if text == '' or remain_text == text: break
clear_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **selectors):\n while True:\n target = self.device(**selectors)\n text = target.info['text']\n target.clear_text()\n remain_text = target.info['text']\n if text == '' or remain_text == text:\n break\n", "role": "user" }, { "content": "clear_text", "role": "assistant" } ]
def x(self): sdk_version = self.device.info['sdkInt'] if sdk_version < 18: height = self.device.info['displayHeight'] self.device.swipe(1, 1, 1, height - 1, 1) else: self.device.open.notification()
open_notification
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n sdk_version = self.device.info['sdkInt']\n if sdk_version < 18:\n height = self.device.info['displayHeight']\n self.device.swipe(1, 1, 1, height - 1, 1)\n else:\n self.device.open.notification()\n", "role": "user" }, { "content": "open_notification", "role": "assistant" } ]
def x(self, time): target = 'wait for %s' % str(time) self.device(text=target).wait.exists(timeout=time)
sleep
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time):\n target = 'wait for %s' % str(time)\n self.device(text=target).wait.exists(timeout=time)\n", "role": "user" }, { "content": "sleep", "role": "assistant" } ]
def x(self, ssid, password=None): cmd = ( 'am broadcast -a testagent -e action CONNECT_TO_WIFI -e ssid %s -e password %s' % (ssid, password)) self.adb.shell_cmd(cmd)
connect_to_wifi
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ssid, password=None):\n cmd = (\n 'am broadcast -a testagent -e action CONNECT_TO_WIFI -e ssid %s -e password %s'\n % (ssid, password))\n self.adb.shell_cmd(cmd)\n", "role": "user" }, { "content": "connect_to_wifi", "role": "assistant" } ]
def x(oldsims, newsims, clip=None): if oldsims is None: result = newsims or [] elif newsims is None: result = oldsims else: result = sorted(oldsims + newsims, key=lambda item: -item[1]) if clip is not None: result = result[:clip] return result
merge_sims
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(oldsims, newsims, clip=None):\n if oldsims is None:\n result = newsims or []\n elif newsims is None:\n result = oldsims\n else:\n result = sorted(oldsims + newsims, key=lambda item: -item[1])\n if clip is not None:\n result = result[:clip]\n return result\n", "role": "user" }, { "content": "merge_sims", "role": "assistant" } ]
def x(self, fresh_docs, model): docids = fresh_docs.keys() vectors = model.docs2vecs(fresh_docs[docid] for docid in docids) logger.info('adding %i documents to %s' % (len(docids), self)) self.qindex.add_documents(vectors) self.qindex.save() self.update_ids(docids)
index_documents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fresh_docs, model):\n docids = fresh_docs.keys()\n vectors = model.docs2vecs(fresh_docs[docid] for docid in docids)\n logger.info('adding %i documents to %s' % (len(docids), self))\n self.qindex.add_documents(vectors)\n self.qindex.save()\n self.update_ids(docids)\n", "role": "user" }, { "content": "index_documents", "role": "assistant" } ]
def x(self, docids): logger.info('updating %i id mappings' % len(docids)) for docid in docids: if docid is not None: pos = self.id2pos.get(docid, None) if pos is not None: logger.info('replacing existing document %r in %s' % (docid, self)) del self.pos2id[pos] self.id2pos[docid] = self.length try: del self.id2sims[docid] except: pass self.length += 1 self.id2sims.sync() self.update_mappings()
update_ids
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, docids):\n logger.info('updating %i id mappings' % len(docids))\n for docid in docids:\n if docid is not None:\n pos = self.id2pos.get(docid, None)\n if pos is not None:\n logger.info('replacing existing document %r in %s' % (docid,\n self))\n del self.pos2id[pos]\n self.id2pos[docid] = self.length\n try:\n del self.id2sims[docid]\n except:\n pass\n self.length += 1\n self.id2sims.sync()\n self.update_mappings()\n", "role": "user" }, { "content": "update_ids", "role": "assistant" } ]