source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x():
try:
import requests_cache
except ImportError as err:
sys.stderr.write('Failed to enable cache: {0}\n'.format(str(err)))
return
if not os.path.exists(CACHE_DIR):
os.makedirs(CACHE_DIR)
requests_cache.install_cache(CACHE_FILE)
|
enable_cache
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n import requests_cache\n except ImportError as err:\n sys.stderr.write('Failed to enable cache: {0}\\n'.format(str(err)))\n return\n if not os.path.exists(CACHE_DIR):\n os.makedirs(CACHE_DIR)\n requests_cache.install_cache(CACHE_FILE)\n",
"role": "user"
},
{
"content": "enable_cache",
"role": "assistant"
}
] |
def x(text):
md5 = hashlib.md5()
md5.update(text)
return md5.hexdigest()
|
hash_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n md5 = hashlib.md5()\n md5.update(text)\n return md5.hexdigest()\n",
"role": "user"
},
{
"content": "hash_text",
"role": "assistant"
}
] |
def x(page_cache, page_hash, cache_size):
page_cache.append(page_hash)
if len(page_cache) > cache_size:
page_cache.pop(0)
|
cache_page
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page_cache, page_hash, cache_size):\n page_cache.append(page_hash)\n if len(page_cache) > cache_size:\n page_cache.pop(0)\n",
"role": "user"
},
{
"content": "cache_page",
"role": "assistant"
}
] |
def x(text, regexps):
if not regexps:
return text
matched_text = []
compiled_regexps = [re.compile(x) for x in regexps]
for line in text:
if line in matched_text:
continue
for regexp in compiled_regexps:
found = regexp.search(line)
if found and found.group():
matched_text.append(line)
return matched_text or text
|
re_filter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, regexps):\n if not regexps:\n return text\n matched_text = []\n compiled_regexps = [re.compile(x) for x in regexps]\n for line in text:\n if line in matched_text:\n continue\n for regexp in compiled_regexps:\n found = regexp.search(line)\n if found and found.group():\n matched_text.append(line)\n return matched_text or text\n",
"role": "user"
},
{
"content": "re_filter",
"role": "assistant"
}
] |
def x(text):
clean_text = []
curr_line = ''
while text:
if not curr_line:
curr_line = text.pop(0)
while not curr_line.strip() and text:
curr_line = text.pop(0)
if curr_line.strip():
clean_text.append(curr_line)
else:
curr_line = text.pop(0)
if not text:
if curr_line.strip():
clean_text.append(curr_line)
continue
if curr_line.strip():
clean_text.append(curr_line)
elif not text[0].strip():
if len(text) > 1 and text[1].strip():
clean_text.append(curr_line)
else:
clean_text.append(curr_line)
cleaner_text = []
for line in clean_text:
clean_line = ' '.join(line.split())
if not clean_line.strip():
clean_line += '\n'
cleaner_text.append(clean_line)
return cleaner_text
|
remove_whitespace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n clean_text = []\n curr_line = ''\n while text:\n if not curr_line:\n curr_line = text.pop(0)\n while not curr_line.strip() and text:\n curr_line = text.pop(0)\n if curr_line.strip():\n clean_text.append(curr_line)\n else:\n curr_line = text.pop(0)\n if not text:\n if curr_line.strip():\n clean_text.append(curr_line)\n continue\n if curr_line.strip():\n clean_text.append(curr_line)\n elif not text[0].strip():\n if len(text) > 1 and text[1].strip():\n clean_text.append(curr_line)\n else:\n clean_text.append(curr_line)\n cleaner_text = []\n for line in clean_text:\n clean_line = ' '.join(line.split())\n if not clean_line.strip():\n clean_line += '\\n'\n cleaner_text.append(clean_line)\n return cleaner_text\n",
"role": "user"
},
{
"content": "remove_whitespace",
"role": "assistant"
}
] |
def x(infile, xpath=None, filter_words=None, attributes=None):
infiles = []
text = []
if xpath is not None:
infile = parse_html(infile, xpath)
if isinstance(infile, list):
if isinstance(infile[0], lh.HtmlElement):
infiles = list(infile)
else:
text = [(line + '\n') for line in infile]
elif isinstance(infile, lh.HtmlElement):
infiles = [infile]
else:
text = [infile]
else:
infiles = [infile]
if attributes is not None:
attributes = [clean_attr(x) for x in attributes]
attributes = [x for x in attributes if x]
else:
attributes = ['text()']
if not text:
text_xpath = '//*[not(self::script) and not(self::style)]'
for attr in attributes:
for infile in infiles:
if isinstance(infile, lh.HtmlElement):
new_text = infile.xpath('{0}/{1}'.format(text_xpath, attr))
else:
new_text = [x for x in re.split('(\n)', infile) if x]
text += new_text
if filter_words is not None:
text = re_filter(text, filter_words)
return [''.join(x for x in line if x in string.printable) for line in
remove_whitespace(text) if line]
|
parse_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(infile, xpath=None, filter_words=None, attributes=None):\n infiles = []\n text = []\n if xpath is not None:\n infile = parse_html(infile, xpath)\n if isinstance(infile, list):\n if isinstance(infile[0], lh.HtmlElement):\n infiles = list(infile)\n else:\n text = [(line + '\\n') for line in infile]\n elif isinstance(infile, lh.HtmlElement):\n infiles = [infile]\n else:\n text = [infile]\n else:\n infiles = [infile]\n if attributes is not None:\n attributes = [clean_attr(x) for x in attributes]\n attributes = [x for x in attributes if x]\n else:\n attributes = ['text()']\n if not text:\n text_xpath = '//*[not(self::script) and not(self::style)]'\n for attr in attributes:\n for infile in infiles:\n if isinstance(infile, lh.HtmlElement):\n new_text = infile.xpath('{0}/{1}'.format(text_xpath, attr))\n else:\n new_text = [x for x in re.split('(\\n)', infile) if x]\n text += new_text\n if filter_words is not None:\n text = re_filter(text, filter_words)\n return [''.join(x for x in line if x in string.printable) for line in\n remove_whitespace(text) if line]\n",
"role": "user"
},
{
"content": "parse_text",
"role": "assistant"
}
] |
def x(args, infilename):
parsed_text = []
if infilename.endswith('.html'):
html = lh.fromstring(read_files(infilename))
text = None
else:
html = None
text = read_files(infilename)
if html is not None:
parsed_text = parse_text(html, args['xpath'], args['filter'], args[
'attributes'])
elif text is not None:
parsed_text = parse_text(text, args['xpath'], args['filter'])
elif not args['quiet']:
sys.stderr.write('Failed to parse text from {0}.\n'.format(infilename))
return parsed_text
|
get_parsed_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, infilename):\n parsed_text = []\n if infilename.endswith('.html'):\n html = lh.fromstring(read_files(infilename))\n text = None\n else:\n html = None\n text = read_files(infilename)\n if html is not None:\n parsed_text = parse_text(html, args['xpath'], args['filter'], args[\n 'attributes'])\n elif text is not None:\n parsed_text = parse_text(text, args['xpath'], args['filter'])\n elif not args['quiet']:\n sys.stderr.write('Failed to parse text from {0}.\\n'.format(infilename))\n return parsed_text\n",
"role": "user"
},
{
"content": "get_parsed_text",
"role": "assistant"
}
] |
def x(infile, xpath):
if not isinstance(infile, lh.HtmlElement):
infile = lh.fromstring(infile)
infile = infile.xpath(xpath)
if not infile:
raise ValueError('XPath {0} returned no results.'.format(xpath))
return infile
|
parse_html
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(infile, xpath):\n if not isinstance(infile, lh.HtmlElement):\n infile = lh.fromstring(infile)\n infile = infile.xpath(xpath)\n if not infile:\n raise ValueError('XPath {0} returned no results.'.format(xpath))\n return infile\n",
"role": "user"
},
{
"content": "parse_html",
"role": "assistant"
}
] |
def x(url, base_url=None):
parsed_url = urlparse(url)
fragment = '{url.fragment}'.format(url=parsed_url)
if fragment:
url = url.split(fragment)[0]
netloc = '{url.netloc}'.format(url=parsed_url)
if base_url is not None and not netloc:
parsed_base = urlparse(base_url)
split_base = '{url.scheme}://{url.netloc}{url.path}/'.format(url=
parsed_base)
url = urljoin(split_base, url)
netloc = '{url.netloc}'.format(url=urlparse(url))
if 'www.' in netloc:
url = url.replace(netloc, netloc.replace('www.', ''))
return url.rstrip(string.punctuation)
|
clean_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, base_url=None):\n parsed_url = urlparse(url)\n fragment = '{url.fragment}'.format(url=parsed_url)\n if fragment:\n url = url.split(fragment)[0]\n netloc = '{url.netloc}'.format(url=parsed_url)\n if base_url is not None and not netloc:\n parsed_base = urlparse(base_url)\n split_base = '{url.scheme}://{url.netloc}{url.path}/'.format(url=\n parsed_base)\n url = urljoin(split_base, url)\n netloc = '{url.netloc}'.format(url=urlparse(url))\n if 'www.' in netloc:\n url = url.replace(netloc, netloc.replace('www.', ''))\n return url.rstrip(string.punctuation)\n",
"role": "user"
},
{
"content": "clean_url",
"role": "assistant"
}
] |
def x(url):
url = url.rstrip('/')
if not has_suffix(url):
return '{0}.com'.format(url)
return url
|
add_url_suffix
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n url = url.rstrip('/')\n if not has_suffix(url):\n return '{0}.com'.format(url)\n return url\n",
"role": "user"
},
{
"content": "add_url_suffix",
"role": "assistant"
}
] |
def x(url, domain=None):
if domain is None:
domain = get_domain(url)
path = '{url.path}'.format(url=urlparse(url))
if '.' in path:
tail_url = path.split('.')[-2]
else:
tail_url = path
if tail_url:
if '/' in tail_url:
tail_pieces = [x for x in tail_url.split('/') if x]
tail_url = tail_pieces[-1]
max_len = 24
if domain:
max_len -= len(domain) + 1
if len(tail_url) > max_len:
if '-' in tail_url:
tail_pieces = [x for x in tail_url.split('-') if x]
tail_url = tail_pieces.pop(0)
if len(tail_url) > max_len:
tail_url = tail_url[:max_len]
else:
tail_len = 0
for piece in tail_pieces:
tail_len += len(piece)
if tail_len <= max_len:
tail_url += '-' + piece
else:
break
else:
tail_url = tail_url[:max_len]
if domain:
return '{0}-{1}'.format(domain, tail_url).lower()
return tail_url
return domain.lower()
|
get_outfilename
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, domain=None):\n if domain is None:\n domain = get_domain(url)\n path = '{url.path}'.format(url=urlparse(url))\n if '.' in path:\n tail_url = path.split('.')[-2]\n else:\n tail_url = path\n if tail_url:\n if '/' in tail_url:\n tail_pieces = [x for x in tail_url.split('/') if x]\n tail_url = tail_pieces[-1]\n max_len = 24\n if domain:\n max_len -= len(domain) + 1\n if len(tail_url) > max_len:\n if '-' in tail_url:\n tail_pieces = [x for x in tail_url.split('-') if x]\n tail_url = tail_pieces.pop(0)\n if len(tail_url) > max_len:\n tail_url = tail_url[:max_len]\n else:\n tail_len = 0\n for piece in tail_pieces:\n tail_len += len(piece)\n if tail_len <= max_len:\n tail_url += '-' + piece\n else:\n break\n else:\n tail_url = tail_url[:max_len]\n if domain:\n return '{0}-{1}'.format(domain, tail_url).lower()\n return tail_url\n return domain.lower()\n",
"role": "user"
},
{
"content": "get_outfilename",
"role": "assistant"
}
] |
def x(args):
for arg in args['query']:
if arg in args['files']:
return '.'.join(arg.split('.')[:-1]).lower()
for url in args['urls']:
if arg.strip('/') in url:
domain = get_domain(url)
return get_outfilename(url, domain)
sys.stderr.write('Failed to construct a single out filename.\n')
return ''
|
get_single_outfilename
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n for arg in args['query']:\n if arg in args['files']:\n return '.'.join(arg.split('.')[:-1]).lower()\n for url in args['urls']:\n if arg.strip('/') in url:\n domain = get_domain(url)\n return get_outfilename(url, domain)\n sys.stderr.write('Failed to construct a single out filename.\\n')\n return ''\n",
"role": "user"
},
{
"content": "get_single_outfilename",
"role": "assistant"
}
] |
def x(filename):
split_filename = os.path.splitext(filename)
id_num_re = re.compile('(\\(\\d\\))')
id_num = re.findall(id_num_re, split_filename[-2])
if id_num:
new_id_num = int(id_num[-1].lstrip('(').rstrip(')')) + 1
filename = ''.join((re.sub(id_num_re, '({0})'.format(new_id_num),
split_filename[-2]), split_filename[-1]))
else:
split_filename = os.path.splitext(filename)
filename = ''.join(('{0} (2)'.format(split_filename[-2]),
split_filename[-1]))
return filename
|
modify_filename_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n split_filename = os.path.splitext(filename)\n id_num_re = re.compile('(\\\\(\\\\d\\\\))')\n id_num = re.findall(id_num_re, split_filename[-2])\n if id_num:\n new_id_num = int(id_num[-1].lstrip('(').rstrip(')')) + 1\n filename = ''.join((re.sub(id_num_re, '({0})'.format(new_id_num),\n split_filename[-2]), split_filename[-1]))\n else:\n split_filename = os.path.splitext(filename)\n filename = ''.join(('{0} (2)'.format(split_filename[-2]),\n split_filename[-1]))\n return filename\n",
"role": "user"
},
{
"content": "modify_filename_id",
"role": "assistant"
}
] |
def x(args, filename):
if not args['overwrite'] and os.path.exists(filename):
if args['no_overwrite']:
overwrite = False
else:
try:
overwrite = confirm_input(input('Overwrite {0}? (yes/no): '
.format(filename)))
except (KeyboardInterrupt, EOFError):
sys.exit()
if not overwrite:
new_filename = modify_filename_id(filename)
while os.path.exists(new_filename):
new_filename = modify_filename_id(new_filename)
return new_filename
return filename
|
overwrite_file_check
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, filename):\n if not args['overwrite'] and os.path.exists(filename):\n if args['no_overwrite']:\n overwrite = False\n else:\n try:\n overwrite = confirm_input(input('Overwrite {0}? (yes/no): '\n .format(filename)))\n except (KeyboardInterrupt, EOFError):\n sys.exit()\n if not overwrite:\n new_filename = modify_filename_id(filename)\n while os.path.exists(new_filename):\n new_filename = modify_filename_id(new_filename)\n return new_filename\n return filename\n",
"role": "user"
},
{
"content": "overwrite_file_check",
"role": "assistant"
}
] |
def x(args, infilenames, outfilename=None):
for infilename in infilenames:
parsed_text = get_parsed_text(args, infilename)
if parsed_text:
for line in parsed_text:
print(line)
print('')
|
print_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, infilenames, outfilename=None):\n for infilename in infilenames:\n parsed_text = get_parsed_text(args, infilename)\n if parsed_text:\n for line in parsed_text:\n print(line)\n print('')\n",
"role": "user"
},
{
"content": "print_text",
"role": "assistant"
}
] |
def x(args, infilenames, outfilename):
if not outfilename.endswith('.pdf'):
outfilename = outfilename + '.pdf'
outfilename = overwrite_file_check(args, outfilename)
options = {}
try:
if args['multiple']:
infilename = infilenames[0]
if not args['quiet']:
print('Attempting to write to {0}.'.format(outfilename))
else:
options['quiet'] = None
if args['xpath']:
html = parse_html(read_files(infilename), args['xpath'])
if isinstance(html, list):
if isinstance(html[0], str):
pk.from_string('\n'.join(html), outfilename,
options=options)
else:
pk.from_string('\n'.join(lh.tostring(x) for x in
html), outfilename, options=options)
elif isinstance(html, str):
pk.from_string(html, outfilename, options=options)
else:
pk.from_string(lh.tostring(html), outfilename, options=
options)
else:
pk.from_file(infilename, outfilename, options=options)
elif args['single']:
if not args['quiet']:
print('Attempting to write {0} page(s) to {1}.'.format(len(
infilenames), outfilename))
else:
options['quiet'] = None
if args['xpath']:
html = parse_html(read_files(infilenames), args['xpath'])
if isinstance(html, list):
if isinstance(html[0], str):
pk.from_string('\n'.join(html), outfilename,
options=options)
else:
pk.from_string('\n'.join(lh.tostring(x) for x in
html), outfilename, options=options)
elif isinstance(html, str):
pk.from_string(html, outfilename, options=options)
else:
pk.from_string(lh.tostring(html), outfilename, options=
options)
else:
pk.from_file(infilenames, outfilename, options=options)
return True
except (OSError, IOError) as err:
sys.stderr.write('An error occurred while writing {0}:\n{1}'.format
(outfilename, str(err)))
return False
|
write_pdf_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, infilenames, outfilename):\n if not outfilename.endswith('.pdf'):\n outfilename = outfilename + '.pdf'\n outfilename = overwrite_file_check(args, outfilename)\n options = {}\n try:\n if args['multiple']:\n infilename = infilenames[0]\n if not args['quiet']:\n print('Attempting to write to {0}.'.format(outfilename))\n else:\n options['quiet'] = None\n if args['xpath']:\n html = parse_html(read_files(infilename), args['xpath'])\n if isinstance(html, list):\n if isinstance(html[0], str):\n pk.from_string('\\n'.join(html), outfilename,\n options=options)\n else:\n pk.from_string('\\n'.join(lh.tostring(x) for x in\n html), outfilename, options=options)\n elif isinstance(html, str):\n pk.from_string(html, outfilename, options=options)\n else:\n pk.from_string(lh.tostring(html), outfilename, options=\n options)\n else:\n pk.from_file(infilename, outfilename, options=options)\n elif args['single']:\n if not args['quiet']:\n print('Attempting to write {0} page(s) to {1}.'.format(len(\n infilenames), outfilename))\n else:\n options['quiet'] = None\n if args['xpath']:\n html = parse_html(read_files(infilenames), args['xpath'])\n if isinstance(html, list):\n if isinstance(html[0], str):\n pk.from_string('\\n'.join(html), outfilename,\n options=options)\n else:\n pk.from_string('\\n'.join(lh.tostring(x) for x in\n html), outfilename, options=options)\n elif isinstance(html, str):\n pk.from_string(html, outfilename, options=options)\n else:\n pk.from_string(lh.tostring(html), outfilename, options=\n options)\n else:\n pk.from_file(infilenames, outfilename, options=options)\n return True\n except (OSError, IOError) as err:\n sys.stderr.write('An error occurred while writing {0}:\\n{1}'.format\n (outfilename, str(err)))\n return False\n",
"role": "user"
},
{
"content": "write_pdf_files",
"role": "assistant"
}
] |
def x(args, infilenames, outfilename):
def x(line):
clean_line = []
for word in line.split(' '):
clean_line.append(word.strip(string.punctuation))
return ', '.join(clean_line)
if not outfilename.endswith('.csv'):
outfilename = outfilename + '.csv'
outfilename = overwrite_file_check(args, outfilename)
all_text = []
for i, infilename in enumerate(infilenames):
parsed_text = get_parsed_text(args, infilename)
if parsed_text:
if args['multiple']:
if not args['quiet']:
print('Attempting to write to {0}.'.format(outfilename))
csv_text = [csv_convert(x) for x in parsed_text]
print(csv_text)
write_file(csv_text, outfilename)
elif args['single']:
all_text += parsed_text
if len(infilenames) > 1 and i < len(infilenames) - 1:
all_text.append('\n')
if args['single'] and all_text:
if not args['quiet']:
print('Attempting to write {0} page(s) to {1}.'.format(len(
infilenames), outfilename))
csv_text = [csv_convert(x) for x in all_text]
print(csv_text)
write_file(csv_text, outfilename)
|
write_csv_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, infilenames, outfilename):\n\n def x(line):\n clean_line = []\n for word in line.split(' '):\n clean_line.append(word.strip(string.punctuation))\n return ', '.join(clean_line)\n if not outfilename.endswith('.csv'):\n outfilename = outfilename + '.csv'\n outfilename = overwrite_file_check(args, outfilename)\n all_text = []\n for i, infilename in enumerate(infilenames):\n parsed_text = get_parsed_text(args, infilename)\n if parsed_text:\n if args['multiple']:\n if not args['quiet']:\n print('Attempting to write to {0}.'.format(outfilename))\n csv_text = [csv_convert(x) for x in parsed_text]\n print(csv_text)\n write_file(csv_text, outfilename)\n elif args['single']:\n all_text += parsed_text\n if len(infilenames) > 1 and i < len(infilenames) - 1:\n all_text.append('\\n')\n if args['single'] and all_text:\n if not args['quiet']:\n print('Attempting to write {0} page(s) to {1}.'.format(len(\n infilenames), outfilename))\n csv_text = [csv_convert(x) for x in all_text]\n print(csv_text)\n write_file(csv_text, outfilename)\n",
"role": "user"
},
{
"content": "write_csv_files",
"role": "assistant"
}
] |
def x(args, infilenames, outfilename):
if not outfilename.endswith('.txt'):
outfilename = outfilename + '.txt'
outfilename = overwrite_file_check(args, outfilename)
all_text = []
for i, infilename in enumerate(infilenames):
parsed_text = get_parsed_text(args, infilename)
if parsed_text:
if args['multiple']:
if not args['quiet']:
print('Attempting to write to {0}.'.format(outfilename))
write_file(parsed_text, outfilename)
elif args['single']:
all_text += parsed_text
if len(infilenames) > 1 and i < len(infilenames) - 1:
all_text.append('\n')
if args['single'] and all_text:
if not args['quiet']:
print('Attempting to write {0} page(s) to {1}.'.format(len(
infilenames), outfilename))
write_file(all_text, outfilename)
|
write_text_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, infilenames, outfilename):\n if not outfilename.endswith('.txt'):\n outfilename = outfilename + '.txt'\n outfilename = overwrite_file_check(args, outfilename)\n all_text = []\n for i, infilename in enumerate(infilenames):\n parsed_text = get_parsed_text(args, infilename)\n if parsed_text:\n if args['multiple']:\n if not args['quiet']:\n print('Attempting to write to {0}.'.format(outfilename))\n write_file(parsed_text, outfilename)\n elif args['single']:\n all_text += parsed_text\n if len(infilenames) > 1 and i < len(infilenames) - 1:\n all_text.append('\\n')\n if args['single'] and all_text:\n if not args['quiet']:\n print('Attempting to write {0} page(s) to {1}.'.format(len(\n infilenames), outfilename))\n write_file(all_text, outfilename)\n",
"role": "user"
},
{
"content": "write_text_files",
"role": "assistant"
}
] |
def x(data, outfilename):
if not data:
return False
try:
with open(outfilename, 'w') as outfile:
for line in data:
if line:
outfile.write(line)
return True
except (OSError, IOError) as err:
sys.stderr.write('An error occurred while writing {0}:\n{1}'.format
(outfilename, str(err)))
return False
|
write_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, outfilename):\n if not data:\n return False\n try:\n with open(outfilename, 'w') as outfile:\n for line in data:\n if line:\n outfile.write(line)\n return True\n except (OSError, IOError) as err:\n sys.stderr.write('An error occurred while writing {0}:\\n{1}'.format\n (outfilename, str(err)))\n return False\n",
"role": "user"
},
{
"content": "write_file",
"role": "assistant"
}
] |
def x():
num_parts = 0
for filename in os.listdir(os.getcwd()):
if filename.startswith('PART') and filename.endswith('.html'):
num_parts += 1
return num_parts
|
get_num_part_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n num_parts = 0\n for filename in os.listdir(os.getcwd()):\n if filename.startswith('PART') and filename.endswith('.html'):\n num_parts += 1\n return num_parts\n",
"role": "user"
},
{
"content": "get_num_part_files",
"role": "assistant"
}
] |
def x(url, raw_html, html, filename):
save_dirname = '{0}_files'.format(os.path.splitext(filename)[0])
if not os.path.exists(save_dirname):
os.makedirs(save_dirname)
images = html.xpath('//img/@src')
internal_image_urls = [x for x in images if x.startswith('/')]
headers = {'User-Agent': random.choice(USER_AGENTS)}
for img_url in images:
img_name = img_url.split('/')[-1]
if '?' in img_name:
img_name = img_name.split('?')[0]
if not os.path.splitext(img_name)[1]:
img_name = '{0}.jpeg'.format(img_name)
try:
full_img_name = os.path.join(save_dirname, img_name)
with open(full_img_name, 'wb') as img:
if img_url in internal_image_urls:
full_img_url = '{0}{1}'.format(url.rstrip('/'), img_url)
else:
full_img_url = img_url
img_content = requests.get(full_img_url, headers=headers,
proxies=get_proxies()).content
img.write(img_content)
raw_html = raw_html.replace(escape(img_url), full_img_name)
except (OSError, IOError):
pass
time.sleep(random.uniform(0, 0.5))
return raw_html
|
write_part_images
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, raw_html, html, filename):\n save_dirname = '{0}_files'.format(os.path.splitext(filename)[0])\n if not os.path.exists(save_dirname):\n os.makedirs(save_dirname)\n images = html.xpath('//img/@src')\n internal_image_urls = [x for x in images if x.startswith('/')]\n headers = {'User-Agent': random.choice(USER_AGENTS)}\n for img_url in images:\n img_name = img_url.split('/')[-1]\n if '?' in img_name:\n img_name = img_name.split('?')[0]\n if not os.path.splitext(img_name)[1]:\n img_name = '{0}.jpeg'.format(img_name)\n try:\n full_img_name = os.path.join(save_dirname, img_name)\n with open(full_img_name, 'wb') as img:\n if img_url in internal_image_urls:\n full_img_url = '{0}{1}'.format(url.rstrip('/'), img_url)\n else:\n full_img_url = img_url\n img_content = requests.get(full_img_url, headers=headers,\n proxies=get_proxies()).content\n img.write(img_content)\n raw_html = raw_html.replace(escape(img_url), full_img_name)\n except (OSError, IOError):\n pass\n time.sleep(random.uniform(0, 0.5))\n return raw_html\n",
"role": "user"
},
{
"content": "write_part_images",
"role": "assistant"
}
] |
def x(args, url, raw_html, html=None, part_num=None):
if part_num is None:
part_num = get_num_part_files() + 1
filename = 'PART{0}.html'.format(part_num)
if not PY2 and isinstance(raw_html, bytes):
raw_html = raw_html.encode('ascii', 'ignore')
if html is None:
html = lh.fromstring(raw_html)
if args['xpath']:
raw_html = parse_html(html, args['xpath'])
if isinstance(raw_html, list):
if not isinstance(raw_html[0], lh.HtmlElement):
raise ValueError('XPath should return an HtmlElement object.')
elif not isinstance(raw_html, lh.HtmlElement):
raise ValueError('XPath should return an HtmlElement object.')
if raw_html:
if not args['no_images'] and (args['pdf'] or args['html']):
raw_html = write_part_images(url, raw_html, html, filename)
with open(filename, 'w') as part:
if not isinstance(raw_html, list):
raw_html = [raw_html]
if isinstance(raw_html[0], lh.HtmlElement):
for elem in raw_html:
part.write(lh.tostring(elem))
else:
for line in raw_html:
part.write(line)
|
write_part_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, url, raw_html, html=None, part_num=None):\n if part_num is None:\n part_num = get_num_part_files() + 1\n filename = 'PART{0}.html'.format(part_num)\n if not PY2 and isinstance(raw_html, bytes):\n raw_html = raw_html.encode('ascii', 'ignore')\n if html is None:\n html = lh.fromstring(raw_html)\n if args['xpath']:\n raw_html = parse_html(html, args['xpath'])\n if isinstance(raw_html, list):\n if not isinstance(raw_html[0], lh.HtmlElement):\n raise ValueError('XPath should return an HtmlElement object.')\n elif not isinstance(raw_html, lh.HtmlElement):\n raise ValueError('XPath should return an HtmlElement object.')\n if raw_html:\n if not args['no_images'] and (args['pdf'] or args['html']):\n raw_html = write_part_images(url, raw_html, html, filename)\n with open(filename, 'w') as part:\n if not isinstance(raw_html, list):\n raw_html = [raw_html]\n if isinstance(raw_html[0], lh.HtmlElement):\n for elem in raw_html:\n part.write(lh.tostring(elem))\n else:\n for line in raw_html:\n part.write(line)\n",
"role": "user"
},
{
"content": "write_part_file",
"role": "assistant"
}
] |
def x(num_parts=None, start_num=0):
if num_parts is None:
num_parts = get_num_part_files()
return ['PART{0}.html'.format(i) for i in range(start_num + 1,
num_parts + 1)]
|
get_part_filenames
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num_parts=None, start_num=0):\n if num_parts is None:\n num_parts = get_num_part_files()\n return ['PART{0}.html'.format(i) for i in range(start_num + 1, \n num_parts + 1)]\n",
"role": "user"
},
{
"content": "get_part_filenames",
"role": "assistant"
}
] |
def x(filenames):
if isinstance(filenames, list):
for filename in filenames:
with open(filename, 'r') as infile:
return infile.read()
else:
with open(filenames, 'r') as infile:
return infile.read()
|
read_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filenames):\n if isinstance(filenames, list):\n for filename in filenames:\n with open(filename, 'r') as infile:\n return infile.read()\n else:\n with open(filenames, 'r') as infile:\n return infile.read()\n",
"role": "user"
},
{
"content": "read_files",
"role": "assistant"
}
] |
def x(filename):
dirname = '{0}_files'.format(os.path.splitext(filename)[0])
if os.path.exists(dirname):
shutil.rmtree(dirname)
|
remove_part_images
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n dirname = '{0}_files'.format(os.path.splitext(filename)[0])\n if os.path.exists(dirname):\n shutil.rmtree(dirname)\n",
"role": "user"
},
{
"content": "remove_part_images",
"role": "assistant"
}
] |
def x(num_parts=None):
filenames = get_part_filenames(num_parts)
for filename in filenames:
remove_part_images(filename)
remove_file(filename)
|
remove_part_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num_parts=None):\n filenames = get_part_filenames(num_parts)\n for filename in filenames:\n remove_part_images(filename)\n remove_file(filename)\n",
"role": "user"
},
{
"content": "remove_part_files",
"role": "assistant"
}
] |
def x(user_input):
if isinstance(user_input, list):
user_input = ''.join(user_input)
try:
u_inp = user_input.lower().strip()
except AttributeError:
u_inp = user_input
if u_inp in ('q', 'quit', 'exit'):
sys.exit()
if u_inp in ('y', 'yes'):
return True
return False
|
confirm_input
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user_input):\n if isinstance(user_input, list):\n user_input = ''.join(user_input)\n try:\n u_inp = user_input.lower().strip()\n except AttributeError:\n u_inp = user_input\n if u_inp in ('q', 'quit', 'exit'):\n sys.exit()\n if u_inp in ('y', 'yes'):\n return True\n return False\n",
"role": "user"
},
{
"content": "confirm_input",
"role": "assistant"
}
] |
def x(dirname):
if not os.path.exists(dirname):
os.makedirs(dirname)
os.chdir(dirname)
else:
os.chdir(dirname)
|
mkdir_and_cd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dirname):\n if not os.path.exists(dirname):\n os.makedirs(dirname)\n os.chdir(dirname)\n else:\n os.chdir(dirname)\n",
"role": "user"
},
{
"content": "mkdir_and_cd",
"role": "assistant"
}
] |
def x(data, in_format, out_format, name=None, pretty=False):
dumps = json.dumps if pretty else json.compress
if not has_ob and in_format == 'json' and out_format == 'json':
return dumps(json.loads(data) if is_string(data) else data)
elif not has_ob:
raise ImportError('Chemical file format conversion requires pybel.')
if in_format == 'json':
mol = json_to_pybel(json.loads(data) if is_string(data) else data)
elif in_format == 'pybel':
mol = data
else:
mol = pybel.readstring(in_format, data)
if not mol.OBMol.HasNonZeroCoords():
mol.make3D()
if in_format == 'mmcif' and hasattr(mol, 'unitcell'):
mol.unitcell.FillUnitCell(mol.OBMol)
mol.OBMol.ConnectTheDots()
mol.OBMol.PerceiveBondOrders()
mol.OBMol.Center()
if out_format == 'pybel':
return mol
elif out_format == 'object':
return pybel_to_json(mol, name)
elif out_format == 'json':
return dumps(pybel_to_json(mol, name))
else:
return mol.write(out_format)
|
convert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, in_format, out_format, name=None, pretty=False):\n dumps = json.dumps if pretty else json.compress\n if not has_ob and in_format == 'json' and out_format == 'json':\n return dumps(json.loads(data) if is_string(data) else data)\n elif not has_ob:\n raise ImportError('Chemical file format conversion requires pybel.')\n if in_format == 'json':\n mol = json_to_pybel(json.loads(data) if is_string(data) else data)\n elif in_format == 'pybel':\n mol = data\n else:\n mol = pybel.readstring(in_format, data)\n if not mol.OBMol.HasNonZeroCoords():\n mol.make3D()\n if in_format == 'mmcif' and hasattr(mol, 'unitcell'):\n mol.unitcell.FillUnitCell(mol.OBMol)\n mol.OBMol.ConnectTheDots()\n mol.OBMol.PerceiveBondOrders()\n mol.OBMol.Center()\n if out_format == 'pybel':\n return mol\n elif out_format == 'object':\n return pybel_to_json(mol, name)\n elif out_format == 'json':\n return dumps(pybel_to_json(mol, name))\n else:\n return mol.write(out_format)\n",
"role": "user"
},
{
"content": "convert",
"role": "assistant"
}
] |
def x(data, infer_bonds=False):
obmol = ob.OBMol()
obmol.BeginModify()
for atom in data['atoms']:
obatom = obmol.NewAtom()
obatom.SetAtomicNum(table.GetAtomicNum(str(atom['element'])))
obatom.SetVector(*atom['location'])
if 'label' in atom:
pd = ob.OBPairData()
pd.SetAttribute('_atom_site_label')
pd.SetValue(atom['label'])
obatom.CloneData(pd)
if 'bonds' not in data or not data['bonds']:
if infer_bonds:
obmol.ConnectTheDots()
obmol.PerceiveBondOrders()
else:
for bond in data['bonds']:
if 'atoms' not in bond:
continue
obmol.AddBond(bond['atoms'][0] + 1, bond['atoms'][1] + 1, bond[
'order'])
if 'unitcell' in data:
uc = ob.OBUnitCell()
uc.SetData(*(ob.vector3(*v) for v in data['unitcell']))
uc.SetSpaceGroup('P1')
obmol.CloneData(uc)
obmol.EndModify()
mol = pybel.Molecule(obmol)
if 'charge' in data['atoms'][0]:
mol.OBMol.SetPartialChargesPerceived()
for atom, pyatom in zip(data['atoms'], mol.atoms):
pyatom.OBAtom.SetPartialCharge(atom['charge'])
return mol
|
json_to_pybel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, infer_bonds=False):\n obmol = ob.OBMol()\n obmol.BeginModify()\n for atom in data['atoms']:\n obatom = obmol.NewAtom()\n obatom.SetAtomicNum(table.GetAtomicNum(str(atom['element'])))\n obatom.SetVector(*atom['location'])\n if 'label' in atom:\n pd = ob.OBPairData()\n pd.SetAttribute('_atom_site_label')\n pd.SetValue(atom['label'])\n obatom.CloneData(pd)\n if 'bonds' not in data or not data['bonds']:\n if infer_bonds:\n obmol.ConnectTheDots()\n obmol.PerceiveBondOrders()\n else:\n for bond in data['bonds']:\n if 'atoms' not in bond:\n continue\n obmol.AddBond(bond['atoms'][0] + 1, bond['atoms'][1] + 1, bond[\n 'order'])\n if 'unitcell' in data:\n uc = ob.OBUnitCell()\n uc.SetData(*(ob.vector3(*v) for v in data['unitcell']))\n uc.SetSpaceGroup('P1')\n obmol.CloneData(uc)\n obmol.EndModify()\n mol = pybel.Molecule(obmol)\n if 'charge' in data['atoms'][0]:\n mol.OBMol.SetPartialChargesPerceived()\n for atom, pyatom in zip(data['atoms'], mol.atoms):\n pyatom.OBAtom.SetPartialCharge(atom['charge'])\n return mol\n",
"role": "user"
},
{
"content": "json_to_pybel",
"role": "assistant"
}
] |
def x(molecule, name=None):
atoms = [{'element': table.GetSymbol(atom.atomicnum), 'location': list(
atom.coords)} for atom in molecule.atoms]
for json_atom, pybel_atom in zip(atoms, molecule.atoms):
if pybel_atom.partialcharge != 0:
json_atom['charge'] = pybel_atom.partialcharge
if pybel_atom.OBAtom.HasData('_atom_site_label'):
obatom = pybel_atom.OBAtom
json_atom['label'] = obatom.GetData('_atom_site_label').GetValue()
if pybel_atom.OBAtom.HasData('color'):
obatom = pybel_atom.OBAtom
json_atom['color'] = obatom.GetData('color').GetValue()
bonds = [{'atoms': [b.GetBeginAtom().GetIndex(), b.GetEndAtom().
GetIndex()], 'order': b.GetBondOrder()} for b in ob.OBMolBondIter(
molecule.OBMol)]
output = {'atoms': atoms, 'bonds': bonds, 'units': {}}
if hasattr(molecule, 'unitcell'):
uc = molecule.unitcell
output['unitcell'] = [[v.GetX(), v.GetY(), v.GetZ()] for v in uc.
GetCellVectors()]
density = sum(atom.atomicmass for atom in molecule.atoms) / (uc.
GetCellVolume() * 0.6022)
output['density'] = density
output['units']['density'] = 'kg / L'
element_count = Counter(table.GetSymbol(a.atomicnum) for a in molecule)
hill_count = []
for element in ['C', 'H']:
if element in element_count:
hill_count += [(element, element_count[element])]
del element_count[element]
hill_count += sorted(element_count.items())
div = reduce(gcd, (c[1] for c in hill_count)) if hasattr(molecule,
'unitcell') else 1
output['formula'] = ''.join(n if c / div == 1 else '%s%d' % (n, c / div
) for n, c in hill_count)
output['molecular_weight'] = molecule.molwt / div
output['units']['molecular_weight'] = 'g / mol'
if name:
output['name'] = name
return output
|
pybel_to_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(molecule, name=None):\n atoms = [{'element': table.GetSymbol(atom.atomicnum), 'location': list(\n atom.coords)} for atom in molecule.atoms]\n for json_atom, pybel_atom in zip(atoms, molecule.atoms):\n if pybel_atom.partialcharge != 0:\n json_atom['charge'] = pybel_atom.partialcharge\n if pybel_atom.OBAtom.HasData('_atom_site_label'):\n obatom = pybel_atom.OBAtom\n json_atom['label'] = obatom.GetData('_atom_site_label').GetValue()\n if pybel_atom.OBAtom.HasData('color'):\n obatom = pybel_atom.OBAtom\n json_atom['color'] = obatom.GetData('color').GetValue()\n bonds = [{'atoms': [b.GetBeginAtom().GetIndex(), b.GetEndAtom().\n GetIndex()], 'order': b.GetBondOrder()} for b in ob.OBMolBondIter(\n molecule.OBMol)]\n output = {'atoms': atoms, 'bonds': bonds, 'units': {}}\n if hasattr(molecule, 'unitcell'):\n uc = molecule.unitcell\n output['unitcell'] = [[v.GetX(), v.GetY(), v.GetZ()] for v in uc.\n GetCellVectors()]\n density = sum(atom.atomicmass for atom in molecule.atoms) / (uc.\n GetCellVolume() * 0.6022)\n output['density'] = density\n output['units']['density'] = 'kg / L'\n element_count = Counter(table.GetSymbol(a.atomicnum) for a in molecule)\n hill_count = []\n for element in ['C', 'H']:\n if element in element_count:\n hill_count += [(element, element_count[element])]\n del element_count[element]\n hill_count += sorted(element_count.items())\n div = reduce(gcd, (c[1] for c in hill_count)) if hasattr(molecule,\n 'unitcell') else 1\n output['formula'] = ''.join(n if c / div == 1 else '%s%d' % (n, c / div\n ) for n, c in hill_count)\n output['molecular_weight'] = molecule.molwt / div\n output['units']['molecular_weight'] = 'g / mol'\n if name:\n output['name'] = name\n return output\n",
"role": "user"
},
{
"content": "pybel_to_json",
"role": "assistant"
}
] |
def x(self, obj):
if hasattr(obj, '__dict__'):
return obj.__dict__.copy()
elif HAS_NUMPY and isinstance(obj, np.ndarray):
return obj.copy().tolist()
else:
raise TypeError(
'Object of type {:s} with value of {:s} is not JSON serializable'
.format(type(obj), repr(obj)))
|
default
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n if hasattr(obj, '__dict__'):\n return obj.__dict__.copy()\n elif HAS_NUMPY and isinstance(obj, np.ndarray):\n return obj.copy().tolist()\n else:\n raise TypeError(\n 'Object of type {:s} with value of {:s} is not JSON serializable'\n .format(type(obj), repr(obj)))\n",
"role": "user"
},
{
"content": "default",
"role": "assistant"
}
] |
def x(data, format='auto', size=(400, 300), drawing_type='ball and stick',
camera_type='perspective', shader='lambert', display_html=True,
element_properties=None, show_save=False):
draw_options = ['ball and stick', 'wireframe', 'space filling']
camera_options = ['perspective', 'orthographic']
shader_options = ['toon', 'basic', 'phong', 'lambert']
if drawing_type not in draw_options:
raise Exception('Invalid drawing type! Please use one of: ' + ', '.
join(draw_options))
if camera_type not in camera_options:
raise Exception('Invalid camera type! Please use one of: ' + ', '.
join(camera_options))
if shader not in shader_options:
raise Exception('Invalid shader! Please use one of: ' + ', '.join(
shader_options))
json_mol = generate(data, format)
if element_properties is None:
element_properties = dict()
json_element_properties = to_json(element_properties)
div_id = uuid.uuid4()
html = (
"""<div id="molecule_%s"></div>
<script type="text/javascript">
require.config({baseUrl: '/',
paths: {imolecule: ['%s', '%s']}});
require(['imolecule'], function () {
var $d = $('#molecule_%s');
$d.width(%d); $d.height(%d);
$d.imolecule = jQuery.extend({}, imolecule);
$d.imolecule.create($d, {drawingType: '%s',
cameraType: '%s',
shader: '%s',
showSave: %s});
$d.imolecule.addElements(%s);
$d.imolecule.draw(%s);
$d.resizable({
aspectRatio: %d / %d,
resize: function (evt, ui) {
$d.imolecule.renderer.setSize(ui.size.width,
ui.size.height);
}
});
});
</script>"""
% (div_id, local_path[:-3], remote_path[:-3], div_id, size[0],
size[1], drawing_type, camera_type, shader, 'true' if show_save else
'false', json_element_properties, json_mol, size[0], size[1]))
if display_html:
try:
__IPYTHON__
except NameError:
import shutil
import webbrowser
from tempfile import mkdtemp
from time import time
try:
from urllib.parse import urljoin
from urllib.request import pathname2url
except ImportError:
from urlparse import urljoin
from urllib import pathname2url
from tornado import template
t = template.Loader(file_path).load('viewer.template')
html = t.generate(title='imolecule', json_mol=json_mol,
drawing_type=drawing_type, shader=shader, camera_type=
camera_type, json_element_properties=json_element_properties)
tempdir = mkdtemp(prefix='imolecule_{:.0f}_'.format(time()))
html_filename = os.path.join(tempdir, 'index.html')
with open(html_filename, 'wb') as f:
f.write(html)
libs = ('server', 'css', 'chosen.css'), ('server', 'css',
'server.css'), ('js', 'jquery-1.11.1.min.js'), ('server',
'js', 'chosen.jquery.min.js'), ('js', 'build',
'imolecule.min.js')
for lib in libs:
shutil.copy(os.path.join(file_path, *lib), tempdir)
html_file_url = urljoin('file:', pathname2url(html_filename))
print('Opening html file: {}'.format(html_file_url))
webbrowser.open(html_file_url)
else:
display(HTML(html))
else:
return html
|
draw
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, format='auto', size=(400, 300), drawing_type='ball and stick',\n camera_type='perspective', shader='lambert', display_html=True,\n element_properties=None, show_save=False):\n draw_options = ['ball and stick', 'wireframe', 'space filling']\n camera_options = ['perspective', 'orthographic']\n shader_options = ['toon', 'basic', 'phong', 'lambert']\n if drawing_type not in draw_options:\n raise Exception('Invalid drawing type! Please use one of: ' + ', '.\n join(draw_options))\n if camera_type not in camera_options:\n raise Exception('Invalid camera type! Please use one of: ' + ', '.\n join(camera_options))\n if shader not in shader_options:\n raise Exception('Invalid shader! Please use one of: ' + ', '.join(\n shader_options))\n json_mol = generate(data, format)\n if element_properties is None:\n element_properties = dict()\n json_element_properties = to_json(element_properties)\n div_id = uuid.uuid4()\n html = (\n \"\"\"<div id=\"molecule_%s\"></div>\n <script type=\"text/javascript\">\n require.config({baseUrl: '/',\n paths: {imolecule: ['%s', '%s']}});\n require(['imolecule'], function () {\n var $d = $('#molecule_%s');\n $d.width(%d); $d.height(%d);\n $d.imolecule = jQuery.extend({}, imolecule);\n $d.imolecule.create($d, {drawingType: '%s',\n cameraType: '%s',\n shader: '%s',\n showSave: %s});\n $d.imolecule.addElements(%s);\n $d.imolecule.draw(%s);\n\n $d.resizable({\n aspectRatio: %d / %d,\n resize: function (evt, ui) {\n $d.imolecule.renderer.setSize(ui.size.width,\n ui.size.height);\n }\n });\n });\n </script>\"\"\"\n % (div_id, local_path[:-3], remote_path[:-3], div_id, size[0],\n size[1], drawing_type, camera_type, shader, 'true' if show_save else\n 'false', json_element_properties, json_mol, size[0], size[1]))\n if display_html:\n try:\n __IPYTHON__\n except NameError:\n import shutil\n import webbrowser\n from tempfile import mkdtemp\n from time import time\n try:\n from urllib.parse import urljoin\n from urllib.request import pathname2url\n except ImportError:\n from urlparse import urljoin\n from urllib import pathname2url\n from tornado import template\n t = template.Loader(file_path).load('viewer.template')\n html = t.generate(title='imolecule', json_mol=json_mol,\n drawing_type=drawing_type, shader=shader, camera_type=\n camera_type, json_element_properties=json_element_properties)\n tempdir = mkdtemp(prefix='imolecule_{:.0f}_'.format(time()))\n html_filename = os.path.join(tempdir, 'index.html')\n with open(html_filename, 'wb') as f:\n f.write(html)\n libs = ('server', 'css', 'chosen.css'), ('server', 'css',\n 'server.css'), ('js', 'jquery-1.11.1.min.js'), ('server',\n 'js', 'chosen.jquery.min.js'), ('js', 'build',\n 'imolecule.min.js')\n for lib in libs:\n shutil.copy(os.path.join(file_path, *lib), tempdir)\n html_file_url = urljoin('file:', pathname2url(html_filename))\n print('Opening html file: {}'.format(html_file_url))\n webbrowser.open(html_file_url)\n else:\n display(HTML(html))\n else:\n return html\n",
"role": "user"
},
{
"content": "draw",
"role": "assistant"
}
] |
def x(data, format='auto'):
try:
with open(data) as in_file:
if format == 'auto':
format = data.split('.')[-1]
data = in_file.read()
except:
if format == 'auto':
format = 'smi'
return format_converter.convert(data, format, 'json')
|
generate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, format='auto'):\n try:\n with open(data) as in_file:\n if format == 'auto':\n format = data.split('.')[-1]\n data = in_file.read()\n except:\n if format == 'auto':\n format = 'smi'\n return format_converter.convert(data, format, 'json')\n",
"role": "user"
},
{
"content": "generate",
"role": "assistant"
}
] |
def x(data, compress=False):
return json.compress(data) if compress else json.dumps(data)
|
to_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, compress=False):\n return json.compress(data) if compress else json.dumps(data)\n",
"role": "user"
},
{
"content": "to_json",
"role": "assistant"
}
] |
def x():
parser = argparse.ArgumentParser(description=
'Opens a browser-based client that interfaces with the chemical format converter.'
)
parser.add_argument('--debug', action='store_true', help=
'Prints all transmitted data streams.')
parser.add_argument('--port', type=int, default=8000, help=
'The port on which to serve the website.')
parser.add_argument('--timeout', type=int, default=5, help=
'The maximum time, in seconds, allowed for a process to run before returning an error.'
)
parser.add_argument('--workers', type=int, default=2, help=
'The number of worker processes to use with the server.')
parser.add_argument('--no-browser', action='store_true', help=
'Disables opening a browser window on startup.')
global args
args = parser.parse_args()
if args.debug:
logging.getLogger().setLevel(logging.DEBUG)
handlers = [('/', IndexHandler), ('/websocket', WebSocket), (
'/static/(.*)', tornado.web.StaticFileHandler, {'path': os.path.
normpath(os.path.dirname(__file__))})]
application = tornado.web.Application(handlers)
application.listen(args.port)
if not args.no_browser:
webbrowser.open('http://localhost:%d/' % args.port, new=2)
try:
tornado.ioloop.IOLoop.instance().start()
except KeyboardInterrupt:
sys.stderr.write('Received keyboard interrupt. Stopping server.\n')
tornado.ioloop.IOLoop.instance().stop()
sys.exit(1)
|
start_server
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = argparse.ArgumentParser(description=\n 'Opens a browser-based client that interfaces with the chemical format converter.'\n )\n parser.add_argument('--debug', action='store_true', help=\n 'Prints all transmitted data streams.')\n parser.add_argument('--port', type=int, default=8000, help=\n 'The port on which to serve the website.')\n parser.add_argument('--timeout', type=int, default=5, help=\n 'The maximum time, in seconds, allowed for a process to run before returning an error.'\n )\n parser.add_argument('--workers', type=int, default=2, help=\n 'The number of worker processes to use with the server.')\n parser.add_argument('--no-browser', action='store_true', help=\n 'Disables opening a browser window on startup.')\n global args\n args = parser.parse_args()\n if args.debug:\n logging.getLogger().setLevel(logging.DEBUG)\n handlers = [('/', IndexHandler), ('/websocket', WebSocket), (\n '/static/(.*)', tornado.web.StaticFileHandler, {'path': os.path.\n normpath(os.path.dirname(__file__))})]\n application = tornado.web.Application(handlers)\n application.listen(args.port)\n if not args.no_browser:\n webbrowser.open('http://localhost:%d/' % args.port, new=2)\n try:\n tornado.ioloop.IOLoop.instance().start()\n except KeyboardInterrupt:\n sys.stderr.write('Received keyboard interrupt. Stopping server.\\n')\n tornado.ioloop.IOLoop.instance().stop()\n sys.exit(1)\n",
"role": "user"
},
{
"content": "start_server",
"role": "assistant"
}
] |
def x(valA, valB, maxf=None, minf=None, epsilon=None):
if valA == valB:
return True
if maxf is None:
maxf = float_info.max
if minf is None:
minf = float_info.min
if epsilon is None:
epsilon = float_info.epsilon
absA = abs(valA)
absB = abs(valB)
delta = abs(valA - valB)
if valA == 0 or valB == 0 or delta < minf:
return delta < epsilon * minf
return delta / min(absA + absB, maxf) < epsilon * 2
|
nearly_eq
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(valA, valB, maxf=None, minf=None, epsilon=None):\n if valA == valB:\n return True\n if maxf is None:\n maxf = float_info.max\n if minf is None:\n minf = float_info.min\n if epsilon is None:\n epsilon = float_info.epsilon\n absA = abs(valA)\n absB = abs(valB)\n delta = abs(valA - valB)\n if valA == 0 or valB == 0 or delta < minf:\n return delta < epsilon * minf\n return delta / min(absA + absB, maxf) < epsilon * 2\n",
"role": "user"
},
{
"content": "nearly_eq",
"role": "assistant"
}
] |
def x(cls, other, ignoreScalars=False):
if ignoreScalars:
if isinstance(other, (int, float)):
msg = 'unable to convert {} to {}'.format(other, cls.__name__)
raise TypeError(msg)
return cls(other) if not issubclass(type(other), cls) else other
|
convert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, other, ignoreScalars=False):\n if ignoreScalars:\n if isinstance(other, (int, float)):\n msg = 'unable to convert {} to {}'.format(other, cls.__name__)\n raise TypeError(msg)\n return cls(other) if not issubclass(type(other), cls) else other\n",
"role": "user"
},
{
"content": "convert",
"role": "assistant"
}
] |
def x(cls, scale=1):
return [cls(x=scale), cls(y=scale), cls(z=scale)]
|
units
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, scale=1):\n return [cls(x=scale), cls(y=scale), cls(z=scale)]\n",
"role": "user"
},
{
"content": "units",
"role": "assistant"
}
] |
def x(cls, mu=0, sigma=1):
return cls(random.gauss(mu, sigma), random.gauss(mu, sigma), random.
gauss(mu, sigma))
|
gaussian
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, mu=0, sigma=1):\n return cls(random.gauss(mu, sigma), random.gauss(mu, sigma), random.\n gauss(mu, sigma))\n",
"role": "user"
},
{
"content": "gaussian",
"role": "assistant"
}
] |
def x(cls, origin=None, radius=1):
p = cls(origin)
r = random.uniform(0, radius)
u = random.uniform(0, Two_Pi)
v = random.uniform(-Half_Pi, Half_Pi)
r_cosv = r * math.cos(v)
p.x += r_cosv * math.cos(u)
p.y += r_cosv * math.sin(u)
p.z += radius * math.sin(v)
return p
|
random
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, origin=None, radius=1):\n p = cls(origin)\n r = random.uniform(0, radius)\n u = random.uniform(0, Two_Pi)\n v = random.uniform(-Half_Pi, Half_Pi)\n r_cosv = r * math.cos(v)\n p.x += r_cosv * math.cos(u)\n p.y += r_cosv * math.sin(u)\n p.z += radius * math.sin(v)\n return p\n",
"role": "user"
},
{
"content": "random",
"role": "assistant"
}
] |
def x(self, other, func, inplace=False):
dst = self if inplace else self.__class__(self)
try:
b = self.__class__._convert(other, ignoreScalars=True)
dst.x = func(dst.x, b.x)
dst.y = func(dst.y, b.y)
dst.z = func(dst.z, b.z)
return dst
except TypeError:
pass
dst.x = func(dst.x, other)
dst.y = func(dst.y, other)
dst.z = func(dst.z, other)
return dst
|
binary_
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other, func, inplace=False):\n dst = self if inplace else self.__class__(self)\n try:\n b = self.__class__._convert(other, ignoreScalars=True)\n dst.x = func(dst.x, b.x)\n dst.y = func(dst.y, b.y)\n dst.z = func(dst.z, b.z)\n return dst\n except TypeError:\n pass\n dst.x = func(dst.x, other)\n dst.y = func(dst.y, other)\n dst.z = func(dst.z, other)\n return dst\n",
"role": "user"
},
{
"content": "binary_",
"role": "assistant"
}
] |
def x(self, func, inplace=False):
dst = self if inplace else self.__class__(self)
dst.x = func(dst.x)
dst.y = func(dst.y)
dst.z = func(dst.z)
return dst
|
unary_
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func, inplace=False):\n dst = self if inplace else self.__class__(self)\n dst.x = func(dst.x)\n dst.y = func(dst.y)\n dst.z = func(dst.z)\n return dst\n",
"role": "user"
},
{
"content": "unary_",
"role": "assistant"
}
] |
def x(self, other):
b = self.__class__._convert(other)
return sum([self.y * b.z - self.z * b.y, self.z * b.x - self.x * b.z,
self.x * b.y - self.y * b.x])
|
cross
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n b = self.__class__._convert(other)\n return sum([self.y * b.z - self.z * b.y, self.z * b.x - self.x * b.z, \n self.x * b.y - self.y * b.x])\n",
"role": "user"
},
{
"content": "cross",
"role": "assistant"
}
] |
def x(self, a, b, axes='xyz'):
a = self.__class__._convert(a)
b = self.__class__._convert(b)
fn = lambda k: self[k] >= min(a[k], b[k]) and self[k] <= max(a[k], b[k])
return all(fn(axis) for axis in axes)
|
isBetween
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, a, b, axes='xyz'):\n a = self.__class__._convert(a)\n b = self.__class__._convert(b)\n fn = lambda k: self[k] >= min(a[k], b[k]) and self[k] <= max(a[k], b[k])\n return all(fn(axis) for axis in axes)\n",
"role": "user"
},
{
"content": "isBetween",
"role": "assistant"
}
] |
def x(self, b, c, axis='z'):
bsuba = b - self
csuba = c - self
if axis in ['z', 2]:
return bsuba.x * csuba.y - bsuba.y * csuba.x
if axis in ['y', 1]:
return bsuba.x * csuba.z - bsuba.z * csuba.x
if axis in ['x', 0]:
return bsuba.y * csuba.z - bsuba.z * csuba.y
msg = "invalid axis '{!r}', must be one of {}".format(axis, self._keys)
raise ValueError(msg)
|
ccw
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, b, c, axis='z'):\n bsuba = b - self\n csuba = c - self\n if axis in ['z', 2]:\n return bsuba.x * csuba.y - bsuba.y * csuba.x\n if axis in ['y', 1]:\n return bsuba.x * csuba.z - bsuba.z * csuba.x\n if axis in ['x', 0]:\n return bsuba.y * csuba.z - bsuba.z * csuba.y\n msg = \"invalid axis '{!r}', must be one of {}\".format(axis, self._keys)\n raise ValueError(msg)\n",
"role": "user"
},
{
"content": "ccw",
"role": "assistant"
}
] |
def x(self, b, c, axis='z'):
result = self.ccw(b, c, axis)
if result == 0:
raise CollinearPoints(b, self, c)
return result > 0
|
isCCW
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, b, c, axis='z'):\n result = self.ccw(b, c, axis)\n if result == 0:\n raise CollinearPoints(b, self, c)\n return result > 0\n",
"role": "user"
},
{
"content": "isCCW",
"role": "assistant"
}
] |
def x(self, b, c):
return all(self.ccw(b, c, axis) == 0 for axis in self._keys)
|
isCollinear
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, b, c):\n return all(self.ccw(b, c, axis) == 0 for axis in self._keys)\n",
"role": "user"
},
{
"content": "isCollinear",
"role": "assistant"
}
] |
def x(self, theta, origin=None, axis='z', radians=False):
origin = Point._convert(origin)
delta = self - origin
p = Point(origin)
if not radians:
theta = math.radians(theta)
cosT = math.cos(theta)
sinT = math.sin(theta)
if axis == 'z':
p.x += cosT * delta.x - sinT * delta.y
p.y += sinT * delta.x + cosT * delta.y
return p
if axis == 'y':
p.z += cosT * delta.z - sinT * delta.x
p.x += sinT * delta.z + cosT * delta.x
return p
if axis == 'x':
p.y += cosT * delta.y - sinT * delta.z
p.z += sinT * delta.y + cosT * delta.z
return p
raise KeyError('unknown axis {}, expecting x, y or z'.format(axis))
|
rotate2d
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, theta, origin=None, axis='z', radians=False):\n origin = Point._convert(origin)\n delta = self - origin\n p = Point(origin)\n if not radians:\n theta = math.radians(theta)\n cosT = math.cos(theta)\n sinT = math.sin(theta)\n if axis == 'z':\n p.x += cosT * delta.x - sinT * delta.y\n p.y += sinT * delta.x + cosT * delta.y\n return p\n if axis == 'y':\n p.z += cosT * delta.z - sinT * delta.x\n p.x += sinT * delta.z + cosT * delta.x\n return p\n if axis == 'x':\n p.y += cosT * delta.y - sinT * delta.z\n p.z += sinT * delta.y + cosT * delta.z\n return p\n raise KeyError('unknown axis {}, expecting x, y or z'.format(axis))\n",
"role": "user"
},
{
"content": "rotate2d",
"role": "assistant"
}
] |
def x(cls, origin=None, base=1, alpha=None, beta=None, gamma=None,
inDegrees=False):
raise NotImplementedError('withAngles')
|
withAngles
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, origin=None, base=1, alpha=None, beta=None, gamma=None,\n inDegrees=False):\n raise NotImplementedError('withAngles')\n",
"role": "user"
},
{
"content": "withAngles",
"role": "assistant"
}
] |
def x(self):
s = self.semiperimeter
return math.sqrt(s * ((s - self.a) * (s - self.b) * (s - self.c)))
|
heronsArea
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n s = self.semiperimeter\n return math.sqrt(s * ((s - self.a) * (s - self.b) * (s - self.c)))\n",
"role": "user"
},
{
"content": "heronsArea",
"role": "assistant"
}
] |
def x(self):
return self.a * self.b * self.c / (self.area * 4)
|
circumradius
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return self.a * self.b * self.c / (self.area * 4)\n",
"role": "user"
},
{
"content": "circumradius",
"role": "assistant"
}
] |
def x(self):
A = self.area * 2
return [A / self.a, A / self.b, A / self.c]
|
altitudes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n A = self.area * 2\n return [A / self.a, A / self.b, A / self.c]\n",
"role": "user"
},
{
"content": "altitudes",
"role": "assistant"
}
] |
def x(self):
return self.a == self.b or self.a == self.c or self.b == self.c
|
isIsosceles
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return self.a == self.b or self.a == self.c or self.b == self.c\n",
"role": "user"
},
{
"content": "isIsosceles",
"role": "assistant"
}
] |
def x(self, other):
a = set(self.angles)
b = set(other.angles)
if len(a) != len(b) or len(a.difference(b)) != 0:
return False
a = set(self.sides)
b = set(other.sides)
return len(a) == len(b) and len(a.difference(b)) == 0
|
congruent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n a = set(self.angles)\n b = set(other.angles)\n if len(a) != len(b) or len(a.difference(b)) != 0:\n return False\n a = set(self.sides)\n b = set(other.sides)\n return len(a) == len(b) and len(a.difference(b)) == 0\n",
"role": "user"
},
{
"content": "congruent",
"role": "assistant"
}
] |
def x(self):
try:
return self._center
except AttributeError:
pass
self._center = Point()
return self._center
|
center
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return self._center\n except AttributeError:\n pass\n self._center = Point()\n return self._center\n",
"role": "user"
},
{
"content": "center",
"role": "assistant"
}
] |
def x(self):
try:
return self._radius
except AttributeError:
pass
self._radius = Point(1, 1, 0)
return self._radius
|
radius
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return self._radius\n except AttributeError:\n pass\n self._radius = Point(1, 1, 0)\n return self._radius\n",
"role": "user"
},
{
"content": "radius",
"role": "assistant"
}
] |
def x(self):
return max(self.radius.x, self.radius.y) == self.radius.x
|
xAxisIsMajor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return max(self.radius.x, self.radius.y) == self.radius.x\n",
"role": "user"
},
{
"content": "xAxisIsMajor",
"role": "assistant"
}
] |
def x(self):
return min(self.radius.x, self.radius.y) == self.radius.x
|
xAxisIsMinor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return min(self.radius.x, self.radius.y) == self.radius.x\n",
"role": "user"
},
{
"content": "xAxisIsMinor",
"role": "assistant"
}
] |
def x(self):
return max(self.radius.x, self.radius.y) == self.radius.y
|
yAxisIsMajor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return max(self.radius.x, self.radius.y) == self.radius.y\n",
"role": "user"
},
{
"content": "yAxisIsMajor",
"role": "assistant"
}
] |
def x(self):
return min(self.radius.x, self.radius.y) == self.radius.y
|
yAxisIsMinor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return min(self.radius.x, self.radius.y) == self.radius.y\n",
"role": "user"
},
{
"content": "yAxisIsMinor",
"role": "assistant"
}
] |
def x(self):
a = Point(self.center)
if self.xAxisIsMajor:
a.x += self.majorRadius
else:
a.y += self.majorRadius
return a
|
a
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n a = Point(self.center)\n if self.xAxisIsMajor:\n a.x += self.majorRadius\n else:\n a.y += self.majorRadius\n return a\n",
"role": "user"
},
{
"content": "a",
"role": "assistant"
}
] |
def x(self):
na = Point(self.center)
if self.xAxisIsMajor:
na.x -= self.majorRadius
else:
na.y -= self.majorRadius
return na
|
a_neg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n na = Point(self.center)\n if self.xAxisIsMajor:\n na.x -= self.majorRadius\n else:\n na.y -= self.majorRadius\n return na\n",
"role": "user"
},
{
"content": "a_neg",
"role": "assistant"
}
] |
def x(self):
b = Point(self.center)
if self.xAxisIsMinor:
b.x += self.minorRadius
else:
b.y += self.minorRadius
return b
|
b
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n b = Point(self.center)\n if self.xAxisIsMinor:\n b.x += self.minorRadius\n else:\n b.y += self.minorRadius\n return b\n",
"role": "user"
},
{
"content": "b",
"role": "assistant"
}
] |
def x(self):
nb = Point(self.center)
if self.xAxisIsMinor:
nb.x -= self.minorRadius
else:
nb.y -= self.minorRadius
return nb
|
b_neg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n nb = Point(self.center)\n if self.xAxisIsMinor:\n nb.x -= self.minorRadius\n else:\n nb.y -= self.minorRadius\n return nb\n",
"role": "user"
},
{
"content": "b_neg",
"role": "assistant"
}
] |
def x(self):
return {'a': self.a, 'a_neg': self.a_neg, 'b': self.b, 'b_neg': self.b_neg}
|
vertices
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'a': self.a, 'a_neg': self.a_neg, 'b': self.b, 'b_neg': self.b_neg}\n",
"role": "user"
},
{
"content": "vertices",
"role": "assistant"
}
] |
def x(self):
f = Point(self.center)
if self.xAxisIsMajor:
f.x -= self.linearEccentricity
else:
f.y -= self.linearEccentricity
return f
|
focus0
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n f = Point(self.center)\n if self.xAxisIsMajor:\n f.x -= self.linearEccentricity\n else:\n f.y -= self.linearEccentricity\n return f\n",
"role": "user"
},
{
"content": "focus0",
"role": "assistant"
}
] |
def x(cls, triangle):
if triangle.isRight:
o = triangle.hypotenuse.midpoint
r = o.distance(triangle.A)
return cls(o, r)
abn = triangle.AB.normal
abn += triangle.AB.midpoint
acn = triangle.AC.normal
acn += triangle.AC.midpoint
o = abn.intersection(acn)
r = o.distance(triangle.A)
return cls(o, r)
|
circumcircleForTriangle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, triangle):\n if triangle.isRight:\n o = triangle.hypotenuse.midpoint\n r = o.distance(triangle.A)\n return cls(o, r)\n abn = triangle.AB.normal\n abn += triangle.AB.midpoint\n acn = triangle.AC.normal\n acn += triangle.AC.midpoint\n o = abn.intersection(acn)\n r = o.distance(triangle.A)\n return cls(o, r)\n",
"role": "user"
},
{
"content": "circumcircleForTriangle",
"role": "assistant"
}
] |
def x(self, other):
otherType = type(other)
if issubclass(otherType, Ellipse):
distance = self.center.distance(other.center)
radiisum = self.radius + other.radius
return distance <= radiisum
if issubclass(otherType, Line):
raise NotImplementedError('doesIntersect,other is Line class')
raise TypeError("unknown type '{t}'".format(t=otherType))
|
doesIntersect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n otherType = type(other)\n if issubclass(otherType, Ellipse):\n distance = self.center.distance(other.center)\n radiisum = self.radius + other.radius\n return distance <= radiisum\n if issubclass(otherType, Line):\n raise NotImplementedError('doesIntersect,other is Line class')\n raise TypeError(\"unknown type '{t}'\".format(t=otherType))\n",
"role": "user"
},
{
"content": "doesIntersect",
"role": "assistant"
}
] |
def x(self):
try:
return self._AB
except AttributeError:
pass
self._AB = [self.A, self.B]
return self._AB
|
AB
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return self._AB\n except AttributeError:\n pass\n self._AB = [self.A, self.B]\n return self._AB\n",
"role": "user"
},
{
"content": "AB",
"role": "assistant"
}
] |
def x(self):
d = self.B - self.A
return Line([-d.y, d.x], [d.y, -d.x])
|
normal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n d = self.B - self.A\n return Line([-d.y, d.x], [d.y, -d.x])\n",
"role": "user"
},
{
"content": "normal",
"role": "assistant"
}
] |
def x(self, point):
if point not in self:
msg = "'{p}' is not collinear with '{l}'"
raise CollinearPoints(msg.format(p=point, l=self))
return (point - self.A) / self.m
|
t
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, point):\n if point not in self:\n msg = \"'{p}' is not collinear with '{l}'\"\n raise CollinearPoints(msg.format(p=point, l=self))\n return (point - self.A) / self.m\n",
"role": "user"
},
{
"content": "t",
"role": "assistant"
}
] |
def x(self):
tmp = self.A.xyz
self.A = self.B
self.B = tmp
|
flip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n tmp = self.A.xyz\n self.A = self.B\n self.B = tmp\n",
"role": "user"
},
{
"content": "flip",
"role": "assistant"
}
] |
def x(self, other):
if self.A.ccw(self.B, other.A) * self.A.ccw(self.B, other.B) > 0:
return False
if other.A.ccw(other.B, self.A) * other.A.ccw(other.B, self.B) > 0:
return False
return True
|
doesIntersect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n if self.A.ccw(self.B, other.A) * self.A.ccw(self.B, other.B) > 0:\n return False\n if other.A.ccw(other.B, self.A) * other.A.ccw(other.B, self.B) > 0:\n return False\n return True\n",
"role": "user"
},
{
"content": "doesIntersect",
"role": "assistant"
}
] |
def x(self, other):
if self.isCollinear(other):
msg = '{!r} and {!r} are collinear'
raise CollinearLines(msg.format(self, other))
d0 = self.A - self.B
d1 = other.A - other.B
denominator = d0.x * d1.y - d0.y * d1.x
if denominator == 0:
msg = '{!r} and {!r} are parallel'
raise ParallelLines(msg.format(self, other))
cp0 = self.A.cross(self.B)
cp1 = other.A.cross(other.B)
x_num = cp0 * d1.x - d0.x * cp1
y_num = cp0 * d1.y - d0.y * cp1
p = Point(x_num / denominator, y_num / denominator)
if p in self and p in other:
return p
msg = 'found point {!r} but not in {!r} and {!r}'
raise ParallelLines(msg.format(p, self, other))
|
intersection
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n if self.isCollinear(other):\n msg = '{!r} and {!r} are collinear'\n raise CollinearLines(msg.format(self, other))\n d0 = self.A - self.B\n d1 = other.A - other.B\n denominator = d0.x * d1.y - d0.y * d1.x\n if denominator == 0:\n msg = '{!r} and {!r} are parallel'\n raise ParallelLines(msg.format(self, other))\n cp0 = self.A.cross(self.B)\n cp1 = other.A.cross(other.B)\n x_num = cp0 * d1.x - d0.x * cp1\n y_num = cp0 * d1.y - d0.y * cp1\n p = Point(x_num / denominator, y_num / denominator)\n if p in self and p in other:\n return p\n msg = 'found point {!r} but not in {!r} and {!r}'\n raise ParallelLines(msg.format(p, self, other))\n",
"role": "user"
},
{
"content": "intersection",
"role": "assistant"
}
] |
def x(self, point):
d = self.m
n = d.y * point.x - d.x * point.y + self.A.cross(self.B)
return abs(n / self.A.distance(self.B))
|
distanceFromPoint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, point):\n d = self.m\n n = d.y * point.x - d.x * point.y + self.A.cross(self.B)\n return abs(n / self.A.distance(self.B))\n",
"role": "user"
},
{
"content": "distanceFromPoint",
"role": "assistant"
}
] |
def x(self, other):
a = Point.unit(self.A, self.B)
b = Point.unit(other.A, other.B)
return math.acos(a.dot(b))
|
radiansBetween
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n a = Point.unit(self.A, self.B)\n b = Point.unit(other.A, other.B)\n return math.acos(a.dot(b))\n",
"role": "user"
},
{
"content": "radiansBetween",
"role": "assistant"
}
] |
def x(name, default=0.0, readonly=False, docs=None):
private_name = '_' + name
def x(self):
if not hasattr(self, private_name):
setattr(self, private_name, default)
return getattr(self, private_name)
if readonly:
setf = None
else:
def x(self, newValue):
def x(v):
fv = float(v)
return 0.0 if nearly_zero(fv) else fv
try:
setattr(self, private_name, epsilon_set(newValue))
return
except TypeError:
pass
if isinstance(newValue, collections.Mapping):
try:
setattr(self, private_name, epsilon_set(newValue[name]))
except KeyError:
pass
return
if isinstance(newValue, collections.Iterable):
try:
setattr(self, private_name, epsilon_set(newValue[0]))
return
except (IndexError, TypeError):
pass
try:
mapping = vars(newValue)
setattr(self, private_name, epsilon_set(mapping[name]))
return
except (TypeError, KeyError):
pass
if newValue is None:
setattr(self, private_name, epsilon_set(default))
return
raise ValueError(newValue)
return property(getf, setf, None, docs)
|
FloatProperty
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, default=0.0, readonly=False, docs=None):\n private_name = '_' + name\n\n def x(self):\n if not hasattr(self, private_name):\n setattr(self, private_name, default)\n return getattr(self, private_name)\n if readonly:\n setf = None\n else:\n\n def x(self, newValue):\n\n def x(v):\n fv = float(v)\n return 0.0 if nearly_zero(fv) else fv\n try:\n setattr(self, private_name, epsilon_set(newValue))\n return\n except TypeError:\n pass\n if isinstance(newValue, collections.Mapping):\n try:\n setattr(self, private_name, epsilon_set(newValue[name]))\n except KeyError:\n pass\n return\n if isinstance(newValue, collections.Iterable):\n try:\n setattr(self, private_name, epsilon_set(newValue[0]))\n return\n except (IndexError, TypeError):\n pass\n try:\n mapping = vars(newValue)\n setattr(self, private_name, epsilon_set(mapping[name]))\n return\n except (TypeError, KeyError):\n pass\n if newValue is None:\n setattr(self, private_name, epsilon_set(default))\n return\n raise ValueError(newValue)\n return property(getf, setf, None, docs)\n",
"role": "user"
},
{
"content": "FloatProperty",
"role": "assistant"
}
] |
def x(cls, radius, widthLimits, heightLimits, origin=None):
r = cls(widthLimits, heightLimits, origin)
r.origin = Point.randomLocation(radius, origin)
|
randomSizeAndLocation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, radius, widthLimits, heightLimits, origin=None):\n r = cls(widthLimits, heightLimits, origin)\n r.origin = Point.randomLocation(radius, origin)\n",
"role": "user"
},
{
"content": "randomSizeAndLocation",
"role": "assistant"
}
] |
def x(cls, widthLimits, heightLimits, origin=None):
r = cls(0, 0, origin)
r.w = random.randint(widthLimits[0], widthLimits[1])
r.h = random.randint(heightLimits[0], heightLimits[1])
return r
|
randomSize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, widthLimits, heightLimits, origin=None):\n r = cls(0, 0, origin)\n r.w = random.randint(widthLimits[0], widthLimits[1])\n r.h = random.randint(heightLimits[0], heightLimits[1])\n return r\n",
"role": "user"
},
{
"content": "randomSize",
"role": "assistant"
}
] |
def x(cls, radius, width, height, origin=None):
return cls(width, height, Point.randomLocation(radius, origin))
|
randomLocation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, radius, width, height, origin=None):\n return cls(width, height, Point.randomLocation(radius, origin))\n",
"role": "user"
},
{
"content": "randomLocation",
"role": "assistant"
}
] |
def x(self):
try:
return self._origin
except AttributeError:
pass
self._origin = Point()
return self._origin
|
origin
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return self._origin\n except AttributeError:\n pass\n self._origin = Point()\n return self._origin\n",
"role": "user"
},
{
"content": "origin",
"role": "assistant"
}
] |
def x(self):
return Point(self.maxX, self.minY, self.origin.z)
|
B
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return Point(self.maxX, self.minY, self.origin.z)\n",
"role": "user"
},
{
"content": "B",
"role": "assistant"
}
] |
def x(self):
return Point(self.maxX, self.maxY, self.origin.z)
|
C
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return Point(self.maxX, self.maxY, self.origin.z)\n",
"role": "user"
},
{
"content": "C",
"role": "assistant"
}
] |
def x(self):
return Point(self.minX, self.maxY, self.origin.z)
|
D
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return Point(self.minX, self.maxY, self.origin.z)\n",
"role": "user"
},
{
"content": "D",
"role": "assistant"
}
] |
def x(self):
return Point(self.midX, self.midY, self.origin.z)
|
center
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return Point(self.midX, self.midY, self.origin.z)\n",
"role": "user"
},
{
"content": "center",
"role": "assistant"
}
] |
def x(self, dx=1.0, dy=1.0):
self.width *= dx
self.height *= dy
|
scale
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dx=1.0, dy=1.0):\n self.width *= dx\n self.height *= dy\n",
"role": "user"
},
{
"content": "scale",
"role": "assistant"
}
] |
def x(self, point, Zorder=False):
if not point.isBetweenX(self.A, self.B):
return False
if not point.isBetweenY(self.A, self.D):
return False
if Zorder:
return point.z == self.origin.z
return True
|
containsPoint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, point, Zorder=False):\n if not point.isBetweenX(self.A, self.B):\n return False\n if not point.isBetweenY(self.A, self.D):\n return False\n if Zorder:\n return point.z == self.origin.z\n return True\n",
"role": "user"
},
{
"content": "containsPoint",
"role": "assistant"
}
] |
def x(cls, origin=None, radius=1):
pts = set()
while len(pts) < 3:
p = Point.random(origin, radius)
pts.add(p)
return cls(pts)
|
random
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, origin=None, radius=1):\n pts = set()\n while len(pts) < 3:\n p = Point.random(origin, radius)\n pts.add(p)\n return cls(pts)\n",
"role": "user"
},
{
"content": "random",
"role": "assistant"
}
] |
def x(cls, origin=None, side=1):
o = Point(origin)
base = o.x + side
h = 0.5 * Sqrt_3 * side + o.y
return cls(o, [base, o.y], [base / 2, h])
|
equilateral
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, origin=None, side=1):\n o = Point(origin)\n base = o.x + side\n h = 0.5 * Sqrt_3 * side + o.y\n return cls(o, [base, o.y], [base / 2, h])\n",
"role": "user"
},
{
"content": "equilateral",
"role": "assistant"
}
] |
def x(cls, origin=None, base=1, alpha=90):
o = Point(origin)
base = o.x + base
return cls(o, [base, o.y], [base / 2, o.y + base])
|
isosceles
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, origin=None, base=1, alpha=90):\n o = Point(origin)\n base = o.x + base\n return cls(o, [base, o.y], [base / 2, o.y + base])\n",
"role": "user"
},
{
"content": "isosceles",
"role": "assistant"
}
] |
def x(self):
try:
return self._C
except AttributeError:
pass
self._C = Point(0, 1)
return self._C
|
C
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return self._C\n except AttributeError:\n pass\n self._C = Point(0, 1)\n return self._C\n",
"role": "user"
},
{
"content": "C",
"role": "assistant"
}
] |
def x(self):
try:
return self._ABC
except AttributeError:
pass
self._ABC = [self.A, self.B, self.C]
return self._ABC
|
ABC
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return self._ABC\n except AttributeError:\n pass\n self._ABC = [self.A, self.B, self.C]\n return self._ABC\n",
"role": "user"
},
{
"content": "ABC",
"role": "assistant"
}
] |
def x(self):
try:
return self._BA
except AttributeError:
pass
self._BA = [self.B, self.A]
return self._BA
|
BA
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return self._BA\n except AttributeError:\n pass\n self._BA = [self.B, self.A]\n return self._BA\n",
"role": "user"
},
{
"content": "BA",
"role": "assistant"
}
] |
def x(self):
try:
return self._AC
except AttributeError:
pass
self._AC = [self.A, self.C]
return self._AC
|
AC
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return self._AC\n except AttributeError:\n pass\n self._AC = [self.A, self.C]\n return self._AC\n",
"role": "user"
},
{
"content": "AC",
"role": "assistant"
}
] |
def x(self):
try:
return self._CA
except AttributeError:
pass
self._CA = [self.C, self.A]
return self._CA
|
CA
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return self._CA\n except AttributeError:\n pass\n self._CA = [self.C, self.A]\n return self._CA\n",
"role": "user"
},
{
"content": "CA",
"role": "assistant"
}
] |
def x(self):
try:
return self._BC
except AttributeError:
pass
self._BC = [self.B, self.C]
return self._BC
|
BC
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return self._BC\n except AttributeError:\n pass\n self._BC = [self.B, self.C]\n return self._BC\n",
"role": "user"
},
{
"content": "BC",
"role": "assistant"
}
] |
def x(self):
try:
return self._CB
except AttributeError:
pass
self._CB = [self.C, self.B]
return self._CB
|
CB
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return self._CB\n except AttributeError:\n pass\n self._CB = [self.C, self.B]\n return self._CB\n",
"role": "user"
},
{
"content": "CB",
"role": "assistant"
}
] |
def x(self):
return [Segment(self.AB), Segment(self.BC), Segment(self.AC)]
|
segments
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [Segment(self.AB), Segment(self.BC), Segment(self.AC)]\n",
"role": "user"
},
{
"content": "segments",
"role": "assistant"
}
] |
def x(self):
if self.isRight:
return self.hypotenuse.midpoint
if self.A.isOrigin:
t = self
else:
t = Triangle(self.A - self.A, self.B - self.A, self.C - self.A)
if not t.A.isOrigin:
raise ValueError('failed to translate {} to origin'.format(t))
BmulC = t.B * t.C.yx
d = 2 * (BmulC.x - BmulC.y)
bSqSum = sum((t.B ** 2).xy)
cSqSum = sum((t.C ** 2).xy)
x = (t.C.y * bSqSum - t.B.y * cSqSum) / d + self.A.x
y = (t.B.x * cSqSum - t.C.x * bSqSum) / d + self.A.y
return Point(x, y)
|
circumcenter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.isRight:\n return self.hypotenuse.midpoint\n if self.A.isOrigin:\n t = self\n else:\n t = Triangle(self.A - self.A, self.B - self.A, self.C - self.A)\n if not t.A.isOrigin:\n raise ValueError('failed to translate {} to origin'.format(t))\n BmulC = t.B * t.C.yx\n d = 2 * (BmulC.x - BmulC.y)\n bSqSum = sum((t.B ** 2).xy)\n cSqSum = sum((t.C ** 2).xy)\n x = (t.C.y * bSqSum - t.B.y * cSqSum) / d + self.A.x\n y = (t.B.x * cSqSum - t.C.x * bSqSum) / d + self.A.y\n return Point(x, y)\n",
"role": "user"
},
{
"content": "circumcenter",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.