source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(msg=None):
def x(value):
try:
if isinstance(value, basestring):
if ',' in value:
value = list(map(int, filter(bool, list(map(lambda x: x
.strip(), value.split(','))))))
return value
else:
return [int(value)]
else:
raise ValueError
except ValueError:
raise Invalid('<{0}> is not a valid csv of integers'.format(value))
return fn
|
CSVofIntegers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg=None):\n\n def x(value):\n try:\n if isinstance(value, basestring):\n if ',' in value:\n value = list(map(int, filter(bool, list(map(lambda x: x\n .strip(), value.split(','))))))\n return value\n else:\n return [int(value)]\n else:\n raise ValueError\n except ValueError:\n raise Invalid('<{0}> is not a valid csv of integers'.format(value))\n return fn\n",
"role": "user"
},
{
"content": "CSVofIntegers",
"role": "assistant"
}
] |
def x(self):
query_params = self.request.query_params
url_params = self.kwargs
queryset_filters = self.get_db_filters(url_params, query_params)
db_filters = queryset_filters['db_filters']
db_excludes = queryset_filters['db_excludes']
queryset = Team.objects.prefetch_related('players').all()
return queryset.filter(**db_filters).exclude(**db_excludes)
|
get_queryset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n query_params = self.request.query_params\n url_params = self.kwargs\n queryset_filters = self.get_db_filters(url_params, query_params)\n db_filters = queryset_filters['db_filters']\n db_excludes = queryset_filters['db_excludes']\n queryset = Team.objects.prefetch_related('players').all()\n return queryset.filter(**db_filters).exclude(**db_excludes)\n",
"role": "user"
},
{
"content": "get_queryset",
"role": "assistant"
}
] |
def x(name, default):
parent_name = 'CMSPLUGIN_NEWS_{0}'.format(name)
return getattr(django_settings, parent_name, default)
|
get_setting
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, default):\n parent_name = 'CMSPLUGIN_NEWS_{0}'.format(name)\n return getattr(django_settings, parent_name, default)\n",
"role": "user"
},
{
"content": "get_setting",
"role": "assistant"
}
] |
def x(self, request, queryset):
rows_updated = queryset.update(is_published=True)
self.message_user(request, ungettext('%(count)d newsitem was published',
'%(count)d newsitems were published', rows_updated) % {'count':
rows_updated})
|
make_published
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, queryset):\n rows_updated = queryset.update(is_published=True)\n self.message_user(request, ungettext('%(count)d newsitem was published',\n '%(count)d newsitems were published', rows_updated) % {'count':\n rows_updated})\n",
"role": "user"
},
{
"content": "make_published",
"role": "assistant"
}
] |
def x(self, request, queryset):
rows_updated = queryset.update(is_published=False)
self.message_user(request, ungettext(
'%(count)d newsitem was unpublished',
'%(count)d newsitems were unpublished', rows_updated) % {'count':
rows_updated})
|
make_unpublished
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, queryset):\n rows_updated = queryset.update(is_published=False)\n self.message_user(request, ungettext(\n '%(count)d newsitem was unpublished',\n '%(count)d newsitems were unpublished', rows_updated) % {'count':\n rows_updated})\n",
"role": "user"
},
{
"content": "make_unpublished",
"role": "assistant"
}
] |
def x(self, name, value, attrs=None):
if value is None:
value = ''
value = smart_unicode(value)
final_attrs = self.build_attrs(attrs)
final_attrs['name'] = name
assert 'id' in final_attrs, "TinyMCE widget attributes must contain 'id'"
mce_config = cms.plugins.text.settings.TINYMCE_CONFIG.copy()
mce_config.update(get_language_config(self.content_language))
if tinymce.settings.USE_FILEBROWSER:
mce_config['file_browser_callback'] = 'djangoFileBrowser'
mce_config.update(self.mce_attrs)
mce_config['mode'] = 'exact'
mce_config['elements'] = final_attrs['id']
mce_config['strict_loading_mode'] = 1
"""
plugins = mce_config.get("plugins", "")
if len(plugins):
plugins += ","
plugins += "-cmsplugins"
mce_config['plugins'] = plugins
adv2 = mce_config.get('theme_advanced_buttons1', "")
if len(adv2):
adv2 = "," + adv2
adv2 = "cmsplugins,cmspluginsedit" + adv2
mce_config['theme_advanced_buttons1'] = adv2
"""
json = simplejson.dumps(mce_config)
html = [u'<textarea%s>%s</textarea>' % (flatatt(final_attrs), escape(
value))]
if tinymce.settings.USE_COMPRESSOR:
compressor_config = {'plugins': mce_config.get('plugins', ''),
'themes': mce_config.get('theme', 'advanced'), 'languages':
mce_config.get('language', ''), 'diskcache': True, 'debug': False}
c_json = simplejson.dumps(compressor_config)
html.append(
u'<script type="text/javascript">tinyMCE_GZ.init(%s);</script>' %
c_json)
html.append(
u'<script type="text/javascript">%s;\ntinyMCE.init(%s);</script>' %
(self.render_additions(name, value, attrs), json))
return mark_safe(u'\n'.join(html))
|
render
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value, attrs=None):\n if value is None:\n value = ''\n value = smart_unicode(value)\n final_attrs = self.build_attrs(attrs)\n final_attrs['name'] = name\n assert 'id' in final_attrs, \"TinyMCE widget attributes must contain 'id'\"\n mce_config = cms.plugins.text.settings.TINYMCE_CONFIG.copy()\n mce_config.update(get_language_config(self.content_language))\n if tinymce.settings.USE_FILEBROWSER:\n mce_config['file_browser_callback'] = 'djangoFileBrowser'\n mce_config.update(self.mce_attrs)\n mce_config['mode'] = 'exact'\n mce_config['elements'] = final_attrs['id']\n mce_config['strict_loading_mode'] = 1\n \"\"\"\n plugins = mce_config.get(\"plugins\", \"\")\n if len(plugins):\n plugins += \",\"\n plugins += \"-cmsplugins\"\n mce_config['plugins'] = plugins\n adv2 = mce_config.get('theme_advanced_buttons1', \"\")\n if len(adv2):\n adv2 = \",\" + adv2\n adv2 = \"cmsplugins,cmspluginsedit\" + adv2\n mce_config['theme_advanced_buttons1'] = adv2\n \"\"\"\n json = simplejson.dumps(mce_config)\n html = [u'<textarea%s>%s</textarea>' % (flatatt(final_attrs), escape(\n value))]\n if tinymce.settings.USE_COMPRESSOR:\n compressor_config = {'plugins': mce_config.get('plugins', ''),\n 'themes': mce_config.get('theme', 'advanced'), 'languages':\n mce_config.get('language', ''), 'diskcache': True, 'debug': False}\n c_json = simplejson.dumps(compressor_config)\n html.append(\n u'<script type=\"text/javascript\">tinyMCE_GZ.init(%s);</script>' %\n c_json)\n html.append(\n u'<script type=\"text/javascript\">%s;\\ntinyMCE.init(%s);</script>' %\n (self.render_additions(name, value, attrs), json))\n return mark_safe(u'\\n'.join(html))\n",
"role": "user"
},
{
"content": "render",
"role": "assistant"
}
] |
def x(*args, input=None):
wk_args = (WK_PATH,) + args
return subprocess.run(wk_args, input=input, stdout=subprocess.PIPE,
stderr=subprocess.PIPE)
|
execute_wk
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, input=None):\n wk_args = (WK_PATH,) + args\n return subprocess.run(wk_args, input=input, stdout=subprocess.PIPE,\n stderr=subprocess.PIPE)\n",
"role": "user"
},
{
"content": "execute_wk",
"role": "assistant"
}
] |
def x(html, *, cache_dir: Path=DFT_CACHE_DIR, grayscale: bool=False,
lowquality: bool=False, margin_bottom: str=None, margin_left: str=None,
margin_right: str=None, margin_top: str=None, orientation: str=None,
page_height: str=None, page_width: str=None, page_size: str=None,
image_dpi: str=None, image_quality: str=None, **extra_kwargs):
if not cache_dir.exists():
Path.mkdir(cache_dir)
py_args = dict(cache_dir=cache_dir, grayscale=grayscale, lowquality=
lowquality, margin_bottom=margin_bottom, margin_left=margin_left,
margin_right=margin_right, margin_top=margin_top, orientation=
orientation, page_height=page_height, page_width=page_width,
page_size=page_size, image_dpi=image_dpi, image_quality=image_quality)
py_args.update(extra_kwargs)
cmd_args = _convert_args(**py_args)
p = _execute_wk(*cmd_args, input=html.encode())
pdf_content = p.stdout
if p.returncode != 0 and pdf_content[:4] != b'%PDF':
raise RuntimeError(
'error running wkhtmltopdf, command: {!r}\nresponse: "{}"'.
format(cmd_args, p.stderr.decode().strip()))
return pdf_content
|
generate_pdf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html, *, cache_dir: Path=DFT_CACHE_DIR, grayscale: bool=False,\n lowquality: bool=False, margin_bottom: str=None, margin_left: str=None,\n margin_right: str=None, margin_top: str=None, orientation: str=None,\n page_height: str=None, page_width: str=None, page_size: str=None,\n image_dpi: str=None, image_quality: str=None, **extra_kwargs):\n if not cache_dir.exists():\n Path.mkdir(cache_dir)\n py_args = dict(cache_dir=cache_dir, grayscale=grayscale, lowquality=\n lowquality, margin_bottom=margin_bottom, margin_left=margin_left,\n margin_right=margin_right, margin_top=margin_top, orientation=\n orientation, page_height=page_height, page_width=page_width,\n page_size=page_size, image_dpi=image_dpi, image_quality=image_quality)\n py_args.update(extra_kwargs)\n cmd_args = _convert_args(**py_args)\n p = _execute_wk(*cmd_args, input=html.encode())\n pdf_content = p.stdout\n if p.returncode != 0 and pdf_content[:4] != b'%PDF':\n raise RuntimeError(\n 'error running wkhtmltopdf, command: {!r}\\nresponse: \"{}\"'.\n format(cmd_args, p.stderr.decode().strip()))\n return pdf_content\n",
"role": "user"
},
{
"content": "generate_pdf",
"role": "assistant"
}
] |
def x():
try:
wk_version = _string_execute('-V')
except Exception as e:
wk_version = '%s: %s' % (e.__class__.__name__, e)
return 'pydf version: %s\nwkhtmltopdf version: %s' % (VERSION, wk_version)
|
get_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n wk_version = _string_execute('-V')\n except Exception as e:\n wk_version = '%s: %s' % (e.__class__.__name__, e)\n return 'pydf version: %s\\nwkhtmltopdf version: %s' % (VERSION, wk_version)\n",
"role": "user"
},
{
"content": "get_version",
"role": "assistant"
}
] |
def x(self, string, flags):
self.index = 0
self.length = len(string)
self.source = string
self.lineNumber = 0
self.lineStart = 0
octal = False
st = ''
inside_square = 0
while self.index < self.length:
template = '[%s]' if not inside_square else '%s'
ch = self.source[self.index]
self.index += 1
if ch == '\\':
ch = self.source[self.index]
self.index += 1
if not isLineTerminator(ch):
if ch == 'u':
digs = self.source[self.index:self.index + 4]
if len(digs) == 4 and all(isHexDigit(d) for d in digs):
st += template % unichr(int(digs, 16))
self.index += 4
else:
st += 'u'
elif ch == 'x':
digs = self.source[self.index:self.index + 2]
if len(digs) == 2 and all(isHexDigit(d) for d in digs):
st += template % unichr(int(digs, 16))
self.index += 2
else:
st += 'x'
elif ch == '0':
st += '\\0'
elif ch == 'n':
st += '\\n'
elif ch == 'r':
st += '\\r'
elif ch == 't':
st += '\\t'
elif ch == 'f':
st += '\\f'
elif ch == 'v':
st += '\\v'
elif ch in REGEXP_SPECIAL_SINGLE:
st += '\\' + ch
elif ch == 'b':
st += '\\b'
elif ch == 'B':
st += '\\B'
elif ch == 'w':
st += '\\w'
elif ch == 'W':
st += '\\W'
elif ch == 'd':
st += '\\d'
elif ch == 'D':
st += '\\D'
elif ch == 's':
st += (template %
u' \x0c\n\r\t\x0b\xa0\u1680\u180e\u2000-\u200a\u2028\u2029\u202f\u205f\u3000\ufeff'
)
elif ch == 'S':
st += (template %
u'\x00-\x08\x0e-\x1f!-\x9f¡-ᙿᚁ-᠍\u180f-\u1fff\u200b-‧\u202a-\u202e‰-⁞\u2060-\u2fff、-\ufefe\uff00-\uffff'
)
elif isDecimalDigit(ch):
num = ch
while self.index < self.length and isDecimalDigit(self.
source[self.index]):
num += self.source[self.index]
self.index += 1
st += '\\' + num
else:
st += ch
else:
self.lineNumber += 1
if ch == '\r' and self.source[self.index] == '\n':
self.index += 1
self.lineStart = self.index
else:
if ch == '[':
inside_square = True
elif ch == ']':
inside_square = False
st += ch
return st
|
interpret_regexp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string, flags):\n self.index = 0\n self.length = len(string)\n self.source = string\n self.lineNumber = 0\n self.lineStart = 0\n octal = False\n st = ''\n inside_square = 0\n while self.index < self.length:\n template = '[%s]' if not inside_square else '%s'\n ch = self.source[self.index]\n self.index += 1\n if ch == '\\\\':\n ch = self.source[self.index]\n self.index += 1\n if not isLineTerminator(ch):\n if ch == 'u':\n digs = self.source[self.index:self.index + 4]\n if len(digs) == 4 and all(isHexDigit(d) for d in digs):\n st += template % unichr(int(digs, 16))\n self.index += 4\n else:\n st += 'u'\n elif ch == 'x':\n digs = self.source[self.index:self.index + 2]\n if len(digs) == 2 and all(isHexDigit(d) for d in digs):\n st += template % unichr(int(digs, 16))\n self.index += 2\n else:\n st += 'x'\n elif ch == '0':\n st += '\\\\0'\n elif ch == 'n':\n st += '\\\\n'\n elif ch == 'r':\n st += '\\\\r'\n elif ch == 't':\n st += '\\\\t'\n elif ch == 'f':\n st += '\\\\f'\n elif ch == 'v':\n st += '\\\\v'\n elif ch in REGEXP_SPECIAL_SINGLE:\n st += '\\\\' + ch\n elif ch == 'b':\n st += '\\\\b'\n elif ch == 'B':\n st += '\\\\B'\n elif ch == 'w':\n st += '\\\\w'\n elif ch == 'W':\n st += '\\\\W'\n elif ch == 'd':\n st += '\\\\d'\n elif ch == 'D':\n st += '\\\\D'\n elif ch == 's':\n st += (template %\n u' \\x0c\\n\\r\\t\\x0b\\xa0\\u1680\\u180e\\u2000-\\u200a\\u2028\\u2029\\u202f\\u205f\\u3000\\ufeff'\n )\n elif ch == 'S':\n st += (template %\n u'\\x00-\\x08\\x0e-\\x1f!-\\x9f¡-ᙿᚁ-᠍\\u180f-\\u1fff\\u200b-‧\\u202a-\\u202e‰-⁞\\u2060-\\u2fff、-\\ufefe\\uff00-\\uffff'\n )\n elif isDecimalDigit(ch):\n num = ch\n while self.index < self.length and isDecimalDigit(self.\n source[self.index]):\n num += self.source[self.index]\n self.index += 1\n st += '\\\\' + num\n else:\n st += ch\n else:\n self.lineNumber += 1\n if ch == '\\r' and self.source[self.index] == '\\n':\n self.index += 1\n self.lineStart = self.index\n else:\n if ch == '[':\n inside_square = True\n elif ch == ']':\n inside_square = False\n st += ch\n return st\n",
"role": "user"
},
{
"content": "interpret_regexp",
"role": "assistant"
}
] |
def x(self, ids=None, query=None, filter=None, offset=None, limit=None,
sample=None, sort=None, order=None, facet=None, select=None, cursor=
None, cursor_max=5000, **kwargs):
if ids.__class__.__name__ != 'NoneType':
return request(self.mailto, self.base_url, '/works/', ids, query,
filter, offset, limit, sample, sort, order, facet, select, None,
None, None, None, **kwargs)
else:
return Request(self.mailto, self.base_url, '/works/', query, filter,
offset, limit, sample, sort, order, facet, select, cursor,
cursor_max, None, **kwargs).do_request()
|
works
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ids=None, query=None, filter=None, offset=None, limit=None,\n sample=None, sort=None, order=None, facet=None, select=None, cursor=\n None, cursor_max=5000, **kwargs):\n if ids.__class__.__name__ != 'NoneType':\n return request(self.mailto, self.base_url, '/works/', ids, query,\n filter, offset, limit, sample, sort, order, facet, select, None,\n None, None, None, **kwargs)\n else:\n return Request(self.mailto, self.base_url, '/works/', query, filter,\n offset, limit, sample, sort, order, facet, select, cursor,\n cursor_max, None, **kwargs).do_request()\n",
"role": "user"
},
{
"content": "works",
"role": "assistant"
}
] |
def x(self, ids=None, filter=None, offset=None, limit=None, sample=None,
sort=None, order=None, facet=None, works=False, select=None, cursor=
None, cursor_max=5000, **kwargs):
check_kwargs(['query'], kwargs)
return request(self.mailto, self.base_url, '/prefixes/', ids, query=
None, filter=filter, offset=offset, limit=limit, sample=sample,
sort=sort, order=order, facet=facet, select=select, works=works,
cursor=cursor, cursor_max=cursor_max, **kwargs)
|
prefixes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ids=None, filter=None, offset=None, limit=None, sample=None,\n sort=None, order=None, facet=None, works=False, select=None, cursor=\n None, cursor_max=5000, **kwargs):\n check_kwargs(['query'], kwargs)\n return request(self.mailto, self.base_url, '/prefixes/', ids, query=\n None, filter=filter, offset=offset, limit=limit, sample=sample,\n sort=sort, order=order, facet=facet, select=select, works=works,\n cursor=cursor, cursor_max=cursor_max, **kwargs)\n",
"role": "user"
},
{
"content": "prefixes",
"role": "assistant"
}
] |
def x(self, ids=None, query=None, filter=None, offset=None, limit=None,
sample=None, sort=None, order=None, facet=None, works=False, select=
None, cursor=None, cursor_max=5000, **kwargs):
return request(self.mailto, self.base_url, '/types/', ids, query,
filter, offset, limit, sample, sort, order, facet, select, works,
cursor, cursor_max, **kwargs)
|
types
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ids=None, query=None, filter=None, offset=None, limit=None,\n sample=None, sort=None, order=None, facet=None, works=False, select=\n None, cursor=None, cursor_max=5000, **kwargs):\n return request(self.mailto, self.base_url, '/types/', ids, query,\n filter, offset, limit, sample, sort, order, facet, select, works,\n cursor, cursor_max, **kwargs)\n",
"role": "user"
},
{
"content": "types",
"role": "assistant"
}
] |
def x(self, query=None, offset=None, limit=None, sample=None, sort=None,
order=None, facet=None, **kwargs):
check_kwargs(['ids', 'filter', 'works'], kwargs)
res = request(self.mailto, self.base_url, '/licenses/', None, query,
None, offset, limit, None, sort, order, facet, None, None, None,
None, **kwargs)
return res
|
licenses
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query=None, offset=None, limit=None, sample=None, sort=None,\n order=None, facet=None, **kwargs):\n check_kwargs(['ids', 'filter', 'works'], kwargs)\n res = request(self.mailto, self.base_url, '/licenses/', None, query,\n None, offset, limit, None, sort, order, facet, None, None, None,\n None, **kwargs)\n return res\n",
"role": "user"
},
{
"content": "licenses",
"role": "assistant"
}
] |
def x(self, ids, **kwargs):
check_kwargs(['query', 'filter', 'offset', 'limit', 'sample', 'sort',
'order', 'facet', 'works'], kwargs)
res = request(self.mailto, self.base_url, '/works/', ids, None, None,
None, None, None, None, None, None, None, None, None, None, True,
**kwargs)
if res.__class__ != list:
k = []
k.append(res)
else:
k = res
return [z['message']['agency']['label'] for z in k]
|
registration_agency
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ids, **kwargs):\n check_kwargs(['query', 'filter', 'offset', 'limit', 'sample', 'sort',\n 'order', 'facet', 'works'], kwargs)\n res = request(self.mailto, self.base_url, '/works/', ids, None, None,\n None, None, None, None, None, None, None, None, None, None, True,\n **kwargs)\n if res.__class__ != list:\n k = []\n k.append(res)\n else:\n k = res\n return [z['message']['agency']['label'] for z in k]\n",
"role": "user"
},
{
"content": "registration_agency",
"role": "assistant"
}
] |
def x(self, sample=10, **kwargs):
res = request(self.mailto, self.base_url, '/works/', None, None, None,
None, None, sample, None, None, None, None, True, None, None, None,
**kwargs)
return [z['DOI'] for z in res['message']['items']]
|
random_dois
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sample=10, **kwargs):\n res = request(self.mailto, self.base_url, '/works/', None, None, None,\n None, None, sample, None, None, None, None, True, None, None, None,\n **kwargs)\n return [z['DOI'] for z in res['message']['items']]\n",
"role": "user"
},
{
"content": "random_dois",
"role": "assistant"
}
] |
def x(**kwargs):
base = 'https://api.github.com/repos/citation-style-language/styles'
tt = requests.get(base + '/commits?per_page=1', **kwargs)
tt.raise_for_status()
check_json(tt)
commres = tt.json()
sha = commres[0]['sha']
sty = requests.get(base + '/git/trees/' + sha, **kwargs)
sty.raise_for_status()
check_json(sty)
res = sty.json()
files = [z['path'] for z in res['tree']]
matches = [re.search('.csl', g) for g in files]
csls = [x.string for x in filter(None, matches)]
return [re.sub('.csl', '', x) for x in csls]
|
csl_styles
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n base = 'https://api.github.com/repos/citation-style-language/styles'\n tt = requests.get(base + '/commits?per_page=1', **kwargs)\n tt.raise_for_status()\n check_json(tt)\n commres = tt.json()\n sha = commres[0]['sha']\n sty = requests.get(base + '/git/trees/' + sha, **kwargs)\n sty.raise_for_status()\n check_json(sty)\n res = sty.json()\n files = [z['path'] for z in res['tree']]\n matches = [re.search('.csl', g) for g in files]\n csls = [x.string for x in filter(None, matches)]\n return [re.sub('.csl', '', x) for x in csls]\n",
"role": "user"
},
{
"content": "csl_styles",
"role": "assistant"
}
] |
def x(ids=None, format='bibtex', style='apa', locale='en-US', url=None, **
kwargs):
if url is None:
url = cn_base_url
return CNRequest(url, ids, format, style, locale, **kwargs)
|
content_negotiation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ids=None, format='bibtex', style='apa', locale='en-US', url=None, **\n kwargs):\n if url is None:\n url = cn_base_url\n return CNRequest(url, ids, format, style, locale, **kwargs)\n",
"role": "user"
},
{
"content": "content_negotiation",
"role": "assistant"
}
] |
def x(doi, url='http://www.crossref.org/openurl/', key=
'cboettig@ropensci.org', **kwargs):
args = {'id': 'doi:' + doi, 'pid': key, 'noredirect': True}
args = dict((k, v) for k, v in args.items() if v)
res = requests.get(url, params=args, headers=make_ua(), **kwargs)
xmldoc = minidom.parseString(res.content)
val = xmldoc.getElementsByTagName('query')[0].attributes['fl_count'].value
return int(str(val))
|
citation_count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(doi, url='http://www.crossref.org/openurl/', key=\n 'cboettig@ropensci.org', **kwargs):\n args = {'id': 'doi:' + doi, 'pid': key, 'noredirect': True}\n args = dict((k, v) for k, v in args.items() if v)\n res = requests.get(url, params=args, headers=make_ua(), **kwargs)\n xmldoc = minidom.parseString(res.content)\n val = xmldoc.getElementsByTagName('query')[0].attributes['fl_count'].value\n return int(str(val))\n",
"role": "user"
},
{
"content": "citation_count",
"role": "assistant"
}
] |
def x(self, max_subs=10):
hierarchy = []
defaults = TOC.default_hierarchy + tuple('%ssection' % ('sub' * i) for
i in range(2, max_subs))
for level in defaults:
if getattr(self.source, level, False):
hierarchy.append(level)
return tuple(hierarchy)
|
findHierarchy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, max_subs=10):\n hierarchy = []\n defaults = TOC.default_hierarchy + tuple('%ssection' % ('sub' * i) for\n i in range(2, max_subs))\n for level in defaults:\n if getattr(self.source, level, False):\n hierarchy.append(level)\n return tuple(hierarchy)\n",
"role": "user"
},
{
"content": "findHierarchy",
"role": "assistant"
}
] |
def x(ts, hierarchy=default_hierarchy):
try:
return hierarchy.index(ts.name) + 1
except ValueError:
if ts.name.endswith('section'):
i, name = 0, ts.name
while name.startswith('sub'):
name, i = name[3:], i + 1
if name == 'section':
return i + 2
return float('inf')
except (AttributeError, TypeError):
return float('inf')
|
getHeadingLevel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ts, hierarchy=default_hierarchy):\n try:\n return hierarchy.index(ts.name) + 1\n except ValueError:\n if ts.name.endswith('section'):\n i, name = 0, ts.name\n while name.startswith('sub'):\n name, i = name[3:], i + 1\n if name == 'section':\n return i + 2\n return float('inf')\n except (AttributeError, TypeError):\n return float('inf')\n",
"role": "user"
},
{
"content": "getHeadingLevel",
"role": "assistant"
}
] |
def x(self, descendants=()):
descendants = list(descendants) or list(getattr(self.source,
'descendants', descendants))
if not descendants:
return -1
return min(TOC.getHeadingLevel(e, self.hierarchy) for e in descendants)
|
parseTopDepth
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, descendants=()):\n descendants = list(descendants) or list(getattr(self.source,\n 'descendants', descendants))\n if not descendants:\n return -1\n return min(TOC.getHeadingLevel(e, self.hierarchy) for e in descendants)\n",
"role": "user"
},
{
"content": "parseTopDepth",
"role": "assistant"
}
] |
def x(self, descendants):
i, branches = self.parseTopDepth(descendants), []
for descendant in descendants:
if self.getHeadingLevel(descendant, self.hierarchy) == i:
branches.append({'source': descendant})
if self.getHeadingLevel(descendant, self.hierarchy) > i and branches:
branches[-1].setdefault('descendants', []).append(descendant)
return [TOC(str(descendant), depth=i, hierarchy=self.hierarchy, **
branch) for branch in branches]
|
parseBranches
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, descendants):\n i, branches = self.parseTopDepth(descendants), []\n for descendant in descendants:\n if self.getHeadingLevel(descendant, self.hierarchy) == i:\n branches.append({'source': descendant})\n if self.getHeadingLevel(descendant, self.hierarchy) > i and branches:\n branches[-1].setdefault('descendants', []).append(descendant)\n return [TOC(str(descendant), depth=i, hierarchy=self.hierarchy, **\n branch) for branch in branches]\n",
"role": "user"
},
{
"content": "parseBranches",
"role": "assistant"
}
] |
def x(path_or_buffer):
return TOC.fromLatex(open(path_or_buffer).read() if isinstance(
path_or_buffer, str) else path_or_buffer)
|
fromFile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path_or_buffer):\n return TOC.fromLatex(open(path_or_buffer).read() if isinstance(\n path_or_buffer, str) else path_or_buffer)\n",
"role": "user"
},
{
"content": "fromFile",
"role": "assistant"
}
] |
def x(tex, *args, **kwargs):
source = TexSoup(tex)
return TOC('[document]', *args, source=source, descendants=list(source.
descendants), **kwargs)
|
fromLatex
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tex, *args, **kwargs):\n source = TexSoup(tex)\n return TOC('[document]', *args, source=source, descendants=list(source.\n descendants), **kwargs)\n",
"role": "user"
},
{
"content": "fromLatex",
"role": "assistant"
}
] |
def x(opts):
match = opts.get('match')
if match and type(match) is str:
opts['match'] = [pat.strip() for pat in match.split(',')]
elif match:
assert type(match) is list
else:
opts['match'] = []
exclude = opts.get('exclude')
if exclude and type(exclude) is str:
opts['exclude'] = [pat.strip() for pat in exclude.split(',')]
elif exclude:
assert type(exclude) is list
else:
opts['exclude'] = []
|
process_options
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(opts):\n match = opts.get('match')\n if match and type(match) is str:\n opts['match'] = [pat.strip() for pat in match.split(',')]\n elif match:\n assert type(match) is list\n else:\n opts['match'] = []\n exclude = opts.get('exclude')\n if exclude and type(exclude) is str:\n opts['exclude'] = [pat.strip() for pat in exclude.split(',')]\n elif exclude:\n assert type(exclude) is list\n else:\n opts['exclude'] = []\n",
"role": "user"
},
{
"content": "process_options",
"role": "assistant"
}
] |
def x(entry, opts):
if entry.name in ALWAYS_OMIT:
return False
path = entry.name
ok = True
match = opts.get('match')
exclude = opts.get('exclude')
if entry.is_file() and match:
assert type(match) is list
ok = False
for pat in match:
if fnmatch.fnmatch(path, pat):
ok = True
break
if ok and exclude:
assert type(exclude) is list
for pat in exclude:
if fnmatch.fnmatch(path, pat):
ok = False
break
return ok
|
match_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(entry, opts):\n if entry.name in ALWAYS_OMIT:\n return False\n path = entry.name\n ok = True\n match = opts.get('match')\n exclude = opts.get('exclude')\n if entry.is_file() and match:\n assert type(match) is list\n ok = False\n for pat in match:\n if fnmatch.fnmatch(path, pat):\n ok = True\n break\n if ok and exclude:\n assert type(exclude) is list\n for pat in exclude:\n if fnmatch.fnmatch(path, pat):\n ok = False\n break\n return ok\n",
"role": "user"
},
{
"content": "match_path",
"role": "assistant"
}
] |
def x(self, local, remote):
assert isinstance(local, FileEntry) and isinstance(remote, FileEntry)
if not local or not remote:
write(' Files cannot be compared ({} != {}).'.format(local, remote))
return False
elif local.size != remote.size:
write(' Files are different (size {:,d} != {:,d}).'.format(local
.size, remote.size))
return False
with local.target.open_readable(local.name
) as fp_src, remote.target.open_readable(remote.name) as fp_dest:
res, ofs = byte_compare(fp_src, fp_dest)
if not res:
write(' Files are different at offset {:,d}.'.format(ofs))
else:
write(' Files are equal.')
return res
|
compare_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, local, remote):\n assert isinstance(local, FileEntry) and isinstance(remote, FileEntry)\n if not local or not remote:\n write(' Files cannot be compared ({} != {}).'.format(local, remote))\n return False\n elif local.size != remote.size:\n write(' Files are different (size {:,d} != {:,d}).'.format(local\n .size, remote.size))\n return False\n with local.target.open_readable(local.name\n ) as fp_src, remote.target.open_readable(remote.name) as fp_dest:\n res, ofs = byte_compare(fp_src, fp_dest)\n if not res:\n write(' Files are different at offset {:,d}.'.format(ofs))\n else:\n write(' Files are equal.')\n return res\n",
"role": "user"
},
{
"content": "compare_file",
"role": "assistant"
}
] |
def x(self):
if self.verbose >= 3 and not IS_REDIRECTED or self.options.get('progress'):
stats = self.get_stats()
prefix = DRY_RUN_PREFIX if self.dry_run else ''
sys.stdout.write('{}Touched {}/{} entries in {} directories...\r'.
format(prefix, stats['entries_touched'], stats['entries_seen'],
stats['local_dirs']))
sys.stdout.flush()
return
|
tick
|
[
{
"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.verbose >= 3 and not IS_REDIRECTED or self.options.get('progress'):\n stats = self.get_stats()\n prefix = DRY_RUN_PREFIX if self.dry_run else ''\n sys.stdout.write('{}Touched {}/{} entries in {} directories...\\r'.\n format(prefix, stats['entries_touched'], stats['entries_seen'],\n stats['local_dirs']))\n sys.stdout.flush()\n return\n",
"role": "user"
},
{
"content": "tick",
"role": "assistant"
}
] |
def x(self):
local_entries = self.local.get_dir()
local_entry_map = dict(map(lambda e: (e.name, e), local_entries))
remote_entries = self.remote.get_dir()
remote_entry_map = dict(map(lambda e: (e.name, e), remote_entries))
entry_pair_list = []
for local_entry in local_entries:
if isinstance(local_entry, DirectoryEntry):
self._inc_stat('local_dirs')
else:
self._inc_stat('local_files')
if not self._before_sync(local_entry):
continue
remote_entry = remote_entry_map.get(local_entry.name)
entry_pair = EntryPair(local_entry, remote_entry)
entry_pair_list.append(entry_pair)
for remote_entry in remote_entries:
if isinstance(remote_entry, DirectoryEntry):
self._inc_stat('remote_dirs')
else:
self._inc_stat('remote_files')
if not self._before_sync(remote_entry):
continue
if remote_entry.name not in local_entry_map:
entry_pair = EntryPair(None, remote_entry)
entry_pair_list.append(entry_pair)
peer_dir_meta = self.local.cur_dir_meta.peer_sync.get(self.remote.get_id())
for pair in entry_pair_list:
pair.classify(peer_dir_meta)
for pair in entry_pair_list:
hook_result = self.re_classify_pair(pair)
if not self._match(pair.any_entry):
self.on_mismatch(pair)
elif hook_result is not False:
handler = getattr(self, 'on_' + pair.operation, None)
if handler:
try:
res = handler(pair)
except Exception as e:
if self.on_error(e, pair) is not True:
raise
else:
raise NotImplementedError('No handler for {}'.format(pair))
if pair.is_conflict():
self._inc_stat('conflict_files')
self.local.flush_meta()
self.remote.flush_meta()
for local_dir in local_entries:
if not local_dir.is_dir():
continue
elif not self._before_sync(local_dir):
continue
remote_dir = remote_entry_map.get(local_dir.name)
if remote_dir:
if res is not False:
self.local.cwd(local_dir.name)
self.remote.cwd(local_dir.name)
self._sync_dir()
self.local.cwd('..')
self.remote.cwd('..')
return True
|
sync_dir
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n local_entries = self.local.get_dir()\n local_entry_map = dict(map(lambda e: (e.name, e), local_entries))\n remote_entries = self.remote.get_dir()\n remote_entry_map = dict(map(lambda e: (e.name, e), remote_entries))\n entry_pair_list = []\n for local_entry in local_entries:\n if isinstance(local_entry, DirectoryEntry):\n self._inc_stat('local_dirs')\n else:\n self._inc_stat('local_files')\n if not self._before_sync(local_entry):\n continue\n remote_entry = remote_entry_map.get(local_entry.name)\n entry_pair = EntryPair(local_entry, remote_entry)\n entry_pair_list.append(entry_pair)\n for remote_entry in remote_entries:\n if isinstance(remote_entry, DirectoryEntry):\n self._inc_stat('remote_dirs')\n else:\n self._inc_stat('remote_files')\n if not self._before_sync(remote_entry):\n continue\n if remote_entry.name not in local_entry_map:\n entry_pair = EntryPair(None, remote_entry)\n entry_pair_list.append(entry_pair)\n peer_dir_meta = self.local.cur_dir_meta.peer_sync.get(self.remote.get_id())\n for pair in entry_pair_list:\n pair.classify(peer_dir_meta)\n for pair in entry_pair_list:\n hook_result = self.re_classify_pair(pair)\n if not self._match(pair.any_entry):\n self.on_mismatch(pair)\n elif hook_result is not False:\n handler = getattr(self, 'on_' + pair.operation, None)\n if handler:\n try:\n res = handler(pair)\n except Exception as e:\n if self.on_error(e, pair) is not True:\n raise\n else:\n raise NotImplementedError('No handler for {}'.format(pair))\n if pair.is_conflict():\n self._inc_stat('conflict_files')\n self.local.flush_meta()\n self.remote.flush_meta()\n for local_dir in local_entries:\n if not local_dir.is_dir():\n continue\n elif not self._before_sync(local_dir):\n continue\n remote_dir = remote_entry_map.get(local_dir.name)\n if remote_dir:\n if res is not False:\n self.local.cwd(local_dir.name)\n self.remote.cwd(local_dir.name)\n self._sync_dir()\n self.local.cwd('..')\n self.remote.cwd('..')\n return True\n",
"role": "user"
},
{
"content": "sync_dir",
"role": "assistant"
}
] |
def x(self, e, pair):
RED = ansi_code('Fore.LIGHTRED_EX')
R = ansi_code('Style.RESET_ALL')
write((RED + 'ERROR: {}\n {}' + R).format(e, pair))
if '[Errno 92] Illegal byte sequence' in '{}'.format(e) and compat.PY2:
write(RED + 'This _may_ be solved by using Python 3.' + R)
return False
|
on_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, e, pair):\n RED = ansi_code('Fore.LIGHTRED_EX')\n R = ansi_code('Style.RESET_ALL')\n write((RED + 'ERROR: {}\\n {}' + R).format(e, pair))\n if '[Errno 92] Illegal byte sequence' in '{}'.format(e) and compat.PY2:\n write(RED + 'This _may_ be solved by using Python 3.' + R)\n return False\n",
"role": "user"
},
{
"content": "on_error",
"role": "assistant"
}
] |
def x(self, pair):
status = pair.remote_classification
self._log_action('copy', status, '>', pair.local)
|
on_copy_local
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pair):\n status = pair.remote_classification\n self._log_action('copy', status, '>', pair.local)\n",
"role": "user"
},
{
"content": "on_copy_local",
"role": "assistant"
}
] |
def x(self, pair):
status = pair.local_classification
self._log_action('copy', status, '<', pair.remote)
|
on_copy_remote
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pair):\n status = pair.local_classification\n self._log_action('copy', status, '<', pair.remote)\n",
"role": "user"
},
{
"content": "on_copy_remote",
"role": "assistant"
}
] |
def x(self, pair):
c_pair = pair.local_classification, pair.remote_classification
org_pair = c_pair
org_operation = pair.operation
if pair.is_dir:
pair.local_classification = pair.remote_classification = 'existing'
pair.operation = 'equal'
self._log_action('', 'visit', '?', pair.local, min_level=4)
return
elif c_pair == ('existing', 'existing'):
time_cmp = eps_compare(pair.local.mtime, pair.remote.mtime,
FileEntry.EPS_TIME)
if time_cmp < 0:
c_pair = 'unmodified', 'modified'
elif time_cmp > 0:
c_pair = 'modified', 'unmodified'
elif pair.local.size == pair.remote.size:
c_pair = 'unmodified', 'unmodified'
else:
c_pair = 'modified', 'modified'
elif c_pair == ('new', 'new'):
time_cmp = eps_compare(pair.local.mtime, pair.remote.mtime,
FileEntry.EPS_TIME)
if time_cmp == 0 and pair.local.size == pair.remote.size:
c_pair = 'unmodified', 'unmodified'
else:
c_pair = 'modified', 'modified'
pair.local_classification = c_pair[0]
pair.remote_classification = c_pair[1]
pair.operation = operation_map.get(c_pair)
if not pair.operation:
raise RuntimeError('Undefined operation for pair classification {}'
.format(c_pair))
elif pair.operation == org_operation:
raise RuntimeError('Could not re-classify {}'.format(org_pair))
handler = getattr(self, 'on_' + pair.operation, None)
res = handler(pair)
return res
|
on_need_compare
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pair):\n c_pair = pair.local_classification, pair.remote_classification\n org_pair = c_pair\n org_operation = pair.operation\n if pair.is_dir:\n pair.local_classification = pair.remote_classification = 'existing'\n pair.operation = 'equal'\n self._log_action('', 'visit', '?', pair.local, min_level=4)\n return\n elif c_pair == ('existing', 'existing'):\n time_cmp = eps_compare(pair.local.mtime, pair.remote.mtime,\n FileEntry.EPS_TIME)\n if time_cmp < 0:\n c_pair = 'unmodified', 'modified'\n elif time_cmp > 0:\n c_pair = 'modified', 'unmodified'\n elif pair.local.size == pair.remote.size:\n c_pair = 'unmodified', 'unmodified'\n else:\n c_pair = 'modified', 'modified'\n elif c_pair == ('new', 'new'):\n time_cmp = eps_compare(pair.local.mtime, pair.remote.mtime,\n FileEntry.EPS_TIME)\n if time_cmp == 0 and pair.local.size == pair.remote.size:\n c_pair = 'unmodified', 'unmodified'\n else:\n c_pair = 'modified', 'modified'\n pair.local_classification = c_pair[0]\n pair.remote_classification = c_pair[1]\n pair.operation = operation_map.get(c_pair)\n if not pair.operation:\n raise RuntimeError('Undefined operation for pair classification {}'\n .format(c_pair))\n elif pair.operation == org_operation:\n raise RuntimeError('Could not re-classify {}'.format(org_pair))\n handler = getattr(self, 'on_' + pair.operation, None)\n res = handler(pair)\n return res\n",
"role": "user"
},
{
"content": "on_need_compare",
"role": "assistant"
}
] |
def x(self, pair):
any_entry = pair.any_entry
if not self._test_match_or_print(any_entry):
return
resolve = self._interactive_resolve(pair)
if resolve == 'skip':
self._log_action('skip', 'conflict', '*?*', any_entry)
self._inc_stat('conflict_files_skipped')
return
if pair.local and pair.remote:
assert pair.local.is_file()
is_newer = pair.local > pair.remote
if (resolve == 'local' or is_newer and resolve == 'new' or not
is_newer and resolve == 'old'):
self._log_action('copy', 'conflict', '*>*', pair.local)
self._copy_file(self.local, self.remote, pair.local)
elif resolve == 'remote' or is_newer and resolve == 'old' or not is_newer and resolve == 'new':
self._log_action('copy', 'conflict', '*<*', pair.local)
self._copy_file(self.remote, self.local, pair.remote)
else:
raise NotImplementedError
elif pair.local:
assert pair.local.is_file()
if resolve == 'local':
self._log_action('restore', 'conflict', '*>x', pair.local)
self._copy_file(self.local, self.remote, pair.local)
elif resolve == 'remote':
self._log_action('delete', 'conflict', '*<x', pair.local)
self._remove_file(pair.local)
else:
raise NotImplementedError
else:
assert pair.remote.is_file()
if resolve == 'local':
self._log_action('delete', 'conflict', 'x>*', pair.remote)
self._remove_file(pair.remote)
elif resolve == 'remote':
self._log_action('restore', 'conflict', 'x<*', pair.remote)
self._copy_file(self.remote, self.local, pair.remote)
else:
raise NotImplementedError
return
|
on_conflict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pair):\n any_entry = pair.any_entry\n if not self._test_match_or_print(any_entry):\n return\n resolve = self._interactive_resolve(pair)\n if resolve == 'skip':\n self._log_action('skip', 'conflict', '*?*', any_entry)\n self._inc_stat('conflict_files_skipped')\n return\n if pair.local and pair.remote:\n assert pair.local.is_file()\n is_newer = pair.local > pair.remote\n if (resolve == 'local' or is_newer and resolve == 'new' or not\n is_newer and resolve == 'old'):\n self._log_action('copy', 'conflict', '*>*', pair.local)\n self._copy_file(self.local, self.remote, pair.local)\n elif resolve == 'remote' or is_newer and resolve == 'old' or not is_newer and resolve == 'new':\n self._log_action('copy', 'conflict', '*<*', pair.local)\n self._copy_file(self.remote, self.local, pair.remote)\n else:\n raise NotImplementedError\n elif pair.local:\n assert pair.local.is_file()\n if resolve == 'local':\n self._log_action('restore', 'conflict', '*>x', pair.local)\n self._copy_file(self.local, self.remote, pair.local)\n elif resolve == 'remote':\n self._log_action('delete', 'conflict', '*<x', pair.local)\n self._remove_file(pair.local)\n else:\n raise NotImplementedError\n else:\n assert pair.remote.is_file()\n if resolve == 'local':\n self._log_action('delete', 'conflict', 'x>*', pair.remote)\n self._remove_file(pair.remote)\n elif resolve == 'remote':\n self._log_action('restore', 'conflict', 'x<*', pair.remote)\n self._copy_file(self.remote, self.local, pair.remote)\n else:\n raise NotImplementedError\n return\n",
"role": "user"
},
{
"content": "on_conflict",
"role": "assistant"
}
] |
def x(self, pair):
remote_entry = pair.remote
if self.options.get('delete_unmatched') and remote_entry:
self._log_action('delete', 'unmatched', '>', remote_entry)
if remote_entry.is_dir():
self._remove_dir(remote_entry)
else:
self._remove_file(remote_entry)
else:
self._log_action('skip', 'unmatched', '-', pair.any_entry, min_level=4)
|
on_mismatch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pair):\n remote_entry = pair.remote\n if self.options.get('delete_unmatched') and remote_entry:\n self._log_action('delete', 'unmatched', '>', remote_entry)\n if remote_entry.is_dir():\n self._remove_dir(remote_entry)\n else:\n self._remove_file(remote_entry)\n else:\n self._log_action('skip', 'unmatched', '-', pair.any_entry, min_level=4)\n",
"role": "user"
},
{
"content": "on_mismatch",
"role": "assistant"
}
] |
def x(self, pair):
if self.resolve_all:
if self.verbose >= 5:
self._print_pair_diff(pair)
return self.resolve_all
resolve = self.options.get('resolve', 'skip')
assert resolve in ('remote', 'ask', 'skip')
if resolve == 'ask' or self.verbose >= 5:
self._print_pair_diff(pair)
if resolve in ('remote', 'skip'):
return resolve
M = ansi_code('Style.BRIGHT') + ansi_code('Style.UNDERLINE')
R = ansi_code('Style.RESET_ALL')
self._inc_stat('interactive_ask')
while True:
prompt = ('Use ' + M + 'R' + R + 'emote, ' + M + 'S' + R + 'kip, ' +
M + 'B' + R + 'inary compare, ' + M + 'H' + R + 'elp? ')
r = compat.console_input(prompt).strip()
if r in ('h', 'H', '?'):
print('The following keys are supported:')
print(" 'b': Binary compare")
print(" 'r': Download remote file")
print(" 's': Skip this file (leave both targets unchanged)")
print(
'Hold Shift (upper case letters) to apply choice for all remaining conflicts.'
)
print('Hit Ctrl+C to abort.')
continue
elif r in ('B', 'b'):
self._compare_file(pair.local, pair.remote)
continue
elif r in ('R', 'S'):
r = self._resolve_shortcuts[r.lower()]
self.resolve_all = r
break
elif r in ('r', 's'):
r = self._resolve_shortcuts[r]
break
return r
|
interactive_resolve
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pair):\n if self.resolve_all:\n if self.verbose >= 5:\n self._print_pair_diff(pair)\n return self.resolve_all\n resolve = self.options.get('resolve', 'skip')\n assert resolve in ('remote', 'ask', 'skip')\n if resolve == 'ask' or self.verbose >= 5:\n self._print_pair_diff(pair)\n if resolve in ('remote', 'skip'):\n return resolve\n M = ansi_code('Style.BRIGHT') + ansi_code('Style.UNDERLINE')\n R = ansi_code('Style.RESET_ALL')\n self._inc_stat('interactive_ask')\n while True:\n prompt = ('Use ' + M + 'R' + R + 'emote, ' + M + 'S' + R + 'kip, ' +\n M + 'B' + R + 'inary compare, ' + M + 'H' + R + 'elp? ')\n r = compat.console_input(prompt).strip()\n if r in ('h', 'H', '?'):\n print('The following keys are supported:')\n print(\" 'b': Binary compare\")\n print(\" 'r': Download remote file\")\n print(\" 's': Skip this file (leave both targets unchanged)\")\n print(\n 'Hold Shift (upper case letters) to apply choice for all remaining conflicts.'\n )\n print('Hit Ctrl+C to abort.')\n continue\n elif r in ('B', 'b'):\n self._compare_file(pair.local, pair.remote)\n continue\n elif r in ('R', 'S'):\n r = self._resolve_shortcuts[r.lower()]\n self.resolve_all = r\n break\n elif r in ('r', 's'):\n r = self._resolve_shortcuts[r]\n break\n return r\n",
"role": "user"
},
{
"content": "interactive_resolve",
"role": "assistant"
}
] |
def x(self, pair):
local_entry = pair.local
if self.options.get('delete_unmatched') and local_entry:
self._log_action('delete', 'unmatched', '<', local_entry)
if local_entry.is_dir():
self._remove_dir(local_entry)
else:
self._remove_file(local_entry)
else:
self._log_action('skip', 'unmatched', '-', pair.any_entry, min_level=4)
|
on_mismatch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pair):\n local_entry = pair.local\n if self.options.get('delete_unmatched') and local_entry:\n self._log_action('delete', 'unmatched', '<', local_entry)\n if local_entry.is_dir():\n self._remove_dir(local_entry)\n else:\n self._remove_file(local_entry)\n else:\n self._log_action('skip', 'unmatched', '-', pair.any_entry, min_level=4)\n",
"role": "user"
},
{
"content": "on_mismatch",
"role": "assistant"
}
] |
def x(parser, args):
MAX_LEVELS = 15
cur_level = 0
cur_folder = os.getcwd()
config_path = None
while cur_level < MAX_LEVELS:
path = os.path.join(cur_folder, CONFIG_FILE_NAME)
if os.path.isfile(path):
config_path = path
break
parent = os.path.dirname(cur_folder)
if parent == cur_folder:
break
cur_folder = parent
cur_level += 1
if not config_path:
parser.error(
'Could not locate `.pyftpsync.yaml` in {} or {} parent folders.'
.format(os.getcwd(), cur_level))
try:
with open(config_path, 'rb') as f:
config = yaml.safe_load(f)
except Exception as e:
parser.error('Error parsing {}: {}'.format(config_path, e))
if 'tasks' not in config:
parser.error('Missing option `tasks` in {}'.format(config_path))
common_config = config.get('common_config', {})
default_task = config.get('default_task', 'default')
task_name = args.task or default_task
if task_name not in config['tasks']:
parser.error('Missing option `tasks.{}` in {}'.format(task_name,
config_path))
task = config['tasks'][task_name]
write("Running task '{}' from {}".format(task_name, config_path))
common_config.update(task)
task = common_config
task_args = set(task.keys())
missing_args = MANDATORY_TASK_ARGS.difference(task_args)
if missing_args:
parser.error('Missing mandatory options: tasks.{}.{}'.format(
task_name, ', '.join(missing_args)))
allowed_args = KNOWN_TASK_ARGS.union(MANDATORY_TASK_ARGS)
invalid_args = task_args.difference(allowed_args)
if invalid_args:
parser.error('Invalid options: tasks.{}.{}'.format(task_name, ', '.
join(invalid_args)))
for name in allowed_args:
val = task.get(name, None)
if val is None:
continue
cmd_val = getattr(args, name, None)
if cmd_val != val:
override = False
if name in OVERRIDABLE_BOOL_ARGS and cmd_val:
override = True
elif name in {'here', 'root'} and (args.here or args.root):
override = True
elif name == 'verbose' and cmd_val != 3:
override = True
if override:
write('Yaml entry overriden by --{}: {} => {}'.format(name,
val, cmd_val))
continue
setattr(args, name, val)
cur_folder = os.getcwd()
root_folder = os.path.dirname(config_path)
path_ofs = os.path.relpath(os.getcwd(), root_folder)
if cur_level == 0 or args.root:
path_ofs = ''
args.local = root_folder
elif args.here:
write('Using sub-branch {sub} of {root}'.format(root=root_folder,
sub=path_ofs))
args.local = cur_folder
args.remote = os.path.join(args.remote, path_ofs)
else:
parser.error(
"""`.pyftpsync.yaml` configuration was found in a parent directory. Please pass an additional argument to clarify:
--root: synchronize whole project ({root})
--here: synchronize sub branch ({root}/{sub})"""
.format(root=root_folder, sub=path_ofs))
|
handle_run_command
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser, args):\n MAX_LEVELS = 15\n cur_level = 0\n cur_folder = os.getcwd()\n config_path = None\n while cur_level < MAX_LEVELS:\n path = os.path.join(cur_folder, CONFIG_FILE_NAME)\n if os.path.isfile(path):\n config_path = path\n break\n parent = os.path.dirname(cur_folder)\n if parent == cur_folder:\n break\n cur_folder = parent\n cur_level += 1\n if not config_path:\n parser.error(\n 'Could not locate `.pyftpsync.yaml` in {} or {} parent folders.'\n .format(os.getcwd(), cur_level))\n try:\n with open(config_path, 'rb') as f:\n config = yaml.safe_load(f)\n except Exception as e:\n parser.error('Error parsing {}: {}'.format(config_path, e))\n if 'tasks' not in config:\n parser.error('Missing option `tasks` in {}'.format(config_path))\n common_config = config.get('common_config', {})\n default_task = config.get('default_task', 'default')\n task_name = args.task or default_task\n if task_name not in config['tasks']:\n parser.error('Missing option `tasks.{}` in {}'.format(task_name,\n config_path))\n task = config['tasks'][task_name]\n write(\"Running task '{}' from {}\".format(task_name, config_path))\n common_config.update(task)\n task = common_config\n task_args = set(task.keys())\n missing_args = MANDATORY_TASK_ARGS.difference(task_args)\n if missing_args:\n parser.error('Missing mandatory options: tasks.{}.{}'.format(\n task_name, ', '.join(missing_args)))\n allowed_args = KNOWN_TASK_ARGS.union(MANDATORY_TASK_ARGS)\n invalid_args = task_args.difference(allowed_args)\n if invalid_args:\n parser.error('Invalid options: tasks.{}.{}'.format(task_name, ', '.\n join(invalid_args)))\n for name in allowed_args:\n val = task.get(name, None)\n if val is None:\n continue\n cmd_val = getattr(args, name, None)\n if cmd_val != val:\n override = False\n if name in OVERRIDABLE_BOOL_ARGS and cmd_val:\n override = True\n elif name in {'here', 'root'} and (args.here or args.root):\n override = True\n elif name == 'verbose' and cmd_val != 3:\n override = True\n if override:\n write('Yaml entry overriden by --{}: {} => {}'.format(name,\n val, cmd_val))\n continue\n setattr(args, name, val)\n cur_folder = os.getcwd()\n root_folder = os.path.dirname(config_path)\n path_ofs = os.path.relpath(os.getcwd(), root_folder)\n if cur_level == 0 or args.root:\n path_ofs = ''\n args.local = root_folder\n elif args.here:\n write('Using sub-branch {sub} of {root}'.format(root=root_folder,\n sub=path_ofs))\n args.local = cur_folder\n args.remote = os.path.join(args.remote, path_ofs)\n else:\n parser.error(\n \"\"\"`.pyftpsync.yaml` configuration was found in a parent directory. Please pass an additional argument to clarify:\n --root: synchronize whole project ({root})\n --here: synchronize sub branch ({root}/{sub})\"\"\"\n .format(root=root_folder, sub=path_ofs))\n",
"role": "user"
},
{
"content": "handle_run_command",
"role": "assistant"
}
] |
def x(logger=True):
global _logger
prev_logger = _logger
if logger is True:
logging.basicConfig(level=logging.INFO)
_logger = logging.getLogger('pyftpsync')
_logger.setLevel(logging.DEBUG)
else:
_logger = logger
return prev_logger
|
set_pyftpsync_logger
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logger=True):\n global _logger\n prev_logger = _logger\n if logger is True:\n logging.basicConfig(level=logging.INFO)\n _logger = logging.getLogger('pyftpsync')\n _logger.setLevel(logging.DEBUG)\n else:\n _logger = logger\n return prev_logger\n",
"role": "user"
},
{
"content": "set_pyftpsync_logger",
"role": "assistant"
}
] |
def x(*args, **kwargs):
debug = kwargs.pop('debug', None)
warning = kwargs.pop('warning', None)
if _logger:
kwargs.pop('end', None)
kwargs.pop('file', None)
if debug:
_logger.debug(*args, **kwargs)
elif warning:
_logger.warning(*args, **kwargs)
else:
_logger.info(*args, **kwargs)
else:
print(*args, **kwargs)
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n debug = kwargs.pop('debug', None)\n warning = kwargs.pop('warning', None)\n if _logger:\n kwargs.pop('end', None)\n kwargs.pop('file', None)\n if debug:\n _logger.debug(*args, **kwargs)\n elif warning:\n _logger.warning(*args, **kwargs)\n else:\n _logger.info(*args, **kwargs)\n else:\n print(*args, **kwargs)\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(*args, **kwargs):
if _logger:
kwargs.pop('end', None)
kwargs.pop('file', None)
_logger.error(*args, **kwargs)
else:
print(*args, file=sys.stderr, **kwargs)
|
write_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n if _logger:\n kwargs.pop('end', None)\n kwargs.pop('file', None)\n _logger.error(*args, **kwargs)\n else:\n print(*args, file=sys.stderr, **kwargs)\n",
"role": "user"
},
{
"content": "write_error",
"role": "assistant"
}
] |
def x(o):
d = {}
for k, v in o.__dict__.items():
if not callable(v):
d[k] = v
return d
|
namespace_to_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(o):\n d = {}\n for k, v in o.__dict__.items():\n if not callable(v):\n d[k] = v\n return d\n",
"role": "user"
},
{
"content": "namespace_to_dict",
"role": "assistant"
}
] |
def x(f1, f2, eps):
res = f1 - f2
if abs(res) <= eps:
return 0
elif res < 0:
return -1
return 1
|
eps_compare
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f1, f2, eps):\n res = f1 - f2\n if abs(res) <= eps:\n return 0\n elif res < 0:\n return -1\n return 1\n",
"role": "user"
},
{
"content": "eps_compare",
"role": "assistant"
}
] |
def x(env_name, section, opt_name, default=None):
val = os.environ.get(env_name)
if val is None:
try:
val = _pyftpsyncrc_parser.get(section, opt_name)
except (compat.configparser.NoSectionError, compat.configparser.
NoOptionError):
pass
if val is None:
val = default
return val
|
get_option
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(env_name, section, opt_name, default=None):\n val = os.environ.get(env_name)\n if val is None:\n try:\n val = _pyftpsyncrc_parser.get(section, opt_name)\n except (compat.configparser.NoSectionError, compat.configparser.\n NoOptionError):\n pass\n if val is None:\n val = default\n return val\n",
"role": "user"
},
{
"content": "get_option",
"role": "assistant"
}
] |
def x(default=3):
args = sys.argv[1:]
verbose = default + args.count('--verbose') - args.count('--quiet')
for arg in args:
if arg.startswith('-') and not arg.startswith('--'):
verbose += arg[1:].count('v')
verbose -= arg[1:].count('q')
return verbose
|
check_cli_verbose
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(default=3):\n args = sys.argv[1:]\n verbose = default + args.count('--verbose') - args.count('--quiet')\n for arg in args:\n if arg.startswith('-') and not arg.startswith('--'):\n verbose += arg[1:].count('v')\n verbose -= arg[1:].count('q')\n return verbose\n",
"role": "user"
},
{
"content": "check_cli_verbose",
"role": "assistant"
}
] |
def x(url, user=None, default_user=None):
if user is None:
default_user = default_user or getpass.getuser()
while user is None:
user = compat.console_input('Enter username for {} [{}]: '.
format(url, default_user))
if user.strip() == '' and default_user:
user = default_user
if user:
pw = getpass.getpass('Enter password for {}@{} (Ctrl+C to abort): '
.format(user, url))
if pw or pw == '':
return user, pw
return None
|
prompt_for_password
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, user=None, default_user=None):\n if user is None:\n default_user = default_user or getpass.getuser()\n while user is None:\n user = compat.console_input('Enter username for {} [{}]: '.\n format(url, default_user))\n if user.strip() == '' and default_user:\n user = default_user\n if user:\n pw = getpass.getpass('Enter password for {}@{} (Ctrl+C to abort): '\n .format(user, url))\n if pw or pw == '':\n return user, pw\n return None\n",
"role": "user"
},
{
"content": "prompt_for_password",
"role": "assistant"
}
] |
def x(url, opts, force_user=None):
creds = None
verbose = int(opts.get('verbose'))
force_prompt = opts.get('prompt', False)
allow_prompt = not opts.get('no_prompt', True)
allow_keyring = not opts.get('no_keyring', False) and not force_user
allow_netrc = not opts.get('no_netrc', False) and not force_user
if force_user and not allow_prompt:
raise RuntimeError(
'Cannot get credentials for a distinct user ({}) from keyring or .netrc and prompting is disabled.'
.format(force_user))
home_path = os.path.expanduser('~')
file_path = os.path.join(home_path, DEFAULT_CREDENTIAL_STORE)
if os.path.isfile(file_path):
raise RuntimeError(
'Custom password files are no longer supported. Delete {} and use .netrc instead.'
.format(file_path))
if creds is None and keyring and allow_keyring:
try:
c = keyring.get_password('pyftpsync', url)
if c is not None:
creds = c.split(':', 1)
write(
"Using credentials from keyring('pyftpsync', '{}'): {}:***."
.format(url, creds[0]))
elif verbose >= 4:
write("No credentials found in keyring('pyftpsync', '{}')."
.format(url))
except Exception as e:
write_error('Could not get password from keyring {}'.format(e))
if creds is None and allow_netrc:
try:
authenticators = None
authenticators = netrc.netrc().authenticators(url)
except CompatFileNotFoundError:
if verbose >= 4:
write('Could not get password (no .netrc file).')
except Exception as e:
write_error('Could not read .netrc: {}.'.format(e))
if authenticators:
creds = authenticators[0], authenticators[2]
write('Using credentials from .netrc file: {}:***.'.format(
creds[0]))
elif verbose >= 4:
write("Could not find entry for '{}' in .netrc file.".format(url))
if allow_prompt:
if creds is None:
creds = prompt_for_password(url)
elif force_prompt:
creds = prompt_for_password(url, default_user=creds[0])
return creds
|
get_credentials_for_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, opts, force_user=None):\n creds = None\n verbose = int(opts.get('verbose'))\n force_prompt = opts.get('prompt', False)\n allow_prompt = not opts.get('no_prompt', True)\n allow_keyring = not opts.get('no_keyring', False) and not force_user\n allow_netrc = not opts.get('no_netrc', False) and not force_user\n if force_user and not allow_prompt:\n raise RuntimeError(\n 'Cannot get credentials for a distinct user ({}) from keyring or .netrc and prompting is disabled.'\n .format(force_user))\n home_path = os.path.expanduser('~')\n file_path = os.path.join(home_path, DEFAULT_CREDENTIAL_STORE)\n if os.path.isfile(file_path):\n raise RuntimeError(\n 'Custom password files are no longer supported. Delete {} and use .netrc instead.'\n .format(file_path))\n if creds is None and keyring and allow_keyring:\n try:\n c = keyring.get_password('pyftpsync', url)\n if c is not None:\n creds = c.split(':', 1)\n write(\n \"Using credentials from keyring('pyftpsync', '{}'): {}:***.\"\n .format(url, creds[0]))\n elif verbose >= 4:\n write(\"No credentials found in keyring('pyftpsync', '{}').\"\n .format(url))\n except Exception as e:\n write_error('Could not get password from keyring {}'.format(e))\n if creds is None and allow_netrc:\n try:\n authenticators = None\n authenticators = netrc.netrc().authenticators(url)\n except CompatFileNotFoundError:\n if verbose >= 4:\n write('Could not get password (no .netrc file).')\n except Exception as e:\n write_error('Could not read .netrc: {}.'.format(e))\n if authenticators:\n creds = authenticators[0], authenticators[2]\n write('Using credentials from .netrc file: {}:***.'.format(\n creds[0]))\n elif verbose >= 4:\n write(\"Could not find entry for '{}' in .netrc file.\".format(url))\n if allow_prompt:\n if creds is None:\n creds = prompt_for_password(url)\n elif force_prompt:\n creds = prompt_for_password(url, default_user=creds[0])\n return creds\n",
"role": "user"
},
{
"content": "get_credentials_for_url",
"role": "assistant"
}
] |
def x(url, username, password):
if keyring:
if ':' in username:
raise RuntimeError(
"Unable to store credentials if username contains a ':' ({})."
.format(username))
try:
if password is None:
keyring.delete_password('pyftpsync', url)
write('Delete credentials from keyring ({})'.format(url))
else:
keyring.set_password('pyftpsync', url, '{}:{}'.format(
username, password))
write('Store credentials in keyring ({}, {}:***).'.format(
url, username))
except Exception as e:
write('Could not delete/set password {}.'.format(e))
pass
else:
write('Could not store credentials (missing keyring support).')
return
|
save_password
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, username, password):\n if keyring:\n if ':' in username:\n raise RuntimeError(\n \"Unable to store credentials if username contains a ':' ({}).\"\n .format(username))\n try:\n if password is None:\n keyring.delete_password('pyftpsync', url)\n write('Delete credentials from keyring ({})'.format(url))\n else:\n keyring.set_password('pyftpsync', url, '{}:{}'.format(\n username, password))\n write('Store credentials in keyring ({}, {}:***).'.format(\n url, username))\n except Exception as e:\n write('Could not delete/set password {}.'.format(e))\n pass\n else:\n write('Could not store credentials (missing keyring support).')\n return\n",
"role": "user"
},
{
"content": "save_password",
"role": "assistant"
}
] |
def x(val):
val = str(val).lower().strip()
if val in ('1', 'true', 'on', 'yes'):
return True
elif val in ('0', 'false', 'off', 'no'):
return False
raise ValueError(
"Invalid value '{}'(expected '1', '0', 'true', 'false', 'on', 'off', 'yes', 'no')."
.format(val))
|
str_to_bool
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val):\n val = str(val).lower().strip()\n if val in ('1', 'true', 'on', 'yes'):\n return True\n elif val in ('0', 'false', 'off', 'no'):\n return False\n raise ValueError(\n \"Invalid value '{}'(expected '1', '0', 'true', 'false', 'on', 'off', 'yes', 'no').\"\n .format(val))\n",
"role": "user"
},
{
"content": "str_to_bool",
"role": "assistant"
}
] |
def x(name):
try:
obj = colorama
for part in name.split('.'):
obj = getattr(obj, part)
return obj
except AttributeError:
return ''
|
ansi_code
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n try:\n obj = colorama\n for part in name.split('.'):\n obj = getattr(obj, part)\n return obj\n except AttributeError:\n return ''\n",
"role": "user"
},
{
"content": "ansi_code",
"role": "assistant"
}
] |
def x(stream_a, stream_b):
bufsize = 16 * 1024
equal = True
ofs = 0
while True:
b1 = stream_a.read(bufsize)
b2 = stream_b.read(bufsize)
if b1 != b2:
equal = False
if b1 and b2:
for a, b in zip(b1, b2):
if a != b:
break
ofs += 1
break
ofs += len(b1)
if not b1:
break
return equal, ofs
|
byte_compare
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream_a, stream_b):\n bufsize = 16 * 1024\n equal = True\n ofs = 0\n while True:\n b1 = stream_a.read(bufsize)\n b2 = stream_b.read(bufsize)\n if b1 != b2:\n equal = False\n if b1 and b2:\n for a, b in zip(b1, b2):\n if a != b:\n break\n ofs += 1\n break\n ofs += len(b1)\n if not b1:\n break\n return equal, ofs\n",
"role": "user"
},
{
"content": "byte_compare",
"role": "assistant"
}
] |
def x(d, coding='utf-8'):
assert compat.PY2
res = {}
for k, v in d.items():
if type(k) is str:
k = k.decode(coding)
if type(v) is dict:
v = decode_dict_keys(v, coding)
res[k] = v
return res
|
decode_dict_keys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, coding='utf-8'):\n assert compat.PY2\n res = {}\n for k, v in d.items():\n if type(k) is str:\n k = k.decode(coding)\n if type(v) is dict:\n v = decode_dict_keys(v, coding)\n res[k] = v\n return res\n",
"role": "user"
},
{
"content": "decode_dict_keys",
"role": "assistant"
}
] |
def x(d):
res = {}
for k, v in d.items():
k = compat.to_native(k)
if type(v) is dict:
v = make_native_dict_keys(v)
res[k] = v
return res
|
make_native_dict_keys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d):\n res = {}\n for k, v in d.items():\n k = compat.to_native(k)\n if type(v) is dict:\n v = make_native_dict_keys(v)\n res[k] = v\n return res\n",
"role": "user"
},
{
"content": "make_native_dict_keys",
"role": "assistant"
}
] |
def x(url, extra_opts=None):
parts = compat.urlparse(url, allow_fragments=False)
scheme = parts.scheme.lower()
if scheme in ['ftp', 'ftps']:
creds = parts.username, parts.password
tls = scheme == 'ftps'
from ftpsync import ftp_target
target = ftp_target.FtpTarget(parts.path, parts.hostname, parts.
port, username=creds[0], password=creds[1], tls=tls, timeout=
None, extra_opts=extra_opts)
else:
target = FsTarget(url, extra_opts)
return target
|
make_target
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, extra_opts=None):\n parts = compat.urlparse(url, allow_fragments=False)\n scheme = parts.scheme.lower()\n if scheme in ['ftp', 'ftps']:\n creds = parts.username, parts.password\n tls = scheme == 'ftps'\n from ftpsync import ftp_target\n target = ftp_target.FtpTarget(parts.path, parts.hostname, parts.\n port, username=creds[0], password=creds[1], tls=tls, timeout=\n None, extra_opts=extra_opts)\n else:\n target = FsTarget(url, extra_opts)\n return target\n",
"role": "user"
},
{
"content": "make_target",
"role": "assistant"
}
] |
def x(synchronizer, extra_opts, default):
encoding = default
if extra_opts and 'encoding' in extra_opts:
encoding = extra_opts.get('encoding')
if encoding:
encoding = codecs.lookup(encoding).name
return encoding or None
|
get_encoding_opt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(synchronizer, extra_opts, default):\n encoding = default\n if extra_opts and 'encoding' in extra_opts:\n encoding = extra_opts.get('encoding')\n if encoding:\n encoding = codecs.lookup(encoding).name\n return encoding or None\n",
"role": "user"
},
{
"content": "get_encoding_opt",
"role": "assistant"
}
] |
def x(self):
d = self.synchronizer.options if self.synchronizer else {}
d.update(self.extra_opts)
return d
|
get_options_dict
|
[
{
"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.synchronizer.options if self.synchronizer else {}\n d.update(self.extra_opts)\n return d\n",
"role": "user"
},
{
"content": "get_options_dict",
"role": "assistant"
}
] |
def x(self, key, default=None):
if self.synchronizer:
return self.extra_opts.get(key, self.synchronizer.options.get(key,
default))
return self.extra_opts.get(key, default)
|
get_option
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, default=None):\n if self.synchronizer:\n return self.extra_opts.get(key, self.synchronizer.options.get(key,\n default))\n return self.extra_opts.get(key, default)\n",
"role": "user"
},
{
"content": "get_option",
"role": "assistant"
}
] |
def x(self, name):
assert compat.is_native(name)
if self.readonly and name not in (DirMetadata.META_FILE_NAME,
DirMetadata.LOCK_FILE_NAME):
raise RuntimeError('Target is read-only: {} + {} / '.format(self, name)
)
|
check_write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n assert compat.is_native(name)\n if self.readonly and name not in (DirMetadata.META_FILE_NAME,\n DirMetadata.LOCK_FILE_NAME):\n raise RuntimeError('Target is read-only: {} + {} / '.format(self, name)\n )\n",
"role": "user"
},
{
"content": "check_write",
"role": "assistant"
}
] |
def x(self, name, key=None):
peer_target = self.peer
if self.is_local():
info = self.cur_dir_meta.dir['peer_sync'].get(peer_target.get_id())
else:
info = peer_target.cur_dir_meta.dir['peer_sync'].get(self.get_id())
if name is not None:
info = info.get(name) if info else None
if info and key:
info = info.get(key)
return info
|
get_sync_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, key=None):\n peer_target = self.peer\n if self.is_local():\n info = self.cur_dir_meta.dir['peer_sync'].get(peer_target.get_id())\n else:\n info = peer_target.cur_dir_meta.dir['peer_sync'].get(self.get_id())\n if name is not None:\n info = info.get(name) if info else None\n if info and key:\n info = info.get(key)\n return info\n",
"role": "user"
},
{
"content": "get_sync_info",
"role": "assistant"
}
] |
def x(self, pred=None, recursive=True):
for entry in self.get_dir():
if pred and pred(entry) is False:
continue
yield entry
if recursive:
if isinstance(entry, DirectoryEntry):
self.cwd(entry.name)
for e in self.walk(pred):
yield e
self.cwd('..')
return
|
walk
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pred=None, recursive=True):\n for entry in self.get_dir():\n if pred and pred(entry) is False:\n continue\n yield entry\n if recursive:\n if isinstance(entry, DirectoryEntry):\n self.cwd(entry.name)\n for e in self.walk(pred):\n yield e\n self.cwd('..')\n return\n",
"role": "user"
},
{
"content": "walk",
"role": "assistant"
}
] |
def x(self, name):
with self.open_readable(name) as fp:
res = fp.read()
res = res.decode('utf-8')
return res
|
read_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n with self.open_readable(name) as fp:\n res = fp.read()\n res = res.decode('utf-8')\n return res\n",
"role": "user"
},
{
"content": "read_text",
"role": "assistant"
}
] |
def x(self, name, s):
buf = io.BytesIO(compat.to_bytes(s))
self.write_file(name, buf)
|
write_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, s):\n buf = io.BytesIO(compat.to_bytes(s))\n self.write_file(name, buf)\n",
"role": "user"
},
{
"content": "write_text",
"role": "assistant"
}
] |
def x(self, name, mtime, size):
if not self.is_local():
return self.peer.set_sync_info(name, mtime, size)
return self.cur_dir_meta.set_sync_info(name, mtime, size)
|
set_sync_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, mtime, size):\n if not self.is_local():\n return self.peer.set_sync_info(name, mtime, size)\n return self.cur_dir_meta.set_sync_info(name, mtime, size)\n",
"role": "user"
},
{
"content": "set_sync_info",
"role": "assistant"
}
] |
def x(self, dir_name):
self.check_write(dir_name)
path = normpath_url(join_url(self.cur_dir, dir_name))
shutil.rmtree(path)
|
rmdir
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dir_name):\n self.check_write(dir_name)\n path = normpath_url(join_url(self.cur_dir, dir_name))\n shutil.rmtree(path)\n",
"role": "user"
},
{
"content": "rmdir",
"role": "assistant"
}
] |
def x(self, name):
self.check_write(name)
path = os.path.join(self.cur_dir, name)
os.remove(path)
|
remove_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n self.check_write(name)\n path = os.path.join(self.cur_dir, name)\n os.remove(path)\n",
"role": "user"
},
{
"content": "remove_file",
"role": "assistant"
}
] |
def x(self, name, mtime, size):
self.check_write(name)
os.utime(os.path.join(self.cur_dir, name), (-1, mtime))
|
set_mtime
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, mtime, size):\n self.check_write(name)\n os.utime(os.path.join(self.cur_dir, name), (-1, mtime))\n",
"role": "user"
},
{
"content": "set_mtime",
"role": "assistant"
}
] |
def x(self, break_existing=False):
data = {'lock_time': time.time(), 'lock_holder': None}
try:
assert self.cur_dir == self.root_dir
self.write_text(DirMetadata.LOCK_FILE_NAME, json.dumps(data))
self.lock_data = data
self.lock_write_time = time.time()
except Exception as e:
errmsg = '{}'.format(e)
write_error('Could not write lock file: {}'.format(errmsg))
if errmsg.startswith('550') and self.ftp.passiveserver:
try:
self.ftp.makepasv()
except Exception:
write_error(
'The server probably requires FTP Active mode. Try passing the --ftp-active option.'
)
self.lock_data = False
|
lock
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, break_existing=False):\n data = {'lock_time': time.time(), 'lock_holder': None}\n try:\n assert self.cur_dir == self.root_dir\n self.write_text(DirMetadata.LOCK_FILE_NAME, json.dumps(data))\n self.lock_data = data\n self.lock_write_time = time.time()\n except Exception as e:\n errmsg = '{}'.format(e)\n write_error('Could not write lock file: {}'.format(errmsg))\n if errmsg.startswith('550') and self.ftp.passiveserver:\n try:\n self.ftp.makepasv()\n except Exception:\n write_error(\n 'The server probably requires FTP Active mode. Try passing the --ftp-active option.'\n )\n self.lock_data = False\n",
"role": "user"
},
{
"content": "lock",
"role": "assistant"
}
] |
def x(self, closing=False):
try:
if self.cur_dir != self.root_dir:
if closing:
write('Changing to ftp root folder to remove lock file: {}'
.format(self.root_dir))
self.cwd(self.root_dir)
else:
write_error(
'Could not remove lock file, because CWD != ftp root: {}'
.format(self.cur_dir))
return
if self.lock_data is False:
if self.get_option('verbose', 3) >= 4:
write('Skip remove lock file (was not written).')
else:
try:
self.ftp.delete(DirMetadata.LOCK_FILE_NAME)
except Exception as e:
if e.args[0][:3] == '226':
write_error(
'Ignoring 226 response for ftp.delete() lockfile')
else:
raise
self.lock_data = None
except Exception as e:
write_error('Could not remove lock file: {}'.format(e))
raise
|
unlock
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, closing=False):\n try:\n if self.cur_dir != self.root_dir:\n if closing:\n write('Changing to ftp root folder to remove lock file: {}'\n .format(self.root_dir))\n self.cwd(self.root_dir)\n else:\n write_error(\n 'Could not remove lock file, because CWD != ftp root: {}'\n .format(self.cur_dir))\n return\n if self.lock_data is False:\n if self.get_option('verbose', 3) >= 4:\n write('Skip remove lock file (was not written).')\n else:\n try:\n self.ftp.delete(DirMetadata.LOCK_FILE_NAME)\n except Exception as e:\n if e.args[0][:3] == '226':\n write_error(\n 'Ignoring 226 response for ftp.delete() lockfile')\n else:\n raise\n self.lock_data = None\n except Exception as e:\n write_error('Could not remove lock file: {}'.format(e))\n raise\n",
"role": "user"
},
{
"content": "unlock",
"role": "assistant"
}
] |
def x(self, reported_mtime):
delta = reported_mtime - self.lock_data['lock_time']
self.server_time_ofs = delta
if self.get_option('verbose', 3) >= 4:
write('Server time offset: {:.2f} seconds.'.format(delta))
|
probe_lock_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reported_mtime):\n delta = reported_mtime - self.lock_data['lock_time']\n self.server_time_ofs = delta\n if self.get_option('verbose', 3) >= 4:\n write('Server time offset: {:.2f} seconds.'.format(delta))\n",
"role": "user"
},
{
"content": "probe_lock_file",
"role": "assistant"
}
] |
def x(self, name):
assert compat.is_native(name)
out = SpooledTemporaryFile(max_size=self.MAX_SPOOL_MEM, mode='w+b')
self.ftp.retrbinary('RETR {}'.format(name), out.write, FtpTarget.
DEFAULT_BLOCKSIZE)
out.seek(0)
return out
|
open_readable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n assert compat.is_native(name)\n out = SpooledTemporaryFile(max_size=self.MAX_SPOOL_MEM, mode='w+b')\n self.ftp.retrbinary('RETR {}'.format(name), out.write, FtpTarget.\n DEFAULT_BLOCKSIZE)\n out.seek(0)\n return out\n",
"role": "user"
},
{
"content": "open_readable",
"role": "assistant"
}
] |
def x(self, name, fp_src, blocksize=DEFAULT_BLOCKSIZE, callback=None):
assert compat.is_native(name)
self.check_write(name)
self.ftp.storbinary('STOR {}'.format(name), fp_src, blocksize, callback)
|
write_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, fp_src, blocksize=DEFAULT_BLOCKSIZE, callback=None):\n assert compat.is_native(name)\n self.check_write(name)\n self.ftp.storbinary('STOR {}'.format(name), fp_src, blocksize, callback)\n",
"role": "user"
},
{
"content": "write_file",
"role": "assistant"
}
] |
def x(self, name, fp_dest, callback=None):
assert compat.is_native(name)
def x(data):
fp_dest.write(data)
if callback:
callback(data)
self.ftp.retrbinary('RETR {}'.format(name), _write_to_file, FtpTarget.
DEFAULT_BLOCKSIZE)
|
copy_to_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, fp_dest, callback=None):\n assert compat.is_native(name)\n\n def x(data):\n fp_dest.write(data)\n if callback:\n callback(data)\n self.ftp.retrbinary('RETR {}'.format(name), _write_to_file, FtpTarget.\n DEFAULT_BLOCKSIZE)\n",
"role": "user"
},
{
"content": "copy_to_file",
"role": "assistant"
}
] |
def x(self, name):
assert compat.is_native(name)
self.check_write(name)
self.ftp.delete(name)
self.remove_sync_info(name)
|
remove_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n assert compat.is_native(name)\n self.check_write(name)\n self.ftp.delete(name)\n self.remove_sync_info(name)\n",
"role": "user"
},
{
"content": "remove_file",
"role": "assistant"
}
] |
def x(self):
try:
return self.ftp.pwd()
except UnicodeEncodeError:
if compat.PY2 or self.ftp.encoding != 'utf-8':
raise
prev_encoding = self.ftp.encoding
try:
write('ftp.pwd() failed with utf-8: trying Cp1252...', warning=True
)
return self.ftp.pwd()
finally:
self.ftp.encoding = prev_encoding
|
ftp_pwd
|
[
{
"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.ftp.pwd()\n except UnicodeEncodeError:\n if compat.PY2 or self.ftp.encoding != 'utf-8':\n raise\n prev_encoding = self.ftp.encoding\n try:\n write('ftp.pwd() failed with utf-8: trying Cp1252...', warning=True\n )\n return self.ftp.pwd()\n finally:\n self.ftp.encoding = prev_encoding\n",
"role": "user"
},
{
"content": "ftp_pwd",
"role": "assistant"
}
] |
def x(self, dir_name):
assert compat.is_native(dir_name)
lines = []
def x(status, line):
lines.append(line)
cmd = 'NLST ' + dir_name
self._ftp_retrlines_native(cmd, _add_line, self.encoding)
return lines
|
ftp_nlst
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dir_name):\n assert compat.is_native(dir_name)\n lines = []\n\n def x(status, line):\n lines.append(line)\n cmd = 'NLST ' + dir_name\n self._ftp_retrlines_native(cmd, _add_line, self.encoding)\n return lines\n",
"role": "user"
},
{
"content": "ftp_nlst",
"role": "assistant"
}
] |
def x(self, command, callback, encoding):
LF = b'\n'
buffer = b''
local_var = {'buffer': buffer}
fallback_enc = 'cp1252' if encoding == 'utf-8' else None
def x(line):
status = 2
line_decoded = None
try:
line_decoded = line.decode(encoding)
status = 0
except UnicodeDecodeError:
if fallback_enc:
try:
line_decoded = line.decode(fallback_enc)
status = 1
except UnicodeDecodeError:
raise
if compat.PY2:
if status == 1:
callback(status, line_decoded.encode(encoding))
else:
callback(status, line)
else:
callback(status, line_decoded)
def x(chunk):
buffer = local_var['buffer']
chunk = chunk.replace(b'\r\n', LF)
chunk = chunk.replace(b'\r', LF)
chunk = buffer + chunk
try:
while True:
item, chunk = chunk.split(LF, 1)
_on_read_line(item)
except ValueError:
pass
local_var['buffer'] = chunk
self.ftp.retrbinary(command, _on_read_chunk)
if buffer:
_on_read_line(buffer)
return
|
ftp_retrlines_native
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command, callback, encoding):\n LF = b'\\n'\n buffer = b''\n local_var = {'buffer': buffer}\n fallback_enc = 'cp1252' if encoding == 'utf-8' else None\n\n def x(line):\n status = 2\n line_decoded = None\n try:\n line_decoded = line.decode(encoding)\n status = 0\n except UnicodeDecodeError:\n if fallback_enc:\n try:\n line_decoded = line.decode(fallback_enc)\n status = 1\n except UnicodeDecodeError:\n raise\n if compat.PY2:\n if status == 1:\n callback(status, line_decoded.encode(encoding))\n else:\n callback(status, line)\n else:\n callback(status, line_decoded)\n\n def x(chunk):\n buffer = local_var['buffer']\n chunk = chunk.replace(b'\\r\\n', LF)\n chunk = chunk.replace(b'\\r', LF)\n chunk = buffer + chunk\n try:\n while True:\n item, chunk = chunk.split(LF, 1)\n _on_read_line(item)\n except ValueError:\n pass\n local_var['buffer'] = chunk\n self.ftp.retrbinary(command, _on_read_chunk)\n if buffer:\n _on_read_line(buffer)\n return\n",
"role": "user"
},
{
"content": "ftp_retrlines_native",
"role": "assistant"
}
] |
def x():
set_pyftpsync_logger(None)
parser = argparse.ArgumentParser(description=
'Synchronize folders over FTP.', epilog=
'See also https://github.com/mar10/pyftpsync', parents=[verbose_parser]
)
if check_cli_verbose(3) > 3:
version_info = 'pyftpsync/{} Python/{} {}'.format(__version__,
PYTHON_VERSION, platform.platform())
else:
version_info = '{}'.format(__version__)
parser.add_argument('-V', '--version', action='version', version=
version_info)
subparsers = parser.add_subparsers(help='sub-command help')
sp = subparsers.add_parser('upload', parents=[verbose_parser,
common_parser, matcher_parser, creds_parser], help=
'copy new and modified files to remote folder')
sp.add_argument('local', metavar='LOCAL', default='.', help=
'path to local folder (default: %(default)s)')
sp.add_argument('remote', metavar='REMOTE', help='path to remote folder')
sp.add_argument('--force', action='store_true', help=
'overwrite remote files, even if the target is newer (but no conflict was detected)'
)
sp.add_argument('--resolve', default='ask', choices=['local', 'skip',
'ask'], help="conflict resolving strategy (default: '%(default)s')")
sp.add_argument('--delete', action='store_true', help=
"remove remote files if they don't exist locally")
sp.add_argument('--delete-unmatched', action='store_true', help=
"remove remote files if they don't exist locally or don't match the current filter (implies '--delete' option)"
)
sp.set_defaults(command='upload')
sp = subparsers.add_parser('download', parents=[verbose_parser,
common_parser, matcher_parser, creds_parser], help=
'copy new and modified files from remote folder to local target')
sp.add_argument('local', metavar='LOCAL', default='.', help=
'path to local folder (default: %(default)s)')
sp.add_argument('remote', metavar='REMOTE', help='path to remote folder')
sp.add_argument('--force', action='store_true', help=
'overwrite local files, even if the target is newer (but no conflict was detected)'
)
sp.add_argument('--resolve', default='ask', choices=['remote', 'skip',
'ask'], help="conflict resolving strategy (default: '%(default)s')")
sp.add_argument('--delete', action='store_true', help=
"remove local files if they don't exist on remote target")
sp.add_argument('--delete-unmatched', action='store_true', help=
"remove local files if they don't exist on remote target or don't match the current filter (implies '--delete' option)"
)
sp.set_defaults(command='download')
sp = subparsers.add_parser('sync', parents=[verbose_parser,
common_parser, matcher_parser, creds_parser], help=
'synchronize new and modified files between remote folder and local target'
)
sp.add_argument('local', metavar='LOCAL', default='.', help=
'path to local folder (default: %(default)s)')
sp.add_argument('remote', metavar='REMOTE', help='path to remote folder')
sp.add_argument('--resolve', default='ask', choices=['old', 'new',
'local', 'remote', 'skip', 'ask'], help=
"conflict resolving strategy (default: '%(default)s')")
sp.set_defaults(command='sync')
add_run_parser(subparsers)
add_scan_parser(subparsers)
args = parser.parse_args()
args.verbose -= args.quiet
del args.quiet
ftp_debug = 0
if args.verbose >= 6:
ftp_debug = 1
if getattr(args, 'command', None) == 'run':
handle_run_command(parser, args)
if callable(getattr(args, 'command', None)):
try:
return args.command(parser, args)
except KeyboardInterrupt:
print('\nAborted by user.', file=sys.stderr)
sys.exit(3)
elif not hasattr(args, 'command'):
parser.error(
"missing command (choose from 'upload', 'download', 'run', 'sync', 'scan')"
)
if hasattr(args, 'delete_unmatched') and args.delete_unmatched:
args.delete = True
args.local_target = make_target(args.local, {'ftp_debug': ftp_debug})
if args.remote == '.':
parser.error("'.' is expected to be the local target (not remote)")
args.remote_target = make_target(args.remote, {'ftp_debug': ftp_debug})
if not isinstance(args.local_target, FsTarget) and isinstance(args.
remote_target, FsTarget):
parser.error('a file system target is expected to be local')
opts = namespace_to_dict(args)
if args.command == 'upload':
s = UploadSynchronizer(args.local_target, args.remote_target, opts)
elif args.command == 'download':
s = DownloadSynchronizer(args.local_target, args.remote_target, opts)
elif args.command == 'sync':
s = BiDirSynchronizer(args.local_target, args.remote_target, opts)
else:
parser.error("unknown command '{}'".format(args.command))
s.is_script = True
try:
s.run()
except KeyboardInterrupt:
print('\nAborted by user.', file=sys.stderr)
sys.exit(3)
finally:
s.local.close()
s.remote.close()
stats = s.get_stats()
if args.verbose >= 5:
pprint(stats)
elif args.verbose >= 1:
if args.dry_run:
print('(DRY-RUN) ', end='')
print('Wrote {}/{} files in {} directories, skipped: {}.'.format(
stats['files_written'], stats['local_files'], stats[
'local_dirs'], stats['conflict_files_skipped']), end='')
if stats['interactive_ask']:
print()
else:
print(' Elap: {}.'.format(stats['elap_str']))
return
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n set_pyftpsync_logger(None)\n parser = argparse.ArgumentParser(description=\n 'Synchronize folders over FTP.', epilog=\n 'See also https://github.com/mar10/pyftpsync', parents=[verbose_parser]\n )\n if check_cli_verbose(3) > 3:\n version_info = 'pyftpsync/{} Python/{} {}'.format(__version__,\n PYTHON_VERSION, platform.platform())\n else:\n version_info = '{}'.format(__version__)\n parser.add_argument('-V', '--version', action='version', version=\n version_info)\n subparsers = parser.add_subparsers(help='sub-command help')\n sp = subparsers.add_parser('upload', parents=[verbose_parser,\n common_parser, matcher_parser, creds_parser], help=\n 'copy new and modified files to remote folder')\n sp.add_argument('local', metavar='LOCAL', default='.', help=\n 'path to local folder (default: %(default)s)')\n sp.add_argument('remote', metavar='REMOTE', help='path to remote folder')\n sp.add_argument('--force', action='store_true', help=\n 'overwrite remote files, even if the target is newer (but no conflict was detected)'\n )\n sp.add_argument('--resolve', default='ask', choices=['local', 'skip',\n 'ask'], help=\"conflict resolving strategy (default: '%(default)s')\")\n sp.add_argument('--delete', action='store_true', help=\n \"remove remote files if they don't exist locally\")\n sp.add_argument('--delete-unmatched', action='store_true', help=\n \"remove remote files if they don't exist locally or don't match the current filter (implies '--delete' option)\"\n )\n sp.set_defaults(command='upload')\n sp = subparsers.add_parser('download', parents=[verbose_parser,\n common_parser, matcher_parser, creds_parser], help=\n 'copy new and modified files from remote folder to local target')\n sp.add_argument('local', metavar='LOCAL', default='.', help=\n 'path to local folder (default: %(default)s)')\n sp.add_argument('remote', metavar='REMOTE', help='path to remote folder')\n sp.add_argument('--force', action='store_true', help=\n 'overwrite local files, even if the target is newer (but no conflict was detected)'\n )\n sp.add_argument('--resolve', default='ask', choices=['remote', 'skip',\n 'ask'], help=\"conflict resolving strategy (default: '%(default)s')\")\n sp.add_argument('--delete', action='store_true', help=\n \"remove local files if they don't exist on remote target\")\n sp.add_argument('--delete-unmatched', action='store_true', help=\n \"remove local files if they don't exist on remote target or don't match the current filter (implies '--delete' option)\"\n )\n sp.set_defaults(command='download')\n sp = subparsers.add_parser('sync', parents=[verbose_parser,\n common_parser, matcher_parser, creds_parser], help=\n 'synchronize new and modified files between remote folder and local target'\n )\n sp.add_argument('local', metavar='LOCAL', default='.', help=\n 'path to local folder (default: %(default)s)')\n sp.add_argument('remote', metavar='REMOTE', help='path to remote folder')\n sp.add_argument('--resolve', default='ask', choices=['old', 'new',\n 'local', 'remote', 'skip', 'ask'], help=\n \"conflict resolving strategy (default: '%(default)s')\")\n sp.set_defaults(command='sync')\n add_run_parser(subparsers)\n add_scan_parser(subparsers)\n args = parser.parse_args()\n args.verbose -= args.quiet\n del args.quiet\n ftp_debug = 0\n if args.verbose >= 6:\n ftp_debug = 1\n if getattr(args, 'command', None) == 'run':\n handle_run_command(parser, args)\n if callable(getattr(args, 'command', None)):\n try:\n return args.command(parser, args)\n except KeyboardInterrupt:\n print('\\nAborted by user.', file=sys.stderr)\n sys.exit(3)\n elif not hasattr(args, 'command'):\n parser.error(\n \"missing command (choose from 'upload', 'download', 'run', 'sync', 'scan')\"\n )\n if hasattr(args, 'delete_unmatched') and args.delete_unmatched:\n args.delete = True\n args.local_target = make_target(args.local, {'ftp_debug': ftp_debug})\n if args.remote == '.':\n parser.error(\"'.' is expected to be the local target (not remote)\")\n args.remote_target = make_target(args.remote, {'ftp_debug': ftp_debug})\n if not isinstance(args.local_target, FsTarget) and isinstance(args.\n remote_target, FsTarget):\n parser.error('a file system target is expected to be local')\n opts = namespace_to_dict(args)\n if args.command == 'upload':\n s = UploadSynchronizer(args.local_target, args.remote_target, opts)\n elif args.command == 'download':\n s = DownloadSynchronizer(args.local_target, args.remote_target, opts)\n elif args.command == 'sync':\n s = BiDirSynchronizer(args.local_target, args.remote_target, opts)\n else:\n parser.error(\"unknown command '{}'\".format(args.command))\n s.is_script = True\n try:\n s.run()\n except KeyboardInterrupt:\n print('\\nAborted by user.', file=sys.stderr)\n sys.exit(3)\n finally:\n s.local.close()\n s.remote.close()\n stats = s.get_stats()\n if args.verbose >= 5:\n pprint(stats)\n elif args.verbose >= 1:\n if args.dry_run:\n print('(DRY-RUN) ', end='')\n print('Wrote {}/{} files in {} directories, skipped: {}.'.format(\n stats['files_written'], stats['local_files'], stats[\n 'local_dirs'], stats['conflict_files_skipped']), end='')\n if stats['interactive_ask']:\n print()\n else:\n print(' Elap: {}.'.format(stats['elap_str']))\n return\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self):
return self.local and self.remote and FileEntry._eps_compare(self.local
.mtime, self.remote.mtime) == 0
|
is_same_time
|
[
{
"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.local and self.remote and FileEntry._eps_compare(self.local\n .mtime, self.remote.mtime) == 0\n",
"role": "user"
},
{
"content": "is_same_time",
"role": "assistant"
}
] |
def x(self, operation, reason):
prev_class = self.local_classification, self.remote_classification
prev_op = self.operation
assert operation != prev_op
assert operation in PAIR_OPERATIONS
if self.any_entry.target.synchronizer.verbose > 3:
write('override_operation({}, {}) -> {} ({})'.format(prev_class,
prev_op, operation, reason), debug=True)
self.operation = operation
self.re_class_reason = reason
|
override_operation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, operation, reason):\n prev_class = self.local_classification, self.remote_classification\n prev_op = self.operation\n assert operation != prev_op\n assert operation in PAIR_OPERATIONS\n if self.any_entry.target.synchronizer.verbose > 3:\n write('override_operation({}, {}) -> {} ({})'.format(prev_class,\n prev_op, operation, reason), debug=True)\n self.operation = operation\n self.re_class_reason = reason\n",
"role": "user"
},
{
"content": "override_operation",
"role": "assistant"
}
] |
def x(self, peer_dir_meta):
assert self.operation is None
peer_entry_meta = peer_dir_meta.get(self.name, False
) if peer_dir_meta else None
if self.local:
self.local.classify(peer_dir_meta)
self.local_classification = self.local.classification
elif peer_entry_meta:
self.local_classification = 'deleted'
else:
self.local_classification = 'missing'
if self.remote:
self.remote.classify(peer_dir_meta)
self.remote_classification = self.remote.classification
elif peer_entry_meta:
self.remote_classification = 'deleted'
else:
self.remote_classification = 'missing'
c_pair = self.local_classification, self.remote_classification
self.operation = operation_map.get(c_pair)
if not self.operation:
raise RuntimeError('Undefined operation for pair classification {}'
.format(c_pair))
if PRINT_CLASSIFICATIONS:
write('classify {}'.format(self))
assert self.operation in PAIR_OPERATIONS
return self.operation
|
classify
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, peer_dir_meta):\n assert self.operation is None\n peer_entry_meta = peer_dir_meta.get(self.name, False\n ) if peer_dir_meta else None\n if self.local:\n self.local.classify(peer_dir_meta)\n self.local_classification = self.local.classification\n elif peer_entry_meta:\n self.local_classification = 'deleted'\n else:\n self.local_classification = 'missing'\n if self.remote:\n self.remote.classify(peer_dir_meta)\n self.remote_classification = self.remote.classification\n elif peer_entry_meta:\n self.remote_classification = 'deleted'\n else:\n self.remote_classification = 'missing'\n c_pair = self.local_classification, self.remote_classification\n self.operation = operation_map.get(c_pair)\n if not self.operation:\n raise RuntimeError('Undefined operation for pair classification {}'\n .format(c_pair))\n if PRINT_CLASSIFICATIONS:\n write('classify {}'.format(self))\n assert self.operation in PAIR_OPERATIONS\n return self.operation\n",
"role": "user"
},
{
"content": "classify",
"role": "assistant"
}
] |
def x(self, peer_dir_meta):
assert self.classification is None
peer_entry_meta = None
if peer_dir_meta:
peer_entry_meta = peer_dir_meta.get(self.name, False)
if self.is_dir():
if peer_entry_meta:
self.classification = 'unmodified'
else:
self.classification = 'new'
elif peer_entry_meta:
self.ps_size = peer_entry_meta.get('s')
self.ps_mtime = peer_entry_meta.get('m')
self.ps_utime = peer_entry_meta.get('u')
if self.size == self.ps_size and FileEntry._eps_compare(self.
mtime, self.ps_mtime) == 0:
self.classification = 'unmodified'
else:
self.classification = 'modified'
else:
self.classification = 'new'
elif self.is_dir():
self.classification = 'unmodified'
else:
self.classification = 'existing'
if PRINT_CLASSIFICATIONS:
write('classify {}'.format(self))
assert self.classification in ENTRY_CLASSIFICATIONS
return self.classification
|
classify
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, peer_dir_meta):\n assert self.classification is None\n peer_entry_meta = None\n if peer_dir_meta:\n peer_entry_meta = peer_dir_meta.get(self.name, False)\n if self.is_dir():\n if peer_entry_meta:\n self.classification = 'unmodified'\n else:\n self.classification = 'new'\n elif peer_entry_meta:\n self.ps_size = peer_entry_meta.get('s')\n self.ps_mtime = peer_entry_meta.get('m')\n self.ps_utime = peer_entry_meta.get('u')\n if self.size == self.ps_size and FileEntry._eps_compare(self.\n mtime, self.ps_mtime) == 0:\n self.classification = 'unmodified'\n else:\n self.classification = 'modified'\n else:\n self.classification = 'new'\n elif self.is_dir():\n self.classification = 'unmodified'\n else:\n self.classification = 'existing'\n if PRINT_CLASSIFICATIONS:\n write('classify {}'.format(self))\n assert self.classification in ENTRY_CLASSIFICATIONS\n return self.classification\n",
"role": "user"
},
{
"content": "classify",
"role": "assistant"
}
] |
def x(self):
info = self.get_sync_info()
if not info:
return None
if self.size != info['s']:
return True
if self.mtime > info['m']:
return True
return False
|
was_modified_since_last_sync
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n info = self.get_sync_info()\n if not info:\n return None\n if self.size != info['s']:\n return True\n if self.mtime > info['m']:\n return True\n return False\n",
"role": "user"
},
{
"content": "was_modified_since_last_sync",
"role": "assistant"
}
] |
def x(self, filename, mtime, size):
ut = time.time()
if self.target.server_time_ofs:
ut += self.target.server_time_ofs
self.list[filename] = {'m': mtime, 's': size, 'u': ut}
if self.PRETTY:
self.list[filename].update({'mtime_str': pretty_stamp(mtime),
'uploaded_str': pretty_stamp(ut)})
self.modified_list = True
|
set_mtime
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, mtime, size):\n ut = time.time()\n if self.target.server_time_ofs:\n ut += self.target.server_time_ofs\n self.list[filename] = {'m': mtime, 's': size, 'u': ut}\n if self.PRETTY:\n self.list[filename].update({'mtime_str': pretty_stamp(mtime),\n 'uploaded_str': pretty_stamp(ut)})\n self.modified_list = True\n",
"role": "user"
},
{
"content": "set_mtime",
"role": "assistant"
}
] |
def x(self, filename, mtime, size):
assert self.target.is_local()
remote_target = self.target.peer
ps = self.dir['peer_sync'].setdefault(remote_target.get_id(), {})
ut = time.time()
ps[':last_sync'] = ut
pse = ps[filename] = {'m': mtime, 's': size, 'u': ut}
if self.PRETTY:
ps[':last_sync_str'] = pretty_stamp(ut)
pse['mtime_str'] = pretty_stamp(mtime) if mtime else '(directory)'
pse['uploaded_str'] = pretty_stamp(ut)
self.modified_sync = True
|
set_sync_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, mtime, size):\n assert self.target.is_local()\n remote_target = self.target.peer\n ps = self.dir['peer_sync'].setdefault(remote_target.get_id(), {})\n ut = time.time()\n ps[':last_sync'] = ut\n pse = ps[filename] = {'m': mtime, 's': size, 'u': ut}\n if self.PRETTY:\n ps[':last_sync_str'] = pretty_stamp(ut)\n pse['mtime_str'] = pretty_stamp(mtime) if mtime else '(directory)'\n pse['uploaded_str'] = pretty_stamp(ut)\n self.modified_sync = True\n",
"role": "user"
},
{
"content": "set_sync_info",
"role": "assistant"
}
] |
def x(self, filename):
if self.list.pop(filename, None):
self.modified_list = True
if self.target.peer:
if self.target.is_local():
remote_target = self.target.peer
if remote_target.get_id() in self.dir['peer_sync']:
rid = remote_target.get_id()
self.modified_sync = bool(self.dir['peer_sync'][rid].pop(
filename, None))
return
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n if self.list.pop(filename, None):\n self.modified_list = True\n if self.target.peer:\n if self.target.is_local():\n remote_target = self.target.peer\n if remote_target.get_id() in self.dir['peer_sync']:\n rid = remote_target.get_id()\n self.modified_sync = bool(self.dir['peer_sync'][rid].pop(\n filename, None))\n return\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self):
assert self.path == self.target.cur_dir
try:
self.modified_list = False
self.modified_sync = False
is_valid_file = False
s = self.target.read_text(self.filename)
if self.target.synchronizer:
self.target.synchronizer._inc_stat('meta_bytes_read', len(s))
self.was_read = True
self.dir = json.loads(s)
self.dir = make_native_dict_keys(self.dir)
self.list = self.dir['mtimes']
self.peer_sync = self.dir['peer_sync']
is_valid_file = True
except Exception as e:
write_error('Could not read meta info {}: {!r}'.format(self, e))
if is_valid_file and self.dir.get('_file_version', 0) != self.VERSION:
if not self.target or not self.target.get_option('migrate'):
raise IncompatibleMetadataVersion(
"""Invalid meta data version: {} (expected {}).
Consider passing --migrate to discard old data."""
.format(self.dir.get('_file_version'), self.VERSION))
write('Migrating meta data version from {} to {} (discarding old): {}'
.format(self.dir.get('_file_version'), self.VERSION, self.filename)
)
self.list = {}
self.peer_sync = {}
return
|
read
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n assert self.path == self.target.cur_dir\n try:\n self.modified_list = False\n self.modified_sync = False\n is_valid_file = False\n s = self.target.read_text(self.filename)\n if self.target.synchronizer:\n self.target.synchronizer._inc_stat('meta_bytes_read', len(s))\n self.was_read = True\n self.dir = json.loads(s)\n self.dir = make_native_dict_keys(self.dir)\n self.list = self.dir['mtimes']\n self.peer_sync = self.dir['peer_sync']\n is_valid_file = True\n except Exception as e:\n write_error('Could not read meta info {}: {!r}'.format(self, e))\n if is_valid_file and self.dir.get('_file_version', 0) != self.VERSION:\n if not self.target or not self.target.get_option('migrate'):\n raise IncompatibleMetadataVersion(\n \"\"\"Invalid meta data version: {} (expected {}).\nConsider passing --migrate to discard old data.\"\"\"\n .format(self.dir.get('_file_version'), self.VERSION))\n write('Migrating meta data version from {} to {} (discarding old): {}'\n .format(self.dir.get('_file_version'), self.VERSION, self.filename)\n )\n self.list = {}\n self.peer_sync = {}\n return\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self):
assert self.path == self.target.cur_dir
if self.target.dry_run:
pass
elif self.was_read and len(self.list) == 0 and len(self.peer_sync) == 0:
write('Remove empty meta data file: {}'.format(self.target))
self.target.remove_file(self.filename)
elif not self.modified_list and not self.modified_sync:
pass
else:
self.dir['_disclaimer'
] = 'Generated by https://github.com/mar10/pyftpsync'
self.dir['_time_str'] = pretty_stamp(time.time())
self.dir['_file_version'] = self.VERSION
self.dir['_version'] = __version__
self.dir['_time'] = time.mktime(time.gmtime())
data = self.dir
opts = {'indent': 4, 'sort_keys': True, 'ensure_ascii': False}
if compat.PY2:
data = decode_dict_keys(data, 'utf-8')
if not self.PRETTY:
opts['indent'] = None
opts['separators'] = ',', ':'
s = json.dumps(data, **opts)
self.target.write_text(self.filename, s)
if self.target.synchronizer:
self.target.synchronizer._inc_stat('meta_bytes_written', len(s))
self.modified_list = False
self.modified_sync = False
|
flush
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n assert self.path == self.target.cur_dir\n if self.target.dry_run:\n pass\n elif self.was_read and len(self.list) == 0 and len(self.peer_sync) == 0:\n write('Remove empty meta data file: {}'.format(self.target))\n self.target.remove_file(self.filename)\n elif not self.modified_list and not self.modified_sync:\n pass\n else:\n self.dir['_disclaimer'\n ] = 'Generated by https://github.com/mar10/pyftpsync'\n self.dir['_time_str'] = pretty_stamp(time.time())\n self.dir['_file_version'] = self.VERSION\n self.dir['_version'] = __version__\n self.dir['_time'] = time.mktime(time.gmtime())\n data = self.dir\n opts = {'indent': 4, 'sort_keys': True, 'ensure_ascii': False}\n if compat.PY2:\n data = decode_dict_keys(data, 'utf-8')\n if not self.PRETTY:\n opts['indent'] = None\n opts['separators'] = ',', ':'\n s = json.dumps(data, **opts)\n self.target.write_text(self.filename, s)\n if self.target.synchronizer:\n self.target.synchronizer._inc_stat('meta_bytes_written', len(s))\n self.modified_list = False\n self.modified_sync = False\n",
"role": "user"
},
{
"content": "flush",
"role": "assistant"
}
] |
def x(parser, args):
opts = namespace_to_dict(args)
opts.update({'ftp_debug': args.verbose >= 6})
target = make_target(args.target, opts)
target.readonly = True
root_depth = target.root_dir.count('/')
start = time.time()
dir_count = 1
file_count = 0
processed_files = set()
opts = namespace_to_dict(args)
process_options(opts)
def x(entry):
if not match_path(entry, opts):
return False
try:
target.open()
for e in target.walk(recursive=args.recursive, pred=_pred):
is_dir = isinstance(e, DirectoryEntry)
indent = ' ' * (target.cur_dir.count('/') - root_depth)
if is_dir:
dir_count += 1
else:
file_count += 1
if args.list:
if is_dir:
print(indent, '[{e.name}]'.format(e=e))
else:
delta = e.mtime_org - e.mtime
dt_modified = pretty_stamp(e.mtime)
if delta:
prefix = '+' if delta > 0 else ''
print(indent,
'{e.name:<40} {dt_modified} (system: {prefix}{delta})'
.format(e=e, prefix=prefix, delta=timedelta(
seconds=delta), dt_modified=dt_modified))
else:
print(indent, '{e.name:<40} {dt_modified}'.format(e
=e, dt_modified=dt_modified))
if (args.remove_meta and target.cur_dir_meta and target.
cur_dir_meta.was_read):
fspec = target.cur_dir_meta.get_full_path()
if fspec not in processed_files:
processed_files.add(fspec)
print('DELETE {}'.format(fspec))
if (args.remove_locks and not is_dir and e.name == DirMetadata.
LOCK_FILE_NAME):
fspec = e.get_rel_path()
print('DELETE {}'.format(fspec))
finally:
target.close()
print('Scanning {:,} files in {:,} directories took {:02.2f} seconds.'.
format(file_count, dir_count, time.time() - start))
|
scan_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser, args):\n opts = namespace_to_dict(args)\n opts.update({'ftp_debug': args.verbose >= 6})\n target = make_target(args.target, opts)\n target.readonly = True\n root_depth = target.root_dir.count('/')\n start = time.time()\n dir_count = 1\n file_count = 0\n processed_files = set()\n opts = namespace_to_dict(args)\n process_options(opts)\n\n def x(entry):\n if not match_path(entry, opts):\n return False\n try:\n target.open()\n for e in target.walk(recursive=args.recursive, pred=_pred):\n is_dir = isinstance(e, DirectoryEntry)\n indent = ' ' * (target.cur_dir.count('/') - root_depth)\n if is_dir:\n dir_count += 1\n else:\n file_count += 1\n if args.list:\n if is_dir:\n print(indent, '[{e.name}]'.format(e=e))\n else:\n delta = e.mtime_org - e.mtime\n dt_modified = pretty_stamp(e.mtime)\n if delta:\n prefix = '+' if delta > 0 else ''\n print(indent,\n '{e.name:<40} {dt_modified} (system: {prefix}{delta})'\n .format(e=e, prefix=prefix, delta=timedelta(\n seconds=delta), dt_modified=dt_modified))\n else:\n print(indent, '{e.name:<40} {dt_modified}'.format(e\n =e, dt_modified=dt_modified))\n if (args.remove_meta and target.cur_dir_meta and target.\n cur_dir_meta.was_read):\n fspec = target.cur_dir_meta.get_full_path()\n if fspec not in processed_files:\n processed_files.add(fspec)\n print('DELETE {}'.format(fspec))\n if (args.remove_locks and not is_dir and e.name == DirMetadata.\n LOCK_FILE_NAME):\n fspec = e.get_rel_path()\n print('DELETE {}'.format(fspec))\n finally:\n target.close()\n print('Scanning {:,} files in {:,} directories took {:02.2f} seconds.'.\n format(file_count, dir_count, time.time() - start))\n",
"role": "user"
},
{
"content": "scan_handler",
"role": "assistant"
}
] |
def x(self):
return u'{{:{align}{width}}}'.format(align=self.align, width=self.width)
|
get_format_spec
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return u'{{:{align}{width}}}'.format(align=self.align, width=self.width)\n",
"role": "user"
},
{
"content": "get_format_spec",
"role": "assistant"
}
] |
def x(self):
if not self.rows:
return
for row in self.rows:
max_row_height = max(len(cell.get_cell_lines()) for cell in row.columns
) if row.columns else 1
for cell in row.columns:
cell.height = max_row_height
max_columns = max([len(row.columns) for row in self.rows])
for column_idx in range(max_columns):
row_cell_lines = [row.get_cell_lines(column_idx) for row in self.rows]
max_column_width = max(len(line) for line in chain(*row_cell_lines))
for row in self.rows:
if len(row.columns) > column_idx:
row.columns[column_idx].width = max_column_width
|
compute_column_width_and_height
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.rows:\n return\n for row in self.rows:\n max_row_height = max(len(cell.get_cell_lines()) for cell in row.columns\n ) if row.columns else 1\n for cell in row.columns:\n cell.height = max_row_height\n max_columns = max([len(row.columns) for row in self.rows])\n for column_idx in range(max_columns):\n row_cell_lines = [row.get_cell_lines(column_idx) for row in self.rows]\n max_column_width = max(len(line) for line in chain(*row_cell_lines))\n for row in self.rows:\n if len(row.columns) > column_idx:\n row.columns[column_idx].width = max_column_width\n",
"role": "user"
},
{
"content": "compute_column_width_and_height",
"role": "assistant"
}
] |
def x(self):
self.compute_column_width_and_height()
return '\n'.join(row.get_text() for row in self.rows)
|
get_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.compute_column_width_and_height()\n return '\\n'.join(row.get_text() for row in self.rows)\n",
"role": "user"
},
{
"content": "get_text",
"role": "assistant"
}
] |
def x(self, column_idx):
return [] if column_idx >= len(self.columns) else self.columns[column_idx
].get_cell_lines()
|
get_cell_lines
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, column_idx):\n return [] if column_idx >= len(self.columns) else self.columns[column_idx\n ].get_cell_lines()\n",
"role": "user"
},
{
"content": "get_cell_lines",
"role": "assistant"
}
] |
def x(self):
row_lines = []
for line in zip_longest(*[column.get_cell_lines() for column in self.
columns], fillvalue=' '):
row_lines.append(' '.join(line))
return '\n'.join(row_lines)
|
get_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n row_lines = []\n for line in zip_longest(*[column.get_cell_lines() for column in self.\n columns], fillvalue=' '):\n row_lines.append(' '.join(line))\n return '\\n'.join(row_lines)\n",
"role": "user"
},
{
"content": "get_text",
"role": "assistant"
}
] |
def x(html_content, display_images=False, deduplicate_captions=False,
display_links=False):
html_content = html_content.strip()
if not html_content:
return ''
if html_content.startswith('<?xml '):
html_content = RE_STRIP_XML_DECLARATION.sub('', html_content, count=1)
html_tree = fromstring(html_content)
parser = Inscriptis(html_tree, display_images=display_images,
deduplicate_captions=deduplicate_captions, display_links=display_links)
return parser.get_text()
|
get_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html_content, display_images=False, deduplicate_captions=False,\n display_links=False):\n html_content = html_content.strip()\n if not html_content:\n return ''\n if html_content.startswith('<?xml '):\n html_content = RE_STRIP_XML_DECLARATION.sub('', html_content, count=1)\n html_tree = fromstring(html_content)\n parser = Inscriptis(html_tree, display_images=display_images,\n deduplicate_captions=deduplicate_captions, display_links=display_links)\n return parser.get_text()\n",
"role": "user"
},
{
"content": "get_text",
"role": "assistant"
}
] |
def x():
parser = argparse.ArgumentParser(description=
'Converts HTML from file or url to a clean text version')
parser.add_argument('input', nargs='?', default=None, help=
'Html input either from a file or an url (default:stdin)')
parser.add_argument('-o', '--output', type=str, help=
'Output file (default:stdout).')
parser.add_argument('-e', '--encoding', type=str, help=
'Content encoding for files (default:utf-8)', default='utf-8')
parser.add_argument('-i', '--display-image-captions', action=
'store_true', default=False, help=
'Display image captions (default:false).')
parser.add_argument('-l', '--display-link-targets', action='store_true',
default=False, help='Display link targets (default:false).')
parser.add_argument('-d', '--deduplicate-image-captions', action=
'store_true', default=False, help=
'Deduplicate image captions (default:false).')
return parser
|
get_parser
|
[
{
"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 'Converts HTML from file or url to a clean text version')\n parser.add_argument('input', nargs='?', default=None, help=\n 'Html input either from a file or an url (default:stdin)')\n parser.add_argument('-o', '--output', type=str, help=\n 'Output file (default:stdout).')\n parser.add_argument('-e', '--encoding', type=str, help=\n 'Content encoding for files (default:utf-8)', default='utf-8')\n parser.add_argument('-i', '--display-image-captions', action=\n 'store_true', default=False, help=\n 'Display image captions (default:false).')\n parser.add_argument('-l', '--display-link-targets', action='store_true',\n default=False, help='Display link targets (default:false).')\n parser.add_argument('-d', '--deduplicate-image-captions', action=\n 'store_true', default=False, help=\n 'Deduplicate image captions (default:false).')\n return parser\n",
"role": "user"
},
{
"content": "get_parser",
"role": "assistant"
}
] |
def x(self, force=False):
if not force and (not self.current_line[-1].content or self.
current_line[-1].content.isspace()):
self.current_line[-1].margin_before = max(self.current_line[-1].
margin_before, self.current_tag[-1].margin_before)
return False
line = self.current_line[-1].get_text()
self.clean_text_lines[-1].append(line)
self.current_line[-1] = self.next_line[-1]
self.next_line[-1] = Line()
return True
|
write_line
|
[
{
"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 if not force and (not self.current_line[-1].content or self.\n current_line[-1].content.isspace()):\n self.current_line[-1].margin_before = max(self.current_line[-1].\n margin_before, self.current_tag[-1].margin_before)\n return False\n line = self.current_line[-1].get_text()\n self.clean_text_lines[-1].append(line)\n self.current_line[-1] = self.next_line[-1]\n self.next_line[-1] = Line()\n return True\n",
"role": "user"
},
{
"content": "write_line",
"role": "assistant"
}
] |
def x(self):
return HtmlElement(self.tag, self.prefix, self.suffix, self.display,
self.margin_before, self.margin_after, self.padding, self.whitespace)
|
clone
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return HtmlElement(self.tag, self.prefix, self.suffix, self.display,\n self.margin_before, self.margin_after, self.padding, self.whitespace)\n",
"role": "user"
},
{
"content": "clone",
"role": "assistant"
}
] |
def x(style_attribute, html_element):
custome_html_element = html_element.clone()
for style_directive in style_attribute.lower().split(';'):
if ':' not in style_directive:
continue
key, value = (s.strip() for s in style_directive.split(':', 1))
try:
apply_style = getattr(CssParse, '_attr_' + key.replace(
'-webkit-', '').replace('-', '_'))
apply_style(value, custome_html_element)
except AttributeError:
pass
return custome_html_element
|
get_style_attribute
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(style_attribute, html_element):\n custome_html_element = html_element.clone()\n for style_directive in style_attribute.lower().split(';'):\n if ':' not in style_directive:\n continue\n key, value = (s.strip() for s in style_directive.split(':', 1))\n try:\n apply_style = getattr(CssParse, '_attr_' + key.replace(\n '-webkit-', '').replace('-', '_'))\n apply_style(value, custome_html_element)\n except AttributeError:\n pass\n return custome_html_element\n",
"role": "user"
},
{
"content": "get_style_attribute",
"role": "assistant"
}
] |
def x(length):
m = CssParse.RE_UNIT.search(length)
value = float(m.group(1))
unit = m.group(2)
if unit not in ('em', 'qem', 'rem'):
return int(round(value / 8))
else:
return int(round(value))
|
get_em
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(length):\n m = CssParse.RE_UNIT.search(length)\n value = float(m.group(1))\n unit = m.group(2)\n if unit not in ('em', 'qem', 'rem'):\n return int(round(value / 8))\n else:\n return int(round(value))\n",
"role": "user"
},
{
"content": "get_em",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.