source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(cls, toparse, tzinfo=None):
toparse = toparse.strip()
if tzinfo is None:
dt = cls.now()
else:
dt = cls.now(tzinfo)
default = dt.replace(hour=0, minute=0, second=0, microsecond=0)
if toparse.lower().startswith('end of '):
toparse = toparse[7:].strip()
dt += datetime.timedelta(days=1)
dt = dt.replace(hour=0, minute=0, second=0, microsecond=0)
dt -= datetime.timedelta(microseconds=1)
default = dt
elif toparse.lower().startswith('start of '):
toparse = toparse[9:].strip()
dt = dt.replace(hour=0, minute=0, second=0, microsecond=0)
default = dt
toparselower = toparse.lower()
if toparselower in ['now', 'today']:
pass
elif toparselower == 'yesterday':
dt -= datetime.timedelta(days=1)
elif toparselower in ('tomorrow', 'tommorrow'):
dt += datetime.timedelta(days=1)
elif 'ago' in toparselower:
toparselower = toparselower[:-3]
toparselower = toparselower.replace('a ', '1 ')
toparselower = toparselower.replace('an ', '1 ')
toparselower = toparselower.replace(' and ', ' ')
tocheck = ('seconds', 'minutes', 'hours', 'days', 'weeks', 'months',
'years')
result = {}
for match in re.finditer('([0-9]+)([^0-9]*)', toparselower):
amount = int(match.group(1))
unit = match.group(2).strip()
for bit in tocheck:
regex = '^([%s]|((%s)s?))$' % (bit[0], bit[:-1])
bitmatch = re.search(regex, unit)
if bitmatch:
result[bit] = amount
break
else:
raise ValueError('Was not able to parse date unit %r!' % unit)
delta = dateutil.relativedelta.relativedelta(**result)
dt -= delta
else:
dt = dateutil.parser.parse(toparse, default=default.asdatetime(),
tzinfos=pytz_abbr.tzinfos)
if dt is None:
raise ValueError('Was not able to parse date!')
if dt.tzinfo is pytz_abbr.unknown:
dt = dt.replace(tzinfo=None)
if dt.tzinfo is None:
if tzinfo is None:
tzinfo = localtz()
dt = cls(dt, tzinfo)
else:
if isinstance(dt.tzinfo, pytz_abbr.tzabbr):
abbr = dt.tzinfo
dt = dt.replace(tzinfo=None)
dt = cls(dt, abbr.zone, is_dst=abbr.dst)
dt = cls(dt)
return dt
| smartparse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, toparse, tzinfo=None):\n toparse = toparse.strip()\n if tzinfo is None:\n dt = cls.now()\n else:\n dt = cls.now(tzinfo)\n default = dt.replace(hour=0, minute=0, second=0, microsecond=0)\n if toparse.lower().startswith('end of '):\n toparse = toparse[7:].strip()\n dt += datetime.timedelta(days=1)\n dt = dt.replace(hour=0, minute=0, second=0, microsecond=0)\n dt -= datetime.timedelta(microseconds=1)\n default = dt\n elif toparse.lower().startswith('start of '):\n toparse = toparse[9:].strip()\n dt = dt.replace(hour=0, minute=0, second=0, microsecond=0)\n default = dt\n toparselower = toparse.lower()\n if toparselower in ['now', 'today']:\n pass\n elif toparselower == 'yesterday':\n dt -= datetime.timedelta(days=1)\n elif toparselower in ('tomorrow', 'tommorrow'):\n dt += datetime.timedelta(days=1)\n elif 'ago' in toparselower:\n toparselower = toparselower[:-3]\n toparselower = toparselower.replace('a ', '1 ')\n toparselower = toparselower.replace('an ', '1 ')\n toparselower = toparselower.replace(' and ', ' ')\n tocheck = ('seconds', 'minutes', 'hours', 'days', 'weeks', 'months',\n 'years')\n result = {}\n for match in re.finditer('([0-9]+)([^0-9]*)', toparselower):\n amount = int(match.group(1))\n unit = match.group(2).strip()\n for bit in tocheck:\n regex = '^([%s]|((%s)s?))$' % (bit[0], bit[:-1])\n bitmatch = re.search(regex, unit)\n if bitmatch:\n result[bit] = amount\n break\n else:\n raise ValueError('Was not able to parse date unit %r!' % unit)\n delta = dateutil.relativedelta.relativedelta(**result)\n dt -= delta\n else:\n dt = dateutil.parser.parse(toparse, default=default.asdatetime(),\n tzinfos=pytz_abbr.tzinfos)\n if dt is None:\n raise ValueError('Was not able to parse date!')\n if dt.tzinfo is pytz_abbr.unknown:\n dt = dt.replace(tzinfo=None)\n if dt.tzinfo is None:\n if tzinfo is None:\n tzinfo = localtz()\n dt = cls(dt, tzinfo)\n else:\n if isinstance(dt.tzinfo, pytz_abbr.tzabbr):\n abbr = dt.tzinfo\n dt = dt.replace(tzinfo=None)\n dt = cls(dt, abbr.zone, is_dst=abbr.dst)\n dt = cls(dt)\n return dt\n",
"role": "user"
},
{
"content": "smartparse",
"role": "assistant"
}
] |
def x(cls, timestamp):
obj = datetime.datetime.utcfromtimestamp(timestamp)
obj = pytz.utc.localize(obj)
return cls(obj)
| utcfromtimestamp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, timestamp):\n obj = datetime.datetime.utcfromtimestamp(timestamp)\n obj = pytz.utc.localize(obj)\n return cls(obj)\n",
"role": "user"
},
{
"content": "utcfromtimestamp",
"role": "assistant"
}
] |
def x(cls, timestamp):
d = cls.utcfromtimestamp(timestamp)
return d.astimezone(localtz())
| fromtimestamp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, timestamp):\n d = cls.utcfromtimestamp(timestamp)\n return d.astimezone(localtz())\n",
"role": "user"
},
{
"content": "fromtimestamp",
"role": "assistant"
}
] |
def x(cls):
obj = datetime.datetime.utcnow()
obj = cls(obj, tzinfo=pytz.utc)
return obj
| utcnow | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n obj = datetime.datetime.utcnow()\n obj = cls(obj, tzinfo=pytz.utc)\n return obj\n",
"role": "user"
},
{
"content": "utcnow",
"role": "assistant"
}
] |
def x(cls, tzinfo=None):
obj = cls.utcnow()
if tzinfo is None:
tzinfo = localtz()
return obj.astimezone(tzinfo)
| now | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, tzinfo=None):\n obj = cls.utcnow()\n if tzinfo is None:\n tzinfo = localtz()\n return obj.astimezone(tzinfo)\n",
"role": "user"
},
{
"content": "now",
"role": "assistant"
}
] |
def x(cls, date, time, tzinfo=None):
if tzinfo is None:
tzinfo = localtz()
return cls(datetime.datetime.combine(date, time), tzinfo)
| combine | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, date, time, tzinfo=None):\n if tzinfo is None:\n tzinfo = localtz()\n return cls(datetime.datetime.combine(date, time), tzinfo)\n",
"role": "user"
},
{
"content": "combine",
"role": "assistant"
}
] |
def x(start, delta, end=None):
toyield = start
while end is None or toyield < end:
yield toyield
toyield += delta
| between | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start, delta, end=None):\n toyield = start\n while end is None or toyield < end:\n yield toyield\n toyield += delta\n",
"role": "user"
},
{
"content": "between",
"role": "assistant"
}
] |
def x(start, end=None):
return iterate.between(start, datetime.timedelta(days=1), end)
| days | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start, end=None):\n return iterate.between(start, datetime.timedelta(days=1), end)\n",
"role": "user"
},
{
"content": "days",
"role": "assistant"
}
] |
def x(start, end=None):
return iterate.between(start, datetime.timedelta(hours=1), end)
| hours | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start, end=None):\n return iterate.between(start, datetime.timedelta(hours=1), end)\n",
"role": "user"
},
{
"content": "hours",
"role": "assistant"
}
] |
def x(start, end=None):
return iterate.between(start, datetime.timedelta(minutes=1), end)
| minutes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start, end=None):\n return iterate.between(start, datetime.timedelta(minutes=1), end)\n",
"role": "user"
},
{
"content": "minutes",
"role": "assistant"
}
] |
def x(dt, utc=True, accept_naive=False, microseconds=False):
if dt.tzinfo is None:
if accept_naive is True:
if utc is True:
dt = dt.replace(tzinfo=pytz.utc)
else:
raise ValueError('cannot generate a local timestamp from ' +
'a naive datetime')
else:
raise ValueError('naive datetime and accept_naive is False')
if utc is True:
dt = dt.astimezone(pytz.utc)
timestamp = dt.strftime('%Y-%m-%dT%H:%M:%S')
if microseconds is True:
timestamp += dt.strftime('.%f')
if dt.tzinfo is pytz.utc:
timestamp += 'Z'
else:
timestamp += timezone(timedelta_seconds(dt.tzinfo.utcoffset(dt)))
return timestamp
| generate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dt, utc=True, accept_naive=False, microseconds=False):\n if dt.tzinfo is None:\n if accept_naive is True:\n if utc is True:\n dt = dt.replace(tzinfo=pytz.utc)\n else:\n raise ValueError('cannot generate a local timestamp from ' +\n 'a naive datetime')\n else:\n raise ValueError('naive datetime and accept_naive is False')\n if utc is True:\n dt = dt.astimezone(pytz.utc)\n timestamp = dt.strftime('%Y-%m-%dT%H:%M:%S')\n if microseconds is True:\n timestamp += dt.strftime('.%f')\n if dt.tzinfo is pytz.utc:\n timestamp += 'Z'\n else:\n timestamp += timezone(timedelta_seconds(dt.tzinfo.utcoffset(dt)))\n return timestamp\n",
"role": "user"
},
{
"content": "generate",
"role": "assistant"
}
] |
def x(page, placeholder_slot, delete_existing=False):
placeholder, created = page.placeholders.get_or_create(slot=
placeholder_slot)
if created:
log.debug('Create placeholder %r for page %r', placeholder_slot,
page.get_title())
else:
log.debug('Use existing placeholder %r for page %r',
placeholder_slot, page.get_title())
if delete_existing:
queryset = CMSPlugin.objects.all().filter(placeholder=placeholder)
log.info('Delete %i CMSPlugins on placeholder %s...', queryset.
count(), placeholder)
queryset.delete()
return placeholder, created
| get_or_create_placeholder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page, placeholder_slot, delete_existing=False):\n placeholder, created = page.placeholders.get_or_create(slot=\n placeholder_slot)\n if created:\n log.debug('Create placeholder %r for page %r', placeholder_slot,\n page.get_title())\n else:\n log.debug('Use existing placeholder %r for page %r',\n placeholder_slot, page.get_title())\n if delete_existing:\n queryset = CMSPlugin.objects.all().filter(placeholder=placeholder)\n log.info('Delete %i CMSPlugins on placeholder %s...', queryset.\n count(), placeholder)\n queryset.delete()\n return placeholder, created\n",
"role": "user"
},
{
"content": "get_or_create_placeholder",
"role": "assistant"
}
] |
def x(page, languages):
for language_code, lang_name in iter_languages(languages):
url = page.get_absolute_url()
if page.publisher_is_draft:
page.publish(language_code)
log.info('page "%s" published in %s: %s', page, lang_name, url)
else:
log.info('published page "%s" already exists in %s: %s', page,
lang_name, url)
return page.reload()
| publish_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page, languages):\n for language_code, lang_name in iter_languages(languages):\n url = page.get_absolute_url()\n if page.publisher_is_draft:\n page.publish(language_code)\n log.info('page \"%s\" published in %s: %s', page, lang_name, url)\n else:\n log.info('published page \"%s\" already exists in %s: %s', page,\n lang_name, url)\n return page.reload()\n",
"role": "user"
},
{
"content": "publish_page",
"role": "assistant"
}
] |
def x(placeholder_slot='content'):
try:
index_page = Page.objects.get(is_home=True, publisher_is_draft=False)
except Page.DoesNotExist:
log.debug('Create index page in "en" and...')
index_page = create_page(title='index in English', template=
TEMPLATE_INHERITANCE_MAGIC, language=settings.LANGUAGE_CODE,
published=False, in_navigation=True)
placeholder, created = index_page.placeholders.get_or_create(slot=
placeholder_slot)
for language_code, lang_name in settings.LANGUAGES:
with translation.override(language_code):
title = 'index in %s' % lang_name
log.info('create %r', title)
if language_code != settings.LANGUAGE_CODE:
create_title(language_code, title, index_page)
add_plugin(placeholder=placeholder, plugin_type=
'TextPlugin', language=language_code, body=
'index page in %s' % lang_name)
index_page.publish(language_code)
created = True
else:
created = False
log.debug('Index page already exists.')
return index_page, created
| create_cms_index_pages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(placeholder_slot='content'):\n try:\n index_page = Page.objects.get(is_home=True, publisher_is_draft=False)\n except Page.DoesNotExist:\n log.debug('Create index page in \"en\" and...')\n index_page = create_page(title='index in English', template=\n TEMPLATE_INHERITANCE_MAGIC, language=settings.LANGUAGE_CODE,\n published=False, in_navigation=True)\n placeholder, created = index_page.placeholders.get_or_create(slot=\n placeholder_slot)\n for language_code, lang_name in settings.LANGUAGES:\n with translation.override(language_code):\n title = 'index in %s' % lang_name\n log.info('create %r', title)\n if language_code != settings.LANGUAGE_CODE:\n create_title(language_code, title, index_page)\n add_plugin(placeholder=placeholder, plugin_type=\n 'TextPlugin', language=language_code, body=\n 'index page in %s' % lang_name)\n index_page.publish(language_code)\n created = True\n else:\n created = False\n log.debug('Index page already exists.')\n return index_page, created\n",
"role": "user"
},
{
"content": "create_cms_index_pages",
"role": "assistant"
}
] |
def x(apphook, apphook_namespace, placeholder_slot=None):
creator = CmsPluginPageCreator(apphook=apphook, apphook_namespace=
apphook_namespace)
creator.placeholder_slot = placeholder_slot
plugin_page = creator.create()
return plugin_page
| create_cms_plugin_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apphook, apphook_namespace, placeholder_slot=None):\n creator = CmsPluginPageCreator(apphook=apphook, apphook_namespace=\n apphook_namespace)\n creator.placeholder_slot = placeholder_slot\n plugin_page = creator.create()\n return plugin_page\n",
"role": "user"
},
{
"content": "create_cms_plugin_page",
"role": "assistant"
}
] |
def x(self, language_code, lang_name):
title = self.get_title(language_code, lang_name)
assert title != ''
title = str(title)
slug = slugify(title)
assert slug != '', 'Title %r results in empty slug!' % title
return slug
| get_slug | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, language_code, lang_name):\n title = self.get_title(language_code, lang_name)\n assert title != ''\n title = str(title)\n slug = slugify(title)\n assert slug != '', 'Title %r results in empty slug!' % title\n return slug\n",
"role": "user"
},
{
"content": "get_slug",
"role": "assistant"
}
] |
def x(self):
try:
home_page_draft = Page.objects.get(is_home=True, publisher_is_draft
=True)
except Page.DoesNotExist:
log.error('ERROR: "home page" doesn\'t exists!')
raise RuntimeError('no home page')
return home_page_draft
| get_home_page | [
{
"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 home_page_draft = Page.objects.get(is_home=True, publisher_is_draft\n =True)\n except Page.DoesNotExist:\n log.error('ERROR: \"home page\" doesn\\'t exists!')\n raise RuntimeError('no home page')\n return home_page_draft\n",
"role": "user"
},
{
"content": "get_home_page",
"role": "assistant"
}
] |
def x(self, page):
assert page.publisher_is_draft == True, "Page '%s' must be a draft!" % page
publish_page(page, languages=self.languages)
| publish | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, page):\n assert page.publisher_is_draft == True, \"Page '%s' must be a draft!\" % page\n publish_page(page, languages=self.languages)\n",
"role": "user"
},
{
"content": "publish",
"role": "assistant"
}
] |
def x(self, **extra_kwargs):
with translation.override(self.default_language_code):
self.default_lang_name = dict(self.languages)[self.
default_language_code]
self.slug = self.get_slug(self.default_language_code, self.
default_lang_name)
assert self.slug != ''
page = None
parent = self.get_parent_page()
if parent is not None:
assert parent.publisher_is_draft == True, "Parent page '%s' must be a draft!" % parent
if self.delete_first:
if self.apphook_namespace is not None:
pages = Page.objects.filter(application_namespace=self.
apphook_namespace, parent=parent)
else:
pages = Page.objects.filter(title_set__slug=self.slug, parent=
parent)
log.debug('Delete %i pages...', pages.count())
pages.delete()
elif self.apphook_namespace is not None:
queryset = Page.objects.drafts()
queryset = queryset.filter(parent=parent)
try:
page = queryset.get(application_namespace=self.apphook_namespace)
except Page.DoesNotExist:
pass
else:
log.debug('Use existing page: %s', page)
created = False
return page, created
else:
queryset = Title.objects.filter(language=self.default_language_code)
queryset = queryset.filter(page__parent=parent)
try:
title = queryset.filter(slug=self.slug).first()
except Title.DoesNotExist:
pass
else:
if title is not None:
log.debug('Use page from title with slug %r', self.slug)
page = title.page
created = False
if page is None:
with translation.override(self.default_language_code):
page = create_page(title=self.get_title(self.
default_language_code, self.default_lang_name), menu_title=
self.get_menu_title(self.default_language_code, self.
default_lang_name), template=self.get_template(self.
default_language_code, self.default_lang_name), language=
self.default_language_code, slug=self.slug, published=False,
parent=parent, in_navigation=self.in_navigation, apphook=
self.apphook, apphook_namespace=self.apphook_namespace, **
extra_kwargs)
created = True
log.debug('Page created in %s: %s', self.default_lang_name, page)
assert page.publisher_is_draft == True
return page, created
| create_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **extra_kwargs):\n with translation.override(self.default_language_code):\n self.default_lang_name = dict(self.languages)[self.\n default_language_code]\n self.slug = self.get_slug(self.default_language_code, self.\n default_lang_name)\n assert self.slug != ''\n page = None\n parent = self.get_parent_page()\n if parent is not None:\n assert parent.publisher_is_draft == True, \"Parent page '%s' must be a draft!\" % parent\n if self.delete_first:\n if self.apphook_namespace is not None:\n pages = Page.objects.filter(application_namespace=self.\n apphook_namespace, parent=parent)\n else:\n pages = Page.objects.filter(title_set__slug=self.slug, parent=\n parent)\n log.debug('Delete %i pages...', pages.count())\n pages.delete()\n elif self.apphook_namespace is not None:\n queryset = Page.objects.drafts()\n queryset = queryset.filter(parent=parent)\n try:\n page = queryset.get(application_namespace=self.apphook_namespace)\n except Page.DoesNotExist:\n pass\n else:\n log.debug('Use existing page: %s', page)\n created = False\n return page, created\n else:\n queryset = Title.objects.filter(language=self.default_language_code)\n queryset = queryset.filter(page__parent=parent)\n try:\n title = queryset.filter(slug=self.slug).first()\n except Title.DoesNotExist:\n pass\n else:\n if title is not None:\n log.debug('Use page from title with slug %r', self.slug)\n page = title.page\n created = False\n if page is None:\n with translation.override(self.default_language_code):\n page = create_page(title=self.get_title(self.\n default_language_code, self.default_lang_name), menu_title=\n self.get_menu_title(self.default_language_code, self.\n default_lang_name), template=self.get_template(self.\n default_language_code, self.default_lang_name), language=\n self.default_language_code, slug=self.slug, published=False,\n parent=parent, in_navigation=self.in_navigation, apphook=\n self.apphook, apphook_namespace=self.apphook_namespace, **\n extra_kwargs)\n created = True\n log.debug('Page created in %s: %s', self.default_lang_name, page)\n assert page.publisher_is_draft == True\n return page, created\n",
"role": "user"
},
{
"content": "create_page",
"role": "assistant"
}
] |
def x(self, page):
for language_code, lang_name in iter_languages(self.languages):
try:
title = Title.objects.get(page=page, language=language_code)
except Title.DoesNotExist:
slug = self.get_slug(language_code, lang_name)
assert slug != '', 'No slug for %r' % language_code
title = create_title(language=language_code, title=self.
get_title(language_code, lang_name), page=page, slug=slug)
log.debug('Title created: %s', title)
else:
log.debug('Page title exist: %s', title)
| create_title | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, page):\n for language_code, lang_name in iter_languages(self.languages):\n try:\n title = Title.objects.get(page=page, language=language_code)\n except Title.DoesNotExist:\n slug = self.get_slug(language_code, lang_name)\n assert slug != '', 'No slug for %r' % language_code\n title = create_title(language=language_code, title=self.\n get_title(language_code, lang_name), page=page, slug=slug)\n log.debug('Title created: %s', title)\n else:\n log.debug('Page title exist: %s', title)\n",
"role": "user"
},
{
"content": "create_title",
"role": "assistant"
}
] |
def x(self, page, no, placeholder, language_code, lang_name):
return {'plugin_type': 'TextPlugin', 'body': self.get_dummy_text(page,
no, placeholder, language_code, lang_name)}
| get_add_plugin_kwargs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, page, no, placeholder, language_code, lang_name):\n return {'plugin_type': 'TextPlugin', 'body': self.get_dummy_text(page,\n no, placeholder, language_code, lang_name)}\n",
"role": "user"
},
{
"content": "get_add_plugin_kwargs",
"role": "assistant"
}
] |
def x(self, page, placeholder):
for language_code, lang_name in iter_languages(self.languages):
for no in range(1, self.dummy_text_count + 1):
add_plugin_kwargs = self.get_add_plugin_kwargs(page, no,
placeholder, language_code, lang_name)
log.info('add plugin to placeholder "%s" (pk:%i) in: %s - no: %i',
placeholder, placeholder.pk, lang_name, no)
plugin = add_plugin(placeholder=placeholder, language=
language_code, **add_plugin_kwargs)
log.info('Plugin "%s" (pk:%r) added.', str(plugin), plugin.pk)
placeholder.save()
| add_plugins | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, page, placeholder):\n for language_code, lang_name in iter_languages(self.languages):\n for no in range(1, self.dummy_text_count + 1):\n add_plugin_kwargs = self.get_add_plugin_kwargs(page, no,\n placeholder, language_code, lang_name)\n log.info('add plugin to placeholder \"%s\" (pk:%i) in: %s - no: %i',\n placeholder, placeholder.pk, lang_name, no)\n plugin = add_plugin(placeholder=placeholder, language=\n language_code, **add_plugin_kwargs)\n log.info('Plugin \"%s\" (pk:%r) added.', str(plugin), plugin.pk)\n placeholder.save()\n",
"role": "user"
},
{
"content": "add_plugins",
"role": "assistant"
}
] |
def x(self, page, placeholder_slot):
placeholder, created = get_or_create_placeholder(page, placeholder_slot,
delete_existing=self.delete_first)
return placeholder, created
| get_or_create_placeholder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, page, placeholder_slot):\n placeholder, created = get_or_create_placeholder(page, placeholder_slot,\n delete_existing=self.delete_first)\n return placeholder, created\n",
"role": "user"
},
{
"content": "get_or_create_placeholder",
"role": "assistant"
}
] |
def x(self, page, placeholder_slot):
if len(placeholder_slot) == 1:
raise RuntimeError(placeholder_slot)
placeholder, created = self.get_or_create_placeholder(page,
placeholder_slot)
self.add_plugins(page, placeholder)
| fill_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, page, placeholder_slot):\n if len(placeholder_slot) == 1:\n raise RuntimeError(placeholder_slot)\n placeholder, created = self.get_or_create_placeholder(page,\n placeholder_slot)\n self.add_plugins(page, placeholder)\n",
"role": "user"
},
{
"content": "fill_content",
"role": "assistant"
}
] |
def x(self):
plugin = CMSPlugin.objects.filter(plugin_type=self.apphook)
if plugin.exists():
log.debug('Plugin page for "%s" plugin already exist, ok.', self.
apphook)
raise plugin
page, created = super(CmsPluginPageCreator, self).create()
if created:
for placeholder_slot in self.placeholder_slots:
self.fill_content(page, placeholder_slot)
return page, created
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n plugin = CMSPlugin.objects.filter(plugin_type=self.apphook)\n if plugin.exists():\n log.debug('Plugin page for \"%s\" plugin already exist, ok.', self.\n apphook)\n raise plugin\n page, created = super(CmsPluginPageCreator, self).create()\n if created:\n for placeholder_slot in self.placeholder_slots:\n self.fill_content(page, placeholder_slot)\n return page, created\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, language_code, lang_name):
title = '%s %i-%i in %s' % (self.title_prefix, self.current_count, self
.current_level, language_code)
log.info(title)
return title
| get_title | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, language_code, lang_name):\n title = '%s %i-%i in %s' % (self.title_prefix, self.current_count, self\n .current_level, language_code)\n log.info(title)\n return title\n",
"role": "user"
},
{
"content": "get_title",
"role": "assistant"
}
] |
def x(self):
if self.current_level == 1:
return None
else:
return self.page_data[self.current_level - 1, self.current_count]
| get_parent_page | [
{
"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.current_level == 1:\n return None\n else:\n return self.page_data[self.current_level - 1, self.current_count]\n",
"role": "user"
},
{
"content": "get_parent_page",
"role": "assistant"
}
] |
def x(self, pth):
words = pth.split('/')
words = filter(None, words)
pth = self.location
for word in words:
drive, word = os.path.splitdrive(word)
head, word = os.path.split(word)
if drive or head or word in (os.curdir, os.pardir):
return None
pth = os.path.join(pth, word)
assert pth.startswith(self.location + '/')
assert pth == path.normpath(pth)
return pth
| translate_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pth):\n words = pth.split('/')\n words = filter(None, words)\n pth = self.location\n for word in words:\n drive, word = os.path.splitdrive(word)\n head, word = os.path.split(word)\n if drive or head or word in (os.curdir, os.pardir):\n return None\n pth = os.path.join(pth, word)\n assert pth.startswith(self.location + '/')\n assert pth == path.normpath(pth)\n return pth\n",
"role": "user"
},
{
"content": "translate_path",
"role": "assistant"
}
] |
def x(self):
from collections import OrderedDict
SKIP_KEYS = ()
return OrderedDict((p.key, getattr(self, p.key)) for p in self.
__mapper__.attrs if p.key not in SKIP_KEYS)
| dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from collections import OrderedDict\n SKIP_KEYS = ()\n return OrderedDict((p.key, getattr(self, p.key)) for p in self.\n __mapper__.attrs if p.key not in SKIP_KEYS)\n",
"role": "user"
},
{
"content": "dict",
"role": "assistant"
}
] |
def x(self, source_header_or_pos):
for c in self.columns:
if c.source_header == source_header_or_pos:
assert c.st_vid == self.vid
return c
elif c.position == source_header_or_pos:
assert c.st_vid == self.vid
return c
else:
return None
| column | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_header_or_pos):\n for c in self.columns:\n if c.source_header == source_header_or_pos:\n assert c.st_vid == self.vid\n return c\n elif c.position == source_header_or_pos:\n assert c.st_vid == self.vid\n return c\n else:\n return None\n",
"role": "user"
},
{
"content": "column",
"role": "assistant"
}
] |
def x(self, position, source_header, datatype, **kwargs):
from ..identity import GeneralNumber2
c = self.column(source_header)
c_by_pos = self.column(position)
datatype = 'str' if datatype == 'unicode' else datatype
assert not c or not c_by_pos or c.vid == c_by_pos.vid
if 'has_codes' in kwargs:
FALSE_VALUES = ['False', 'false', 'F', 'f', '', None, 0, '0']
kwargs['has_codes'] = False if kwargs['has_codes'
] in FALSE_VALUES else True
if c:
assert not c_by_pos or c_by_pos.vid == c.vid
c.update(position=position, datatype=datatype.__name__ if
isinstance(datatype, type) else datatype, **kwargs)
elif c_by_pos:
assert not c or c_by_pos.vid == c.vid
c_by_pos.update(source_header=source_header, datatype=datatype.
__name__ if isinstance(datatype, type) else datatype, **kwargs)
else:
assert not c and not c_by_pos
c = SourceColumn(vid=str(GeneralNumber2('C', self.d_vid, self.
sequence_id, int(position))), position=position, st_vid=self.
vid, d_vid=self.d_vid, datatype=datatype.__name__ if isinstance
(datatype, type) else datatype, source_header=source_header, **
kwargs)
self.columns.append(c)
return c
| add_column | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position, source_header, datatype, **kwargs):\n from ..identity import GeneralNumber2\n c = self.column(source_header)\n c_by_pos = self.column(position)\n datatype = 'str' if datatype == 'unicode' else datatype\n assert not c or not c_by_pos or c.vid == c_by_pos.vid\n if 'has_codes' in kwargs:\n FALSE_VALUES = ['False', 'false', 'F', 'f', '', None, 0, '0']\n kwargs['has_codes'] = False if kwargs['has_codes'\n ] in FALSE_VALUES else True\n if c:\n assert not c_by_pos or c_by_pos.vid == c.vid\n c.update(position=position, datatype=datatype.__name__ if\n isinstance(datatype, type) else datatype, **kwargs)\n elif c_by_pos:\n assert not c or c_by_pos.vid == c.vid\n c_by_pos.update(source_header=source_header, datatype=datatype.\n __name__ if isinstance(datatype, type) else datatype, **kwargs)\n else:\n assert not c and not c_by_pos\n c = SourceColumn(vid=str(GeneralNumber2('C', self.d_vid, self.\n sequence_id, int(position))), position=position, st_vid=self.\n vid, d_vid=self.d_vid, datatype=datatype.__name__ if isinstance\n (datatype, type) else datatype, source_header=source_header, **\n kwargs)\n self.columns.append(c)\n return c\n",
"role": "user"
},
{
"content": "add_column",
"role": "assistant"
}
] |
def x(self, sequence_id=None):
from ..identity import GeneralNumber1
if sequence_id:
self.sequence_id = sequence_id
self.vid = str(GeneralNumber1('T', self.d_vid, self.sequence_id))
| update_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sequence_id=None):\n from ..identity import GeneralNumber1\n if sequence_id:\n self.sequence_id = sequence_id\n self.vid = str(GeneralNumber1('T', self.d_vid, self.sequence_id))\n",
"role": "user"
},
{
"content": "update_id",
"role": "assistant"
}
] |
def x(metadata, table_name):
from sqlalchemy import Table
from ..orm import Geometry
table = Table(table_name, metadata, autoload=True)
for c in table.columns:
if c.name == 'geometry':
c.type = Geometry
return table
| table_convert_geometry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(metadata, table_name):\n from sqlalchemy import Table\n from ..orm import Geometry\n table = Table(table_name, metadata, autoload=True)\n for c in table.columns:\n if c.name == 'geometry':\n c.type = Geometry\n return table\n",
"role": "user"
},
{
"content": "table_convert_geometry",
"role": "assistant"
}
] |
def x(session, sequence_ids, parent_vid, table_class, force_query=False):
from sqlalchemy import text
seq_col = table_class.sequence_id.property.columns[0].name
try:
parent_col = table_class._parent_col
except AttributeError:
parent_col = table_class.d_vid.property.columns[0].name
assert bool(parent_vid)
key = parent_vid, table_class.__name__
number = sequence_ids.get(key, None)
if not number and session or force_query:
sql = text(
"SELECT max({seq_col})+1 FROM {table} WHERE {parent_col} = '{vid}'"
.format(table=table_class.__tablename__, parent_col=parent_col,
seq_col=seq_col, vid=parent_vid))
max_id, = session.execute(sql).fetchone()
if not max_id:
max_id = 1
sequence_ids[key] = int(max_id)
elif not session:
sequence_ids[key] = 1
else:
sequence_ids[key] += 1
return sequence_ids[key]
| next_sequence_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(session, sequence_ids, parent_vid, table_class, force_query=False):\n from sqlalchemy import text\n seq_col = table_class.sequence_id.property.columns[0].name\n try:\n parent_col = table_class._parent_col\n except AttributeError:\n parent_col = table_class.d_vid.property.columns[0].name\n assert bool(parent_vid)\n key = parent_vid, table_class.__name__\n number = sequence_ids.get(key, None)\n if not number and session or force_query:\n sql = text(\n \"SELECT max({seq_col})+1 FROM {table} WHERE {parent_col} = '{vid}'\"\n .format(table=table_class.__tablename__, parent_col=parent_col,\n seq_col=seq_col, vid=parent_vid))\n max_id, = session.execute(sql).fetchone()\n if not max_id:\n max_id = 1\n sequence_ids[key] = int(max_id)\n elif not session:\n sequence_ids[key] = 1\n else:\n sequence_ids[key] += 1\n return sequence_ids[key]\n",
"role": "user"
},
{
"content": "next_sequence_id",
"role": "assistant"
}
] |
def x(o, prop_names):
from ambry.identity import ObjectNumber
d = {}
for p in o.__mapper__.attrs:
v = getattr(o, p.key)
if v is None:
d[p.key] = None
elif p.key in prop_names:
d[p.key] = str(ObjectNumber.increment(v))
elif not hasattr(v, '__mapper__'):
d[p.key] = v
return o.__class__(**d)
| incver | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(o, prop_names):\n from ambry.identity import ObjectNumber\n d = {}\n for p in o.__mapper__.attrs:\n v = getattr(o, p.key)\n if v is None:\n d[p.key] = None\n elif p.key in prop_names:\n d[p.key] = str(ObjectNumber.increment(v))\n elif not hasattr(v, '__mapper__'):\n d[p.key] = v\n return o.__class__(**d)\n",
"role": "user"
},
{
"content": "incver",
"role": "assistant"
}
] |
def x(cls, key, value):
if isinstance(value, string_types):
value = value.strip()
if value[0] == '[':
try:
value = json.loads(value)
except ValueError:
raise ValueError("Failed to parse JSON: '{}' ".format(value))
else:
value = value.split(',')
if not value:
value = []
self = MutationList(MutationObj.coerce(key, v) for v in value)
self._key = key
return self
| coerce | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, key, value):\n if isinstance(value, string_types):\n value = value.strip()\n if value[0] == '[':\n try:\n value = json.loads(value)\n except ValueError:\n raise ValueError(\"Failed to parse JSON: '{}' \".format(value))\n else:\n value = value.split(',')\n if not value:\n value = []\n self = MutationList(MutationObj.coerce(key, v) for v in value)\n self._key = key\n return self\n",
"role": "user"
},
{
"content": "coerce",
"role": "assistant"
}
] |
def x(query):
try:
idx = query.lower().index('where')
query = query[:idx]
except ValueError:
pass
if not query.endswith(';'):
query = query.strip()
query += ';'
result = _view_stmt.parseString(query)
return View(result)
| parse_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query):\n try:\n idx = query.lower().index('where')\n query = query[:idx]\n except ValueError:\n pass\n if not query.endswith(';'):\n query = query.strip()\n query += ';'\n result = _view_stmt.parseString(query)\n return View(result)\n",
"role": "user"
},
{
"content": "parse_view",
"role": "assistant"
}
] |
def x(t):
t.name = t.parsed_name
t.alias = t.parsed_alias[0] if t.parsed_alias else ''
return t
| flat_alias | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t):\n t.name = t.parsed_name\n t.alias = t.parsed_alias[0] if t.parsed_alias else ''\n return t\n",
"role": "user"
},
{
"content": "flat_alias",
"role": "assistant"
}
] |
def x(t):
t.source.name = t.source.parsed_name
t.source.alias = t.source.parsed_alias[0] if t.source.parsed_alias else ''
return t
| build_join | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t):\n t.source.name = t.source.parsed_name\n t.source.alias = t.source.parsed_alias[0] if t.source.parsed_alias else ''\n return t\n",
"role": "user"
},
{
"content": "build_join",
"role": "assistant"
}
] |
def x(library, statement):
from ambry.identity import ObjectNumber, TableNumber, NotObjectNumberError
from ambry.orm.exc import NotFoundError
try:
stmt_str = statement.to_unicode()
except AttributeError:
stmt_str = statement
parts = stmt_str.strip(';').split()
new_parts = []
tables = set()
partitions = set()
while parts:
token = parts.pop(0).strip()
if token.lower() in ('from', 'join', 'materialize', 'install'):
ident = parts.pop(0).strip(';')
new_parts.append(token)
try:
obj_number = ObjectNumber.parse(token)
if isinstance(obj_number, TableNumber):
table = library.table(ident)
tables.add(table.vid)
new_parts.append(table.vid)
else:
raise NotObjectNumberError
except NotObjectNumberError:
try:
partition = library.partition(ident)
partitions.add(partition.vid)
new_parts.append(partition.vid)
except NotFoundError:
new_parts.append(ident)
else:
new_parts.append(token)
return ' '.join(new_parts).strip(), tables, partitions
| substitute_vids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(library, statement):\n from ambry.identity import ObjectNumber, TableNumber, NotObjectNumberError\n from ambry.orm.exc import NotFoundError\n try:\n stmt_str = statement.to_unicode()\n except AttributeError:\n stmt_str = statement\n parts = stmt_str.strip(';').split()\n new_parts = []\n tables = set()\n partitions = set()\n while parts:\n token = parts.pop(0).strip()\n if token.lower() in ('from', 'join', 'materialize', 'install'):\n ident = parts.pop(0).strip(';')\n new_parts.append(token)\n try:\n obj_number = ObjectNumber.parse(token)\n if isinstance(obj_number, TableNumber):\n table = library.table(ident)\n tables.add(table.vid)\n new_parts.append(table.vid)\n else:\n raise NotObjectNumberError\n except NotObjectNumberError:\n try:\n partition = library.partition(ident)\n partitions.add(partition.vid)\n new_parts.append(partition.vid)\n except NotFoundError:\n new_parts.append(ident)\n else:\n new_parts.append(token)\n return ' '.join(new_parts).strip(), tables, partitions\n",
"role": "user"
},
{
"content": "substitute_vids",
"role": "assistant"
}
] |
def x(sql, library):
derefed, tables, partitions = substitute_vids(library, sql)
if derefed.lower().startswith('create index') or derefed.lower(
).startswith('index'):
parsed = parse_index(derefed)
return FIMRecord(statement=derefed, indexes=[(parsed.source, tuple(
parsed.columns))])
elif derefed.lower().startswith('materialize'):
_, vid = derefed.split()
return FIMRecord(statement=derefed, materialize=set([vid]))
elif derefed.lower().startswith('install'):
_, vid = derefed.split()
return FIMRecord(statement=derefed, install=set([vid]))
elif derefed.lower().startswith('select'):
rec = FIMRecord(statement=derefed)
parsed = parse_select(derefed)
elif derefed.lower().startswith('drop'):
return FIMRecord(statement=derefed, drop=derefed)
elif derefed.lower().startswith('create table'):
parsed = parse_view(derefed)
rec = FIMRecord(statement=derefed, drop='DROP TABLE IF EXISTS {};'.
format(parsed.name), views=1)
elif derefed.lower().startswith('create view'):
parsed = parse_view(derefed)
rec = FIMRecord(statement=derefed, drop='DROP VIEW IF EXISTS {};'.
format(parsed.name), views=1)
else:
return FIMRecord(statement=derefed, tables=set(tables), install=set
(partitions))
def x(parsed):
d = {}
for source in parsed.sources:
if source.alias:
d[source.alias] = source.name
for j in parsed.joins:
if j.source.alias:
d[j.source.alias] = j.source.name
return d
def x(aliases, parsed):
indexes = []
for j in parsed.joins:
if j and j.join_cols:
for col in j.join_cols:
if '.' in col:
try:
alias, col = col.split('.')
if alias:
indexes.append((aliases[alias], (col,)))
except KeyError:
pass
return indexes
aliases = partition_aliases(parsed)
indexes = indexable_columns(aliases, parsed)
rec.joins = len(parsed.joins)
install = set(partitions)
rec.update(tables=tables, install=install, indexes=indexes)
return rec
| find_indexable_materializable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sql, library):\n derefed, tables, partitions = substitute_vids(library, sql)\n if derefed.lower().startswith('create index') or derefed.lower(\n ).startswith('index'):\n parsed = parse_index(derefed)\n return FIMRecord(statement=derefed, indexes=[(parsed.source, tuple(\n parsed.columns))])\n elif derefed.lower().startswith('materialize'):\n _, vid = derefed.split()\n return FIMRecord(statement=derefed, materialize=set([vid]))\n elif derefed.lower().startswith('install'):\n _, vid = derefed.split()\n return FIMRecord(statement=derefed, install=set([vid]))\n elif derefed.lower().startswith('select'):\n rec = FIMRecord(statement=derefed)\n parsed = parse_select(derefed)\n elif derefed.lower().startswith('drop'):\n return FIMRecord(statement=derefed, drop=derefed)\n elif derefed.lower().startswith('create table'):\n parsed = parse_view(derefed)\n rec = FIMRecord(statement=derefed, drop='DROP TABLE IF EXISTS {};'.\n format(parsed.name), views=1)\n elif derefed.lower().startswith('create view'):\n parsed = parse_view(derefed)\n rec = FIMRecord(statement=derefed, drop='DROP VIEW IF EXISTS {};'.\n format(parsed.name), views=1)\n else:\n return FIMRecord(statement=derefed, tables=set(tables), install=set\n (partitions))\n\n def x(parsed):\n d = {}\n for source in parsed.sources:\n if source.alias:\n d[source.alias] = source.name\n for j in parsed.joins:\n if j.source.alias:\n d[j.source.alias] = j.source.name\n return d\n\n def x(aliases, parsed):\n indexes = []\n for j in parsed.joins:\n if j and j.join_cols:\n for col in j.join_cols:\n if '.' in col:\n try:\n alias, col = col.split('.')\n if alias:\n indexes.append((aliases[alias], (col,)))\n except KeyError:\n pass\n return indexes\n aliases = partition_aliases(parsed)\n indexes = indexable_columns(aliases, parsed)\n rec.joins = len(parsed.joins)\n install = set(partitions)\n rec.update(tables=tables, install=install, indexes=indexes)\n return rec\n",
"role": "user"
},
{
"content": "find_indexable_materializable",
"role": "assistant"
}
] |
def x(self, rec=None, drop=None, tables=None, install=None, materialize=
None, indexes=None, joins=0, views=0):
if not drop:
drop = []
if not tables:
tables = set()
if not install:
install = set()
if not materialize:
materialize = set()
if not indexes:
indexes = set()
if rec:
self.update(drop=rec.drop, tables=rec.tables, install=rec.install,
materialize=rec.materialize, indexes=rec.indexes, joins=rec.joins)
self.drop += drop
self.tables |= set(tables)
self.install |= set(install)
self.materialize |= set(materialize)
self.indexes |= set(indexes)
self.joins += joins
self.views += views
if self.joins > 0 or self.views > 0:
self.materialize |= self.install
self.install = set()
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rec=None, drop=None, tables=None, install=None, materialize=\n None, indexes=None, joins=0, views=0):\n if not drop:\n drop = []\n if not tables:\n tables = set()\n if not install:\n install = set()\n if not materialize:\n materialize = set()\n if not indexes:\n indexes = set()\n if rec:\n self.update(drop=rec.drop, tables=rec.tables, install=rec.install,\n materialize=rec.materialize, indexes=rec.indexes, joins=rec.joins)\n self.drop += drop\n self.tables |= set(tables)\n self.install |= set(install)\n self.materialize |= set(materialize)\n self.indexes |= set(indexes)\n self.joins += joins\n self.views += views\n if self.joins > 0 or self.views > 0:\n self.materialize |= self.install\n self.install = set()\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, support_level):
allowed_values = ['UNRELEASED', 'EARLYACCESS', 'SUPPORTED',
'EXTENDED_SUPPORT', 'EOL']
if support_level not in allowed_values:
raise ValueError(
'Invalid value for `support_level` ({0}), must be one of {1}'.
format(support_level, allowed_values))
self._support_level = support_level
| support_level | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, support_level):\n allowed_values = ['UNRELEASED', 'EARLYACCESS', 'SUPPORTED',\n 'EXTENDED_SUPPORT', 'EOL']\n if support_level not in allowed_values:\n raise ValueError(\n 'Invalid value for `support_level` ({0}), must be one of {1}'.\n format(support_level, allowed_values))\n self._support_level = support_level\n",
"role": "user"
},
{
"content": "support_level",
"role": "assistant"
}
] |
def x(self, when, what, *a, **kw):
dc = base.DelayedCall(self.seconds() + when, what, a, kw, self.calls.
remove, lambda c: None, self.seconds)
self.calls.append(dc)
self.calls.sort(lambda a, b: cmp(a.getTime(), b.getTime()))
return dc
| callLater | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, when, what, *a, **kw):\n dc = base.DelayedCall(self.seconds() + when, what, a, kw, self.calls.\n remove, lambda c: None, self.seconds)\n self.calls.append(dc)\n self.calls.sort(lambda a, b: cmp(a.getTime(), b.getTime()))\n return dc\n",
"role": "user"
},
{
"content": "callLater",
"role": "assistant"
}
] |
def x():
clock = Clock()
dc1 = clock.callLater(10, lambda : None)
dc2 = clock.callLater(1, lambda : None)
if dc1 is dc2:
return True
else:
return False
| clockIsBroken | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n clock = Clock()\n dc1 = clock.callLater(10, lambda : None)\n dc2 = clock.callLater(1, lambda : None)\n if dc1 is dc2:\n return True\n else:\n return False\n",
"role": "user"
},
{
"content": "clockIsBroken",
"role": "assistant"
}
] |
def x(config, read_modules=False, repo_url=None, mvn_repo_local=None,
additional_params=None):
global scm_status_cache
if config.artifact in scm_status_cache.keys():
result = scm_status_cache[config.artifact]
elif not read_modules and '%s|False' % config.artifact in scm_status_cache.keys(
):
result = scm_status_cache['%s|False' % config.artifact]
else:
result = _get_scm_status(config, read_modules, repo_url,
mvn_repo_local, additional_params)
if read_modules:
scm_status_cache[config.artifact] = result
if '%s|False' % config.artifact in scm_status_cache.keys():
del scm_status_cache['%s|False' % config.artifact]
else:
scm_status_cache['%s|False' % config.artifact] = result
return result
| get_scm_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, read_modules=False, repo_url=None, mvn_repo_local=None,\n additional_params=None):\n global scm_status_cache\n if config.artifact in scm_status_cache.keys():\n result = scm_status_cache[config.artifact]\n elif not read_modules and '%s|False' % config.artifact in scm_status_cache.keys(\n ):\n result = scm_status_cache['%s|False' % config.artifact]\n else:\n result = _get_scm_status(config, read_modules, repo_url,\n mvn_repo_local, additional_params)\n if read_modules:\n scm_status_cache[config.artifact] = result\n if '%s|False' % config.artifact in scm_status_cache.keys():\n del scm_status_cache['%s|False' % config.artifact]\n else:\n scm_status_cache['%s|False' % config.artifact] = result\n return result\n",
"role": "user"
},
{
"content": "get_scm_status",
"role": "assistant"
}
] |
def x(patch_path, target_file):
logging.debug('Shrinking patch file %s to keep only %s changes.',
patch_path, target_file)
shrinked_lines = []
patch_file = None
try:
patch_file = open(patch_path)
adding = False
search_line = 'diff --git a/%s b/%s' % (target_file, target_file)
for line in patch_file.read().split('\n'):
if adding and line.startswith('diff --git a/'
) and line != search_line:
adding = False
elif line == search_line:
adding = True
if adding:
shrinked_lines.append(line)
finally:
if patch_file:
patch_file.close()
if len(shrinked_lines):
patch_file = None
try:
patch_file = open(patch_path, 'w')
content = '\n'.join(shrinked_lines)
if not content.endswith('\n'):
content = content + '\n'
patch_file.write(content)
finally:
if patch_file:
patch_file.close()
return True
else:
return False
| shrink_patch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(patch_path, target_file):\n logging.debug('Shrinking patch file %s to keep only %s changes.',\n patch_path, target_file)\n shrinked_lines = []\n patch_file = None\n try:\n patch_file = open(patch_path)\n adding = False\n search_line = 'diff --git a/%s b/%s' % (target_file, target_file)\n for line in patch_file.read().split('\\n'):\n if adding and line.startswith('diff --git a/'\n ) and line != search_line:\n adding = False\n elif line == search_line:\n adding = True\n if adding:\n shrinked_lines.append(line)\n finally:\n if patch_file:\n patch_file.close()\n if len(shrinked_lines):\n patch_file = None\n try:\n patch_file = open(patch_path, 'w')\n content = '\\n'.join(shrinked_lines)\n if not content.endswith('\\n'):\n content = content + '\\n'\n patch_file.write(content)\n finally:\n if patch_file:\n patch_file.close()\n return True\n else:\n return False\n",
"role": "user"
},
{
"content": "shrink_patch",
"role": "assistant"
}
] |
def x(directory, branch_id=False, read_only=False, filePath=None):
if (directory, branch_id, read_only, filePath) in scm_info_path_cache:
return copy.copy(scm_info_path_cache[directory, branch_id,
read_only, filePath])
if os.path.exists(os.path.join(directory, '.git')):
logging.debug('Getting git info for %s', directory)
if filePath != None:
args = ['git', '--git-dir', directory + '/.git', 'log', '-z',
'-n', '2', '--pretty=format:* dummy-branch %H %s%n', '--',
filePath]
else:
args = ['git', '--git-dir', directory + '/.git', 'branch', '-v',
'--no-abbrev']
command = Popen(args, stdout=PIPE, stderr=STDOUT)
stdout = command.communicate()[0]
if command.returncode:
raise ScmException(
'Reading Git branch name and commit ID from %s failed. Output: %s'
% (directory, stdout))
branch_name = None
commit_id = None
for line in stdout.split('\n'):
if line.startswith('* '):
pattern = '\\* +(.*) +([a-f0-9]{40}) .*'
m = re.match(pattern, line)
if m:
branch_name = m.group(1).strip()
commit_id = m.group(2).strip()
break
else:
raise ScmException(
"""Cannot parse commit ID and branch name from result line:
%s"""
% line)
logging.info('Retrieved branch_name %s and commit_id %s',
branch_name, commit_id)
args = ['git', '--git-dir', directory + '/.git', 'remote', '-v']
command = Popen(args, stdout=PIPE, stderr=STDOUT)
stdout = command.communicate()[0]
if command.returncode:
raise ScmException(
'Reading Git remote from %s failed. Output: %s' % (
directory, stdout))
origin_url = None
for line in stdout.split('\n'):
if line.startswith('origin' + chr(9)) and line.endswith(' (fetch)'
):
parts = re.split('[\\s]+', line, 3)
origin_url = parts[1]
break
if branch_id:
scminfo = ScmInfo('%s#%s' % (origin_url, branch_name))
else:
scminfo = ScmInfo('%s#%s' % (origin_url, commit_id))
if read_only:
if scminfo.get_scm_url().startswith(
'git+ssh://git.app.eng.bos.redhat.com/srv/git/'):
scminfo.scheme = 'git'
scminfo.path = scminfo.path.replace('/srv/git/', '/')
elif scminfo.get_scm_url().startswith(
'git+ssh://code.engineering.redhat.com/'):
scminfo.scheme = 'git+https'
scminfo.path = ('%s%s' % ('/gerrit/', scminfo.path)).replace(
'gerrit//', 'gerrit/')
scm_info_path_cache[directory, branch_id, read_only, filePath
] = scminfo
return scminfo
elif os.path.exists(directory):
scminfo = ScmInfo('file://%s#%s' % (directory, 'xx'))
scm_info_path_cache[directory, branch_id, read_only, filePath
] = scminfo
return scminfo
else:
raise ScmException(
'Unknown SCM type while reading SCM info from %s' % directory)
| get_scm_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(directory, branch_id=False, read_only=False, filePath=None):\n if (directory, branch_id, read_only, filePath) in scm_info_path_cache:\n return copy.copy(scm_info_path_cache[directory, branch_id,\n read_only, filePath])\n if os.path.exists(os.path.join(directory, '.git')):\n logging.debug('Getting git info for %s', directory)\n if filePath != None:\n args = ['git', '--git-dir', directory + '/.git', 'log', '-z',\n '-n', '2', '--pretty=format:* dummy-branch %H %s%n', '--',\n filePath]\n else:\n args = ['git', '--git-dir', directory + '/.git', 'branch', '-v',\n '--no-abbrev']\n command = Popen(args, stdout=PIPE, stderr=STDOUT)\n stdout = command.communicate()[0]\n if command.returncode:\n raise ScmException(\n 'Reading Git branch name and commit ID from %s failed. Output: %s'\n % (directory, stdout))\n branch_name = None\n commit_id = None\n for line in stdout.split('\\n'):\n if line.startswith('* '):\n pattern = '\\\\* +(.*) +([a-f0-9]{40}) .*'\n m = re.match(pattern, line)\n if m:\n branch_name = m.group(1).strip()\n commit_id = m.group(2).strip()\n break\n else:\n raise ScmException(\n \"\"\"Cannot parse commit ID and branch name from result line:\n%s\"\"\"\n % line)\n logging.info('Retrieved branch_name %s and commit_id %s',\n branch_name, commit_id)\n args = ['git', '--git-dir', directory + '/.git', 'remote', '-v']\n command = Popen(args, stdout=PIPE, stderr=STDOUT)\n stdout = command.communicate()[0]\n if command.returncode:\n raise ScmException(\n 'Reading Git remote from %s failed. Output: %s' % (\n directory, stdout))\n origin_url = None\n for line in stdout.split('\\n'):\n if line.startswith('origin' + chr(9)) and line.endswith(' (fetch)'\n ):\n parts = re.split('[\\\\s]+', line, 3)\n origin_url = parts[1]\n break\n if branch_id:\n scminfo = ScmInfo('%s#%s' % (origin_url, branch_name))\n else:\n scminfo = ScmInfo('%s#%s' % (origin_url, commit_id))\n if read_only:\n if scminfo.get_scm_url().startswith(\n 'git+ssh://git.app.eng.bos.redhat.com/srv/git/'):\n scminfo.scheme = 'git'\n scminfo.path = scminfo.path.replace('/srv/git/', '/')\n elif scminfo.get_scm_url().startswith(\n 'git+ssh://code.engineering.redhat.com/'):\n scminfo.scheme = 'git+https'\n scminfo.path = ('%s%s' % ('/gerrit/', scminfo.path)).replace(\n 'gerrit//', 'gerrit/')\n scm_info_path_cache[directory, branch_id, read_only, filePath\n ] = scminfo\n return scminfo\n elif os.path.exists(directory):\n scminfo = ScmInfo('file://%s#%s' % (directory, 'xx'))\n scm_info_path_cache[directory, branch_id, read_only, filePath\n ] = scminfo\n return scminfo\n else:\n raise ScmException(\n 'Unknown SCM type while reading SCM info from %s' % directory)\n",
"role": "user"
},
{
"content": "get_scm_info",
"role": "assistant"
}
] |
def x(self, new_status):
allowed_values = ['NEW', 'DONE', 'REJECTED']
if new_status not in allowed_values:
raise ValueError(
'Invalid value for `new_status` ({0}), must be one of {1}'.
format(new_status, allowed_values))
self._new_status = new_status
| new_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_status):\n allowed_values = ['NEW', 'DONE', 'REJECTED']\n if new_status not in allowed_values:\n raise ValueError(\n 'Invalid value for `new_status` ({0}), must be one of {1}'.\n format(new_status, allowed_values))\n self._new_status = new_status\n",
"role": "user"
},
{
"content": "new_status",
"role": "assistant"
}
] |
def x(self, old_status):
allowed_values = ['NEW', 'DONE', 'REJECTED']
if old_status not in allowed_values:
raise ValueError(
'Invalid value for `old_status` ({0}), must be one of {1}'.
format(old_status, allowed_values))
self._old_status = old_status
| old_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, old_status):\n allowed_values = ['NEW', 'DONE', 'REJECTED']\n if old_status not in allowed_values:\n raise ValueError(\n 'Invalid value for `old_status` ({0}), must be one of {1}'.\n format(old_status, allowed_values))\n self._old_status = old_status\n",
"role": "user"
},
{
"content": "old_status",
"role": "assistant"
}
] |
def x(self, host='', port='8000', level='debug'):
logging.basicConfig(level=getattr(logging, level.upper()), format=self.
format)
if self.bootstrap:
logger.info('Bootstraping...')
self.bootstrap()
try:
server_thread = DevServerThread(host, port, self.app)
server_thread.start()
wait_for_code_change(extra_files=self.extra_files)
server_thread.running = False
server_thread.join()
logger.info('Reloading...')
flush_fds()
pid = os.fork()
if pid:
os.closerange(3, MAXFD)
os.waitpid(pid, 0)
os.execvp(sys.executable, [sys.executable] + sys.argv)
else:
sys.exit()
except KeyboardInterrupt:
logger.info('Stoping dev-server...')
server_thread.running = False
server_thread.join()
sys.exit()
| command_serve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, host='', port='8000', level='debug'):\n logging.basicConfig(level=getattr(logging, level.upper()), format=self.\n format)\n if self.bootstrap:\n logger.info('Bootstraping...')\n self.bootstrap()\n try:\n server_thread = DevServerThread(host, port, self.app)\n server_thread.start()\n wait_for_code_change(extra_files=self.extra_files)\n server_thread.running = False\n server_thread.join()\n logger.info('Reloading...')\n flush_fds()\n pid = os.fork()\n if pid:\n os.closerange(3, MAXFD)\n os.waitpid(pid, 0)\n os.execvp(sys.executable, [sys.executable] + sys.argv)\n else:\n sys.exit()\n except KeyboardInterrupt:\n logger.info('Stoping dev-server...')\n server_thread.running = False\n server_thread.join()\n sys.exit()\n",
"role": "user"
},
{
"content": "command_serve",
"role": "assistant"
}
] |
def x(self):
from code import interact
interact('Namespace {!r}'.format(self.shell_namespace), local=self.
shell_namespace)
| command_shell | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from code import interact\n interact('Namespace {!r}'.format(self.shell_namespace), local=self.\n shell_namespace)\n",
"role": "user"
},
{
"content": "command_shell",
"role": "assistant"
}
] |
def x(*bases):
def x(func):
attrs = weakref.WeakKeyDictionary()
def x(name):
def x(cls):
if cls not in attrs:
attrs[cls] = return_locals(func)()
return attrs[cls][name]
get_attr.__name__ = name
return declared_attr(get_attr)
dict_ = {name: create_descriptor(name) for name in six.
get_function_code(func).co_varnames}
dict_['__doc__'] = func.__doc__
return type(func.__name__, bases, dict_)
if len(bases) == 1 and not isinstance(bases[0], type):
func = bases[0]
bases = ()
return wrapper(func)
else:
return wrapper
| declared_mixin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*bases):\n\n def x(func):\n attrs = weakref.WeakKeyDictionary()\n\n def x(name):\n\n def x(cls):\n if cls not in attrs:\n attrs[cls] = return_locals(func)()\n return attrs[cls][name]\n get_attr.__name__ = name\n return declared_attr(get_attr)\n dict_ = {name: create_descriptor(name) for name in six.\n get_function_code(func).co_varnames}\n dict_['__doc__'] = func.__doc__\n return type(func.__name__, bases, dict_)\n if len(bases) == 1 and not isinstance(bases[0], type):\n func = bases[0]\n bases = ()\n return wrapper(func)\n else:\n return wrapper\n",
"role": "user"
},
{
"content": "declared_mixin",
"role": "assistant"
}
] |
def x(s):
hash = 0
x = 0
for c in s:
hash = (hash << 4) + c
x = hash & 4026531840
if x:
hash ^= x >> 24
hash &= ~x
return hash & 2147483647
| elfhash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n hash = 0\n x = 0\n for c in s:\n hash = (hash << 4) + c\n x = hash & 4026531840\n if x:\n hash ^= x >> 24\n hash &= ~x\n return hash & 2147483647\n",
"role": "user"
},
{
"content": "elfhash",
"role": "assistant"
}
] |
def x(element, l):
length = len(l)
for index, current in enumerate(l):
if length - 1 == index:
return current
if index == 0:
if element < current:
return None
if current <= element < l[index + 1]:
return current
| find_previous | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(element, l):\n length = len(l)\n for index, current in enumerate(l):\n if length - 1 == index:\n return current\n if index == 0:\n if element < current:\n return None\n if current <= element < l[index + 1]:\n return current\n",
"role": "user"
},
{
"content": "find_previous",
"role": "assistant"
}
] |
def x():
_old_match_hostname = ssl.match_hostname
def x(cert, hostname):
if hostname.endswith('.s3.amazonaws.com'):
pos = hostname.find('.s3.amazonaws.com')
hostname = hostname[:pos].replace('.', '') + hostname[pos:]
return _old_match_hostname(cert, hostname)
ssl.match_hostname = _new_match_hostname
| patch_match_hostname | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n _old_match_hostname = ssl.match_hostname\n\n def x(cert, hostname):\n if hostname.endswith('.s3.amazonaws.com'):\n pos = hostname.find('.s3.amazonaws.com')\n hostname = hostname[:pos].replace('.', '') + hostname[pos:]\n return _old_match_hostname(cert, hostname)\n ssl.match_hostname = _new_match_hostname\n",
"role": "user"
},
{
"content": "patch_match_hostname",
"role": "assistant"
}
] |
def x(self):
from collections import OrderedDict
d = OrderedDict([(p.key, getattr(self, p.key)) for p in self.__mapper__
.attrs if p.key not in ('data',)])
if 'list' in self.data:
d['bundle_count'] = len(self.data['list'])
else:
d['bundle_count'] = None
if self.data:
for k, v in self.data.items():
d[k] = v
return d
| dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from collections import OrderedDict\n d = OrderedDict([(p.key, getattr(self, p.key)) for p in self.__mapper__\n .attrs if p.key not in ('data',)])\n if 'list' in self.data:\n d['bundle_count'] = len(self.data['list'])\n else:\n d['bundle_count'] = None\n if self.data:\n for k, v in self.data.items():\n d[k] = v\n return d\n",
"role": "user"
},
{
"content": "dict",
"role": "assistant"
}
] |
def x(self):
from ambry.orm.exc import NotFoundError
from requests.exceptions import ConnectionError, HTTPError
from boto.exception import S3ResponseError
d = {}
try:
for k, v in self.list(full=True):
if not v:
continue
d[v['vid']] = {'vid': v['vid'], 'vname': v.get('vname'), 'id':
v.get('id'), 'name': v.get('name')}
self.data['list'] = d
except (NotFoundError, ConnectionError, S3ResponseError, HTTPError) as e:
raise RemoteAccessError('Failed to update {}: {}'.format(self.
short_name, e))
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from ambry.orm.exc import NotFoundError\n from requests.exceptions import ConnectionError, HTTPError\n from boto.exception import S3ResponseError\n d = {}\n try:\n for k, v in self.list(full=True):\n if not v:\n continue\n d[v['vid']] = {'vid': v['vid'], 'vname': v.get('vname'), 'id':\n v.get('id'), 'name': v.get('name')}\n self.data['list'] = d\n except (NotFoundError, ConnectionError, S3ResponseError, HTTPError) as e:\n raise RemoteAccessError('Failed to update {}: {}'.format(self.\n short_name, e))\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, full=False):
if self.is_api:
return self._list_api(full=full)
else:
return self._list_fs(full=full)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, full=False):\n if self.is_api:\n return self._list_api(full=full)\n else:\n return self._list_fs(full=full)\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(self):
from json import dumps
full_list = [e[1] for e in self._list_fs(full=True)]
remote = self._fs_remote(self.url)
remote.setcontents(os.path.join('_meta', 'list.json'), dumps(full_list,
indent=4))
| update_fs_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from json import dumps\n full_list = [e[1] for e in self._list_fs(full=True)]\n remote = self._fs_remote(self.url)\n remote.setcontents(os.path.join('_meta', 'list.json'), dumps(full_list,\n indent=4))\n",
"role": "user"
},
{
"content": "update_fs_list",
"role": "assistant"
}
] |
def x(self, package, no_partitions=False, force=False, cb=None):
from ambry.orm.exc import NotFoundError
if not os.path.exists(package.path):
raise NotFoundError("Package path does not exist: '{}' ".format(
package.path))
if self.is_api:
return self._checkin_api(package, no_partitions=no_partitions,
force=force, cb=cb)
else:
return self._checkin_fs(package, no_partitions=no_partitions, force
=force, cb=cb)
| checkin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, package, no_partitions=False, force=False, cb=None):\n from ambry.orm.exc import NotFoundError\n if not os.path.exists(package.path):\n raise NotFoundError(\"Package path does not exist: '{}' \".format(\n package.path))\n if self.is_api:\n return self._checkin_api(package, no_partitions=no_partitions,\n force=force, cb=cb)\n else:\n return self._checkin_fs(package, no_partitions=no_partitions, force\n =force, cb=cb)\n",
"role": "user"
},
{
"content": "checkin",
"role": "assistant"
}
] |
def x(self, fs_remote, ds):
from six import text_type
from fs.errors import ResourceNotFoundError
identity = ds.identity
d = identity.dict
d['summary'] = ds.config.metadata.about.summary
d['title'] = ds.config.metadata.about.title
meta_stack = self._meta_infos(ds)
def x():
for path, ident in meta_stack:
fs_remote.setcontents(path, ident)
try:
do_metadata()
except ResourceNotFoundError:
parts = ['vid', 'id', 'vname', 'name']
for p in parts:
dirname = os.path.join('_meta', p)
fs_remote.makedir(dirname, allow_recreate=True, recursive=True)
do_metadata()
| put_metadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fs_remote, ds):\n from six import text_type\n from fs.errors import ResourceNotFoundError\n identity = ds.identity\n d = identity.dict\n d['summary'] = ds.config.metadata.about.summary\n d['title'] = ds.config.metadata.about.title\n meta_stack = self._meta_infos(ds)\n\n def x():\n for path, ident in meta_stack:\n fs_remote.setcontents(path, ident)\n try:\n do_metadata()\n except ResourceNotFoundError:\n parts = ['vid', 'id', 'vname', 'name']\n for p in parts:\n dirname = os.path.join('_meta', p)\n fs_remote.makedir(dirname, allow_recreate=True, recursive=True)\n do_metadata()\n",
"role": "user"
},
{
"content": "put_metadata",
"role": "assistant"
}
] |
def x(self, ref, cb=None):
if self.is_api:
return self._checkout_api(ref, cb=cb)
else:
return self._checkout_fs(ref, cb=cb)
| checkout | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ref, cb=None):\n if self.is_api:\n return self._checkout_api(ref, cb=cb)\n else:\n return self._checkout_fs(ref, cb=cb)\n",
"role": "user"
},
{
"content": "checkout",
"role": "assistant"
}
] |
def x(self, ref, cb=None):
if self.is_api:
return self._remove_api(ref, cb)
else:
return self._remove_fs(ref, cb)
| remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ref, cb=None):\n if self.is_api:\n return self._remove_api(ref, cb)\n else:\n return self._remove_fs(ref, cb)\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self, url, account_acessor=None, access=None, secret=None):
from ambry.util.ambrys3 import AmbryS3FS
from ambry.util import parse_url_to_dict
import ssl
pd = parse_url_to_dict(url)
if account_acessor:
account = account_acessor(pd['hostname'])
assert account['account_id'] == pd['hostname']
aws_access_key = account['access_key'],
aws_secret_key = account['secret']
else:
aws_access_key = access
aws_secret_key = secret
assert access, url
assert secret, url
s3 = AmbryS3FS(bucket=pd['netloc'], prefix=pd['path'].strip('/') + '/',
aws_access_key=aws_access_key, aws_secret_key=aws_secret_key)
return s3
| s3 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, account_acessor=None, access=None, secret=None):\n from ambry.util.ambrys3 import AmbryS3FS\n from ambry.util import parse_url_to_dict\n import ssl\n pd = parse_url_to_dict(url)\n if account_acessor:\n account = account_acessor(pd['hostname'])\n assert account['account_id'] == pd['hostname']\n aws_access_key = account['access_key'],\n aws_secret_key = account['secret']\n else:\n aws_access_key = access\n aws_secret_key = secret\n assert access, url\n assert secret, url\n s3 = AmbryS3FS(bucket=pd['netloc'], prefix=pd['path'].strip('/') + '/',\n aws_access_key=aws_access_key, aws_secret_key=aws_secret_key)\n return s3\n",
"role": "user"
},
{
"content": "s3",
"role": "assistant"
}
] |
def x(parser, token):
bits = token.split_contents()
if len(bits) != 2:
raise TemplateSyntaxError('{% withdict %} expects one argument')
nodelist = parser.parse(('endwithdict',))
parser.delete_first_token()
return WithDictNode(nodelist=nodelist, context_expr=parser.
compile_filter(bits[1]))
| withdict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser, token):\n bits = token.split_contents()\n if len(bits) != 2:\n raise TemplateSyntaxError('{% withdict %} expects one argument')\n nodelist = parser.parse(('endwithdict',))\n parser.delete_first_token()\n return WithDictNode(nodelist=nodelist, context_expr=parser.\n compile_filter(bits[1]))\n",
"role": "user"
},
{
"content": "withdict",
"role": "assistant"
}
] |
def x(self, context):
extra_context = self.context_expr.resolve(context)
if not isinstance(extra_context, dict):
raise TemplateSyntaxError(
'{% withdict %} expects the argument to be a dictionary.')
with context.push(**extra_context):
return self.nodelist.render(context)
| render | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context):\n extra_context = self.context_expr.resolve(context)\n if not isinstance(extra_context, dict):\n raise TemplateSyntaxError(\n '{% withdict %} expects the argument to be a dictionary.')\n with context.push(**extra_context):\n return self.nodelist.render(context)\n",
"role": "user"
},
{
"content": "render",
"role": "assistant"
}
] |
def x(sessionmaker, file_manager, file_managers=None):
registry = WeakKeyDictionary()
if file_managers:
for k, v in six.iteritems(file_managers):
if isinstance(k, FileAttribute):
raise NotImplementedError()
registry[k] = v
def x(self, target):
if isinstance(target, FileAttribute):
assert hasattr(target, 'class_')
target = target.class_
elif not inspect.isclass(target):
target = type(target)
assert hasattr(target, 'metadata')
assert class_mapper(target) is not None
if target in registry:
return registry[target]
if target.metadata in registry:
return registry[target.metadata]
return file_manager
def x(*args, **kwargs):
session = sessionmaker(*args, **kwargs)
session.file_manager = file_manager
session.find_file_manager = six.create_bound_method(find_file_manager,
session)
return session
return session_maker
| filesessionmaker | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sessionmaker, file_manager, file_managers=None):\n registry = WeakKeyDictionary()\n if file_managers:\n for k, v in six.iteritems(file_managers):\n if isinstance(k, FileAttribute):\n raise NotImplementedError()\n registry[k] = v\n\n def x(self, target):\n if isinstance(target, FileAttribute):\n assert hasattr(target, 'class_')\n target = target.class_\n elif not inspect.isclass(target):\n target = type(target)\n assert hasattr(target, 'metadata')\n assert class_mapper(target) is not None\n if target in registry:\n return registry[target]\n if target.metadata in registry:\n return registry[target.metadata]\n return file_manager\n\n def x(*args, **kwargs):\n session = sessionmaker(*args, **kwargs)\n session.file_manager = file_manager\n session.find_file_manager = six.create_bound_method(find_file_manager,\n session)\n return session\n return session_maker\n",
"role": "user"
},
{
"content": "filesessionmaker",
"role": "assistant"
}
] |
def x(_square_wave=False, shift=0):
import math
c = 0
while 1:
if _square_wave:
yield (c % 300 < 150) * 30 + 20
c += 1
else:
yield 10 * math.sin(2 * 3.1415926 * c + shift) + 20 + 5 * math.sin(
2 * 3.1415926 * c * 3 + shift)
c += 0.001
| oscillating_setpoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(_square_wave=False, shift=0):\n import math\n c = 0\n while 1:\n if _square_wave:\n yield (c % 300 < 150) * 30 + 20\n c += 1\n else:\n yield 10 * math.sin(2 * 3.1415926 * c + shift) + 20 + 5 * math.sin(\n 2 * 3.1415926 * c * 3 + shift)\n c += 0.001\n",
"role": "user"
},
{
"content": "oscillating_setpoint",
"role": "assistant"
}
] |
def x():
import subprocess
cmd = (
'set -o pipefail ; pgrep -f "^bash.*sleep .*from bash: started relay launcher" | wc -l '
)
while True:
yield int(subprocess.check_output(cmd, shell=True, executable='bash'))
| bash_echo_metric | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import subprocess\n cmd = (\n 'set -o pipefail ; pgrep -f \"^bash.*sleep .*from bash: started relay launcher\" | wc -l '\n )\n while True:\n yield int(subprocess.check_output(cmd, shell=True, executable='bash'))\n",
"role": "user"
},
{
"content": "bash_echo_metric",
"role": "assistant"
}
] |
def x(n):
import subprocess
import random
cmd = (
"set -o pipefail ; sleep %s ; sh -c 'echo from bash: started relay launcher task && sleep %s'"
)
for i in range(n):
subprocess.Popen(cmd % ((1 + random.random()) * 1, (1 + random.
random()) * 4), shell=True, stdout=subprocess.PIPE, executable=
'bash')
| bash_echo_warmer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n):\n import subprocess\n import random\n cmd = (\n \"set -o pipefail ; sleep %s ; sh -c 'echo from bash: started relay launcher task && sleep %s'\"\n )\n for i in range(n):\n subprocess.Popen(cmd % ((1 + random.random()) * 1, (1 + random.\n random()) * 4), shell=True, stdout=subprocess.PIPE, executable=\n 'bash')\n",
"role": "user"
},
{
"content": "bash_echo_warmer",
"role": "assistant"
}
] |
def x(n):
import subprocess
cmd = (
'set -o pipefile ; kill `pgrep -f "from bash: started relay launcher task" | tail -n %s` 2>/dev/null'
% n)
subprocess.Popen(cmd, shell=True, executable='bash').wait()
| bash_echo_cooler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n):\n import subprocess\n cmd = (\n 'set -o pipefile ; kill `pgrep -f \"from bash: started relay launcher task\" | tail -n %s` 2>/dev/null'\n % n)\n subprocess.Popen(cmd, shell=True, executable='bash').wait()\n",
"role": "user"
},
{
"content": "bash_echo_cooler",
"role": "assistant"
}
] |
def x(errdata):
n_increases = sum([(abs(y) - abs(x) > 0) for x, y in zip(errdata,
errdata[1:])])
if len(errdata) * 0.5 < n_increases:
return 0
else:
return -1
| stop_if_mostly_diverging | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(errdata):\n n_increases = sum([(abs(y) - abs(x) > 0) for x, y in zip(errdata,\n errdata[1:])])\n if len(errdata) * 0.5 < n_increases:\n return 0\n else:\n return -1\n",
"role": "user"
},
{
"content": "stop_if_mostly_diverging",
"role": "assistant"
}
] |
def x(self):
for dependency in self.dependencies:
if dependency.state != Task.State.DONE:
return False
return True
| has_resolved_dependencies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for dependency in self.dependencies:\n if dependency.state != Task.State.DONE:\n return False\n return True\n",
"role": "user"
},
{
"content": "has_resolved_dependencies",
"role": "assistant"
}
] |
def x(self):
dependencies = []
for dependency in self.dependencies:
dependencies.append(dependency.name)
return dependencies
| dependencies_as_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n dependencies = []\n for dependency in self.dependencies:\n dependencies.append(dependency.name)\n return dependencies\n",
"role": "user"
},
{
"content": "dependencies_as_list",
"role": "assistant"
}
] |
def x(self, name):
if name in self.tasks.keys():
task = self.tasks[name]
else:
task = Task(name)
self.tasks[name] = task
return task
| get_task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n if name in self.tasks.keys():\n task = self.tasks[name]\n else:\n task = Task(name)\n self.tasks[name] = task\n return task\n",
"role": "user"
},
{
"content": "get_task",
"role": "assistant"
}
] |
def x(self):
self.update_tasks_status()
if self.dirty:
self.tsort()
self.dirty = False
for key, task in self.tasks.iteritems():
if task.is_new() and task.has_resolved_dependencies():
return task
return None
| get_next | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.update_tasks_status()\n if self.dirty:\n self.tsort()\n self.dirty = False\n for key, task in self.tasks.iteritems():\n if task.is_new() and task.has_resolved_dependencies():\n return task\n return None\n",
"role": "user"
},
{
"content": "get_next",
"role": "assistant"
}
] |
def x(self):
self.update_tasks_status()
buildable_tasks_count = 0
for key, task in self.tasks.iteritems():
if task.state is Task.State.NEW:
if self.are_dependencies_buildable(task):
buildable_tasks_count += 1
logging.debug('Buildable task: %s' % task.name)
else:
logging.debug('Task %s has broken dependencies.' % task.name)
return buildable_tasks_count
| count_buildable_tasks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.update_tasks_status()\n buildable_tasks_count = 0\n for key, task in self.tasks.iteritems():\n if task.state is Task.State.NEW:\n if self.are_dependencies_buildable(task):\n buildable_tasks_count += 1\n logging.debug('Buildable task: %s' % task.name)\n else:\n logging.debug('Task %s has broken dependencies.' % task.name)\n return buildable_tasks_count\n",
"role": "user"
},
{
"content": "count_buildable_tasks",
"role": "assistant"
}
] |
def x(self, task_names, keep_dependencies=False):
new_tasks = {}
for task_name in task_names:
task = self.get_task(task_name)
if task not in new_tasks:
new_tasks[task.name] = task
if keep_dependencies:
for dependency in task.ordered_dependencies():
if dependency not in new_tasks:
new_tasks[dependency.name] = dependency
else:
task.dependencies = set()
self.tasks = new_tasks
| filter_tasks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, task_names, keep_dependencies=False):\n new_tasks = {}\n for task_name in task_names:\n task = self.get_task(task_name)\n if task not in new_tasks:\n new_tasks[task.name] = task\n if keep_dependencies:\n for dependency in task.ordered_dependencies():\n if dependency not in new_tasks:\n new_tasks[dependency.name] = dependency\n else:\n task.dependencies = set()\n self.tasks = new_tasks\n",
"role": "user"
},
{
"content": "filter_tasks",
"role": "assistant"
}
] |
def x(self):
task_dict = {}
for key, task in self.tasks.iteritems():
task_dict[task] = task.dependencies
parts = task_dict.copy()
result = []
while True:
level = set([name for name, deps in parts.iteritems() if not deps])
if not level:
break
result.append(level)
parts = dict([(name, deps - level) for name, deps in parts.
iteritems() if name not in level])
if parts:
raise ValueError(
'total ordering not possible (check for circular or missing dependencies)'
)
return result
| tsort | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n task_dict = {}\n for key, task in self.tasks.iteritems():\n task_dict[task] = task.dependencies\n parts = task_dict.copy()\n result = []\n while True:\n level = set([name for name, deps in parts.iteritems() if not deps])\n if not level:\n break\n result.append(level)\n parts = dict([(name, deps - level) for name, deps in parts.\n iteritems() if name not in level])\n if parts:\n raise ValueError(\n 'total ordering not possible (check for circular or missing dependencies)'\n )\n return result\n",
"role": "user"
},
{
"content": "tsort",
"role": "assistant"
}
] |
def x(self, build_execution_configuration, **kwargs):
kwargs['_return_http_data_only'] = True
if kwargs.get('callback'):
return self.build_with_http_info(build_execution_configuration, **
kwargs)
else:
data = self.build_with_http_info(build_execution_configuration, **
kwargs)
return data
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, build_execution_configuration, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.build_with_http_info(build_execution_configuration, **\n kwargs)\n else:\n data = self.build_with_http_info(build_execution_configuration, **\n kwargs)\n return data\n",
"role": "user"
},
{
"content": "build",
"role": "assistant"
}
] |
def x(self, task_id, build_result, **kwargs):
kwargs['_return_http_data_only'] = True
if kwargs.get('callback'):
return self.build_task_completed_with_http_info(task_id,
build_result, **kwargs)
else:
data = self.build_task_completed_with_http_info(task_id,
build_result, **kwargs)
return data
| build_task_completed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, task_id, build_result, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.build_task_completed_with_http_info(task_id,\n build_result, **kwargs)\n else:\n data = self.build_task_completed_with_http_info(task_id,\n build_result, **kwargs)\n return data\n",
"role": "user"
},
{
"content": "build_task_completed",
"role": "assistant"
}
] |
def x(self, build_execution_configuration_id, **kwargs):
kwargs['_return_http_data_only'] = True
if kwargs.get('callback'):
return self.cancel_bbuild_with_http_info(
build_execution_configuration_id, **kwargs)
else:
data = self.cancel_bbuild_with_http_info(
build_execution_configuration_id, **kwargs)
return data
| cancel_bbuild | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, build_execution_configuration_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.cancel_bbuild_with_http_info(\n build_execution_configuration_id, **kwargs)\n else:\n data = self.cancel_bbuild_with_http_info(\n build_execution_configuration_id, **kwargs)\n return data\n",
"role": "user"
},
{
"content": "cancel_bbuild",
"role": "assistant"
}
] |
def x(self):
config = import_module('config')
variables = [var for var in dir(config) if not var.startswith('_')]
return {var: getattr(config, var) for var in variables}
| load_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n config = import_module('config')\n variables = [var for var in dir(config) if not var.startswith('_')]\n return {var: getattr(config, var) for var in variables}\n",
"role": "user"
},
{
"content": "load_config",
"role": "assistant"
}
] |
def x(name, default=None):
if '.' not in name:
raise Exception('Config path should be divided by at least one dot')
section_name, var_path = name.split('.', 1)
section = Config._data.get(section_name)
return section.get(var_path)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, default=None):\n if '.' not in name:\n raise Exception('Config path should be divided by at least one dot')\n section_name, var_path = name.split('.', 1)\n section = Config._data.get(section_name)\n return section.get(var_path)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, k):
i = bisect_right(self._keys, k)
if i:
return self._items[i - 1]
raise ValueError('No item found with key at or below: %r' % (k,))
| find_le | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, k):\n i = bisect_right(self._keys, k)\n if i:\n return self._items[i - 1]\n raise ValueError('No item found with key at or below: %r' % (k,))\n",
"role": "user"
},
{
"content": "find_le",
"role": "assistant"
}
] |
def x(self, k):
i = bisect_right(self._keys, k)
if i:
return i - 1
raise ValueError('No item found with key at or below: %r' % (k,))
| find_le_index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, k):\n i = bisect_right(self._keys, k)\n if i:\n return i - 1\n raise ValueError('No item found with key at or below: %r' % (k,))\n",
"role": "user"
},
{
"content": "find_le_index",
"role": "assistant"
}
] |
def x(self, k):
i = bisect_left(self._keys, k)
if i:
return self._items[i - 1]
raise ValueError('No item found with key below: %r' % (k,))
| find_lt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, k):\n i = bisect_left(self._keys, k)\n if i:\n return self._items[i - 1]\n raise ValueError('No item found with key below: %r' % (k,))\n",
"role": "user"
},
{
"content": "find_lt",
"role": "assistant"
}
] |
def x(self, k):
i = bisect_left(self._keys, k)
if i != len(self):
return i
raise ValueError('No item found with key at or above: %r' % (k,))
| find_ge_index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, k):\n i = bisect_left(self._keys, k)\n if i != len(self):\n return i\n raise ValueError('No item found with key at or above: %r' % (k,))\n",
"role": "user"
},
{
"content": "find_ge_index",
"role": "assistant"
}
] |
def x():
debugger = get_debugger()
code = b'\x0f\x05'
rax = debugger.get_reg('rax')
rdi = debugger.get_reg('rdi')
rip = debugger.get_reg('rip')
efl = debugger.get_reg('efl')
debugger.set_reg('rax', 12)
debugger.set_reg('rdi', 0)
base = debugger.image_base()
inj = base
save = debugger.get_bytes(inj, len(code))
debugger.put_bytes(inj, code)
debugger.set_reg('rip', inj)
debugger.step_into()
debugger.wait_ready()
brk_res = debugger.get_reg('rax')
debugger.set_reg('rax', rax)
debugger.set_reg('rdi', rdi)
debugger.set_reg('rip', rip)
debugger.set_reg('efl', efl)
debugger.put_bytes(inj, save)
return brk_res
| get_dbg_brk_linux64 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n debugger = get_debugger()\n code = b'\\x0f\\x05'\n rax = debugger.get_reg('rax')\n rdi = debugger.get_reg('rdi')\n rip = debugger.get_reg('rip')\n efl = debugger.get_reg('efl')\n debugger.set_reg('rax', 12)\n debugger.set_reg('rdi', 0)\n base = debugger.image_base()\n inj = base\n save = debugger.get_bytes(inj, len(code))\n debugger.put_bytes(inj, code)\n debugger.set_reg('rip', inj)\n debugger.step_into()\n debugger.wait_ready()\n brk_res = debugger.get_reg('rax')\n debugger.set_reg('rax', rax)\n debugger.set_reg('rdi', rdi)\n debugger.set_reg('rip', rip)\n debugger.set_reg('efl', efl)\n debugger.put_bytes(inj, save)\n return brk_res\n",
"role": "user"
},
{
"content": "get_dbg_brk_linux64",
"role": "assistant"
}
] |
def x():
debugger = get_debugger()
code = b'\xcd\x80'
eax = debugger.get_reg('eax')
ebx = debugger.get_reg('ebx')
eip = debugger.get_reg('eip')
efl = debugger.get_reg('efl')
debugger.set_reg('eax', 45)
debugger.set_reg('ebx', 0)
base = debugger.image_base()
inj = base
save = debugger.get_bytes(inj, len(code))
debugger.put_bytes(inj, code)
debugger.set_reg('eip', inj)
debugger.step_into()
debugger.wait_ready()
brk_res = debugger.get_reg('eax')
debugger.set_reg('eax', eax)
debugger.set_reg('ebx', ebx)
debugger.set_reg('eip', eip)
debugger.set_reg('efl', efl)
debugger.put_bytes(inj, save)
return brk_res
| get_dbg_brk_linux32 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n debugger = get_debugger()\n code = b'\\xcd\\x80'\n eax = debugger.get_reg('eax')\n ebx = debugger.get_reg('ebx')\n eip = debugger.get_reg('eip')\n efl = debugger.get_reg('efl')\n debugger.set_reg('eax', 45)\n debugger.set_reg('ebx', 0)\n base = debugger.image_base()\n inj = base\n save = debugger.get_bytes(inj, len(code))\n debugger.put_bytes(inj, code)\n debugger.set_reg('eip', inj)\n debugger.step_into()\n debugger.wait_ready()\n brk_res = debugger.get_reg('eax')\n debugger.set_reg('eax', eax)\n debugger.set_reg('ebx', ebx)\n debugger.set_reg('eip', eip)\n debugger.set_reg('efl', efl)\n debugger.put_bytes(inj, save)\n return brk_res\n",
"role": "user"
},
{
"content": "get_dbg_brk_linux32",
"role": "assistant"
}
] |
def x(loop: abstract_loop=None, interval: float=0.5, hook: hook_type=None
) ->asyncio.Task:
if loop is None:
loop = asyncio.get_event_loop()
global reload_hook
if hook is not None:
reload_hook = hook
global task
if not task:
modify_times = {}
executor = ThreadPoolExecutor(1)
task = call_periodically(loop, interval, check_and_reload,
modify_times, executor)
return task
| start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(loop: abstract_loop=None, interval: float=0.5, hook: hook_type=None\n ) ->asyncio.Task:\n if loop is None:\n loop = asyncio.get_event_loop()\n global reload_hook\n if hook is not None:\n reload_hook = hook\n global task\n if not task:\n modify_times = {}\n executor = ThreadPoolExecutor(1)\n task = call_periodically(loop, interval, check_and_reload,\n modify_times, executor)\n return task\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(dt, fmt):
if _illegal_s.search(fmt):
raise TypeError('This strftime implementation does not handle %s')
if dt.year > 1900:
return dt.strftime(fmt)
fmt = fmt.replace('%c', '%a %b %d %H:%M:%S %Y').replace('%Y', str(dt.year)
).replace('%y', '{:04}'.format(dt.year)[-2:])
year = dt.year
delta = 2000 - year
off = 6 * (delta // 100 + delta // 400)
year = year + off
year = year + (2000 - year) // 28 * 28
timetuple = dt.timetuple()
return time.strftime(fmt, (year,) + timetuple[1:])
| strftime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dt, fmt):\n if _illegal_s.search(fmt):\n raise TypeError('This strftime implementation does not handle %s')\n if dt.year > 1900:\n return dt.strftime(fmt)\n fmt = fmt.replace('%c', '%a %b %d %H:%M:%S %Y').replace('%Y', str(dt.year)\n ).replace('%y', '{:04}'.format(dt.year)[-2:])\n year = dt.year\n delta = 2000 - year\n off = 6 * (delta // 100 + delta // 400)\n year = year + off\n year = year + (2000 - year) // 28 * 28\n timetuple = dt.timetuple()\n return time.strftime(fmt, (year,) + timetuple[1:])\n",
"role": "user"
},
{
"content": "strftime",
"role": "assistant"
}
] |
def x():
global win32timezone_to_en
tzi = DTZI_c()
kernel32 = ctypes.windll.kernel32
getter = kernel32.GetTimeZoneInformation
getter = getattr(kernel32, 'GetDynamicTimeZoneInformation', getter)
_ = getter(ctypes.byref(tzi))
win32tz_key_name = tzi.key_name
if not win32tz_key_name:
if win32timezone is None:
return None
win32tz_name = tzi.standard_name
if not win32timezone_to_en:
win32timezone_to_en = dict(win32timezone.TimeZoneInfo.
_get_indexed_time_zone_keys('Std'))
win32tz_key_name = win32timezone_to_en.get(win32tz_name, win32tz_name)
territory = locale.getdefaultlocale()[0].split('_', 1)[1]
olson_name = win32tz_map.win32timezones.get((win32tz_key_name,
territory), win32tz_map.win32timezones.get(win32tz_key_name, None))
if not olson_name:
return None
if not isinstance(olson_name, str):
olson_name = olson_name.encode('ascii')
return pytz.timezone(olson_name)
| detect_timezone_windows | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n global win32timezone_to_en\n tzi = DTZI_c()\n kernel32 = ctypes.windll.kernel32\n getter = kernel32.GetTimeZoneInformation\n getter = getattr(kernel32, 'GetDynamicTimeZoneInformation', getter)\n _ = getter(ctypes.byref(tzi))\n win32tz_key_name = tzi.key_name\n if not win32tz_key_name:\n if win32timezone is None:\n return None\n win32tz_name = tzi.standard_name\n if not win32timezone_to_en:\n win32timezone_to_en = dict(win32timezone.TimeZoneInfo.\n _get_indexed_time_zone_keys('Std'))\n win32tz_key_name = win32timezone_to_en.get(win32tz_name, win32tz_name)\n territory = locale.getdefaultlocale()[0].split('_', 1)[1]\n olson_name = win32tz_map.win32timezones.get((win32tz_key_name,\n territory), win32tz_map.win32timezones.get(win32tz_key_name, None))\n if not olson_name:\n return None\n if not isinstance(olson_name, str):\n olson_name = olson_name.encode('ascii')\n return pytz.timezone(olson_name)\n",
"role": "user"
},
{
"content": "detect_timezone_windows",
"role": "assistant"
}
] |
def x(raw_password, algorithm='sha1', salt=None):
if salt is None:
salt = binascii.hexlify(os.urandom(3))[:5]
else:
salt = salt.encode('utf-8')
raw_password = raw_password.encode('utf-8')
hash = hashlib.new(algorithm, salt + raw_password).hexdigest()
return '{}${}${}'.format(algorithm, salt.decode('utf-8'), hash)
| encrypt_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw_password, algorithm='sha1', salt=None):\n if salt is None:\n salt = binascii.hexlify(os.urandom(3))[:5]\n else:\n salt = salt.encode('utf-8')\n raw_password = raw_password.encode('utf-8')\n hash = hashlib.new(algorithm, salt + raw_password).hexdigest()\n return '{}${}${}'.format(algorithm, salt.decode('utf-8'), hash)\n",
"role": "user"
},
{
"content": "encrypt_password",
"role": "assistant"
}
] |
def x(raw_password, enc_password):
algo, salt, hsh = enc_password.split('$')
return enc_password == encrypt_password(raw_password, algorithm=algo,
salt=salt)
| check_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw_password, enc_password):\n algo, salt, hsh = enc_password.split('$')\n return enc_password == encrypt_password(raw_password, algorithm=algo,\n salt=salt)\n",
"role": "user"
},
{
"content": "check_password",
"role": "assistant"
}
] |
def x(self, template='login'):
def x(env, data):
form = self._login_form(env)
next = env.request.GET.get('next', '/')
login_failed = False
if env.request.method == 'POST':
if form.accept(env.request.POST):
user_identity = self.get_user_identity(env, **form.python_data)
if user_identity is not None:
response = HTTPSeeOther(location=next)
return self.login_identity(user_identity, response)
login_failed = True
data.form = form
data.login_failed = login_failed
data.login_url = env.root.login.as_url.qs_set(next=next)
return env.template.render_to_response(template, data.as_dict())
return web.match('/login', 'login') | _login
| login | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, template='login'):\n\n def x(env, data):\n form = self._login_form(env)\n next = env.request.GET.get('next', '/')\n login_failed = False\n if env.request.method == 'POST':\n if form.accept(env.request.POST):\n user_identity = self.get_user_identity(env, **form.python_data)\n if user_identity is not None:\n response = HTTPSeeOther(location=next)\n return self.login_identity(user_identity, response)\n login_failed = True\n data.form = form\n data.login_failed = login_failed\n data.login_url = env.root.login.as_url.qs_set(next=next)\n return env.template.render_to_response(template, data.as_dict())\n return web.match('/login', 'login') | _login\n",
"role": "user"
},
{
"content": "login",
"role": "assistant"
}
] |
def x(self, redirect_to='/'):
def x(env, data):
location = redirect_to
if location is None and env.request.referer:
location = env.request.referer
elif location is None:
location = '/'
response = HTTPSeeOther(location=str(location))
self.logout_user(env.request, response)
return response
return web.match('/logout', 'logout') | web.method('post') | _logout
| logout | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, redirect_to='/'):\n\n def x(env, data):\n location = redirect_to\n if location is None and env.request.referer:\n location = env.request.referer\n elif location is None:\n location = '/'\n response = HTTPSeeOther(location=str(location))\n self.logout_user(env.request, response)\n return response\n return web.match('/logout', 'logout') | web.method('post') | _logout\n",
"role": "user"
},
{
"content": "logout",
"role": "assistant"
}
] |
def x(self, content):
allowed_values = ['UNRELEASED', 'EARLYACCESS', 'SUPPORTED',
'EXTENDED_SUPPORT', 'EOL']
if not set(content).issubset(set(allowed_values)):
raise ValueError(
'Invalid values for `content` [{0}], must be a subset of [{1}]'
.format(', '.join(map(str, set(content) - set(allowed_values))),
', '.join(map(str, allowed_values))))
self._content = content
| content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content):\n allowed_values = ['UNRELEASED', 'EARLYACCESS', 'SUPPORTED',\n 'EXTENDED_SUPPORT', 'EOL']\n if not set(content).issubset(set(allowed_values)):\n raise ValueError(\n 'Invalid values for `content` [{0}], must be a subset of [{1}]'\n .format(', '.join(map(str, set(content) - set(allowed_values))),\n ', '.join(map(str, allowed_values))))\n self._content = content\n",
"role": "user"
},
{
"content": "content",
"role": "assistant"
}
] |
def x(self, task_id, **kwargs):
kwargs['_return_http_data_only'] = True
if kwargs.get('callback'):
return self.get_bpm_task_by_id_with_http_info(task_id, **kwargs)
else:
data = self.get_bpm_task_by_id_with_http_info(task_id, **kwargs)
return data
| get_bpm_task_by_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, task_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_bpm_task_by_id_with_http_info(task_id, **kwargs)\n else:\n data = self.get_bpm_task_by_id_with_http_info(task_id, **kwargs)\n return data\n",
"role": "user"
},
{
"content": "get_bpm_task_by_id",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.