source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, filterFunc):
ret = TagCollection()
if len(self) == 0:
return ret
for tag in self:
if filterFunc(tag) is True:
ret.append(tag)
return ret
|
filterCollection
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filterFunc):\n ret = TagCollection()\n if len(self) == 0:\n return ret\n for tag in self:\n if filterFunc(tag) is True:\n ret.append(tag)\n return ret\n",
"role": "user"
},
{
"content": "filterCollection",
"role": "assistant"
}
] |
def x(self, tagName):
ret = TagCollection()
if len(self) == 0:
return ret
tagName = tagName.lower()
_cmpFunc = lambda tag: bool(tag.tagName == tagName)
for tag in self:
TagCollection._subset(ret, _cmpFunc, tag)
return ret
|
getElementsByTagName
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tagName):\n ret = TagCollection()\n if len(self) == 0:\n return ret\n tagName = tagName.lower()\n _cmpFunc = lambda tag: bool(tag.tagName == tagName)\n for tag in self:\n TagCollection._subset(ret, _cmpFunc, tag)\n return ret\n",
"role": "user"
},
{
"content": "getElementsByTagName",
"role": "assistant"
}
] |
def x(self, name):
ret = TagCollection()
if len(self) == 0:
return ret
_cmpFunc = lambda tag: bool(tag.name == name)
for tag in self:
TagCollection._subset(ret, _cmpFunc, tag)
return ret
|
getElementsByName
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n ret = TagCollection()\n if len(self) == 0:\n return ret\n _cmpFunc = lambda tag: bool(tag.name == name)\n for tag in self:\n TagCollection._subset(ret, _cmpFunc, tag)\n return ret\n",
"role": "user"
},
{
"content": "getElementsByName",
"role": "assistant"
}
] |
def x(self, className):
ret = TagCollection()
if len(self) == 0:
return ret
_cmpFunc = lambda tag: tag.hasClass(className)
for tag in self:
TagCollection._subset(ret, _cmpFunc, tag)
return ret
|
getElementsByClassName
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, className):\n ret = TagCollection()\n if len(self) == 0:\n return ret\n _cmpFunc = lambda tag: tag.hasClass(className)\n for tag in self:\n TagCollection._subset(ret, _cmpFunc, tag)\n return ret\n",
"role": "user"
},
{
"content": "getElementsByClassName",
"role": "assistant"
}
] |
def x(self, _id):
for tag in self:
if tag.id == _id:
return tag
for subtag in tag.children:
tmp = subtag.getElementById(_id)
if tmp is not None:
return tmp
return None
|
getElementById
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, _id):\n for tag in self:\n if tag.id == _id:\n return tag\n for subtag in tag.children:\n tmp = subtag.getElementById(_id)\n if tmp is not None:\n return tmp\n return None\n",
"role": "user"
},
{
"content": "getElementById",
"role": "assistant"
}
] |
def x(self, attr, value):
ret = TagCollection()
if len(self) == 0:
return ret
attr = attr.lower()
_cmpFunc = lambda tag: tag.getAttribute(attr) == value
for tag in self:
TagCollection._subset(ret, _cmpFunc, tag)
return ret
|
getElementsByAttr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attr, value):\n ret = TagCollection()\n if len(self) == 0:\n return ret\n attr = attr.lower()\n _cmpFunc = lambda tag: tag.getAttribute(attr) == value\n for tag in self:\n TagCollection._subset(ret, _cmpFunc, tag)\n return ret\n",
"role": "user"
},
{
"content": "getElementsByAttr",
"role": "assistant"
}
] |
def x(self, attr, values):
ret = TagCollection()
if len(self) == 0:
return ret
if type(values) != set:
values = set(values)
attr = attr.lower()
_cmpFunc = lambda tag: tag.getAttribute(attr) in values
for tag in self:
TagCollection._subset(ret, _cmpFunc, tag)
return ret
|
getElementsWithAttrValues
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attr, values):\n ret = TagCollection()\n if len(self) == 0:\n return ret\n if type(values) != set:\n values = set(values)\n attr = attr.lower()\n _cmpFunc = lambda tag: tag.getAttribute(attr) in values\n for tag in self:\n TagCollection._subset(ret, _cmpFunc, tag)\n return ret\n",
"role": "user"
},
{
"content": "getElementsWithAttrValues",
"role": "assistant"
}
] |
def x(self, filterFunc):
ret = TagCollection()
if len(self) == 0:
return ret
_cmpFunc = lambda tag: filterFunc(tag) is True
for tag in self:
TagCollection._subset(ret, _cmpFunc, tag)
return ret
|
getElementsCustomFilter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filterFunc):\n ret = TagCollection()\n if len(self) == 0:\n return ret\n _cmpFunc = lambda tag: filterFunc(tag) is True\n for tag in self:\n TagCollection._subset(ret, _cmpFunc, tag)\n return ret\n",
"role": "user"
},
{
"content": "getElementsCustomFilter",
"role": "assistant"
}
] |
def x(self):
ret = TagCollection()
for tag in self:
ret.append(tag)
ret += tag.getAllChildNodes()
return ret
|
getAllNodes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ret = TagCollection()\n for tag in self:\n ret.append(tag)\n ret += tag.getAllChildNodes()\n return ret\n",
"role": "user"
},
{
"content": "getAllNodes",
"role": "assistant"
}
] |
def x(self):
ret = set()
for child in self:
ret.update(child.getAllNodeUids())
return ret
|
getAllNodeUids
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ret = set()\n for child in self:\n ret.update(child.getAllNodeUids())\n return ret\n",
"role": "user"
},
{
"content": "getAllNodeUids",
"role": "assistant"
}
] |
def x(self, em):
for node in self:
if node.contains(em):
return True
return False
|
contains
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, em):\n for node in self:\n if node.contains(em):\n return True\n return False\n",
"role": "user"
},
{
"content": "contains",
"role": "assistant"
}
] |
def x(self, uid):
for node in self:
if node.containsUid(uid):
return True
return False
|
containsUid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uid):\n for node in self:\n if node.containsUid(uid):\n return True\n return False\n",
"role": "user"
},
{
"content": "containsUid",
"role": "assistant"
}
] |
def x(self, **kwargs):
if canFilterTags is False:
raise NotImplementedError(
'filter methods requires QueryableList installed, it is not. Either install QueryableList, or try the less-robust "find" method, or the getElement* methods.'
)
allNodes = self.getAllNodes()
filterableNodes = FilterableTagCollection(allNodes)
return filterableNodes.filterAnd(**kwargs)
|
filterAll
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n if canFilterTags is False:\n raise NotImplementedError(\n 'filter methods requires QueryableList installed, it is not. Either install QueryableList, or try the less-robust \"find\" method, or the getElement* methods.'\n )\n allNodes = self.getAllNodes()\n filterableNodes = FilterableTagCollection(allNodes)\n return filterableNodes.filterAnd(**kwargs)\n",
"role": "user"
},
{
"content": "filterAll",
"role": "assistant"
}
] |
def x(self, **kwargs):
if canFilterTags is False:
raise NotImplementedError(
'filter methods requires QueryableList installed, it is not. Either install QueryableList, or try the less-robust "find" method, or the getElement* methods.'
)
allNodes = self.getAllNodes()
filterableNodes = FilterableTagCollection(allNodes)
return filterableNodes.filterOr(**kwargs)
|
filterAllOr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n if canFilterTags is False:\n raise NotImplementedError(\n 'filter methods requires QueryableList installed, it is not. Either install QueryableList, or try the less-robust \"find\" method, or the getElement* methods.'\n )\n allNodes = self.getAllNodes()\n filterableNodes = FilterableTagCollection(allNodes)\n return filterableNodes.filterOr(**kwargs)\n",
"role": "user"
},
{
"content": "filterAllOr",
"role": "assistant"
}
] |
def x(self, tagName, attributeList, isSelfClosing=False):
tagName = tagName.lower()
inTag = self._inTag
if isSelfClosing is False and tagName in IMPLICIT_SELF_CLOSING_TAGS:
isSelfClosing = True
newTag = AdvancedTag(tagName, attributeList, isSelfClosing)
if self.root is None:
self.root = newTag
elif len(inTag) > 0:
inTag[-1].appendChild(newTag)
else:
raise MultipleRootNodeException()
if self.inPreformatted is 0:
newTag._indent = self._getIndent()
if tagName in PREFORMATTED_TAGS:
self.inPreformatted += 1
if isSelfClosing is False:
inTag.append(newTag)
if tagName != INVISIBLE_ROOT_TAG:
self.currentIndentLevel += 1
|
handle_starttag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tagName, attributeList, isSelfClosing=False):\n tagName = tagName.lower()\n inTag = self._inTag\n if isSelfClosing is False and tagName in IMPLICIT_SELF_CLOSING_TAGS:\n isSelfClosing = True\n newTag = AdvancedTag(tagName, attributeList, isSelfClosing)\n if self.root is None:\n self.root = newTag\n elif len(inTag) > 0:\n inTag[-1].appendChild(newTag)\n else:\n raise MultipleRootNodeException()\n if self.inPreformatted is 0:\n newTag._indent = self._getIndent()\n if tagName in PREFORMATTED_TAGS:\n self.inPreformatted += 1\n if isSelfClosing is False:\n inTag.append(newTag)\n if tagName != INVISIBLE_ROOT_TAG:\n self.currentIndentLevel += 1\n",
"role": "user"
},
{
"content": "handle_starttag",
"role": "assistant"
}
] |
def x(self, tagName):
inTag = self._inTag
try:
foundIt = False
for i in range(len(inTag)):
if inTag[i].tagName == tagName:
foundIt = True
break
if not foundIt:
sys.stderr.write(
'WARNING: found close tag with no matching start.\n')
return
while inTag[-1].tagName != tagName:
oldTag = inTag.pop()
if oldTag.tagName in PREFORMATTED_TAGS:
self.inPreformatted -= 1
self.currentIndentLevel -= 1
inTag.pop()
if tagName != INVISIBLE_ROOT_TAG:
self.currentIndentLevel -= 1
if tagName in PREFORMATTED_TAGS:
self.inPreformatted -= 1
except:
pass
|
handle_endtag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tagName):\n inTag = self._inTag\n try:\n foundIt = False\n for i in range(len(inTag)):\n if inTag[i].tagName == tagName:\n foundIt = True\n break\n if not foundIt:\n sys.stderr.write(\n 'WARNING: found close tag with no matching start.\\n')\n return\n while inTag[-1].tagName != tagName:\n oldTag = inTag.pop()\n if oldTag.tagName in PREFORMATTED_TAGS:\n self.inPreformatted -= 1\n self.currentIndentLevel -= 1\n inTag.pop()\n if tagName != INVISIBLE_ROOT_TAG:\n self.currentIndentLevel -= 1\n if tagName in PREFORMATTED_TAGS:\n self.inPreformatted -= 1\n except:\n pass\n",
"role": "user"
},
{
"content": "handle_endtag",
"role": "assistant"
}
] |
def x(self, data):
if data:
inTag = self._inTag
if len(inTag) > 0:
if inTag[-1].tagName not in PRESERVE_CONTENTS_TAGS:
data = data.replace('\t', ' ').strip('\r\n')
if data.startswith(' '):
data = ' ' + data.lstrip()
if data.endswith(' '):
data = data.rstrip() + ' '
inTag[-1].appendText(data)
elif data.strip():
raise MultipleRootNodeException()
|
handle_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if data:\n inTag = self._inTag\n if len(inTag) > 0:\n if inTag[-1].tagName not in PRESERVE_CONTENTS_TAGS:\n data = data.replace('\\t', ' ').strip('\\r\\n')\n if data.startswith(' '):\n data = ' ' + data.lstrip()\n if data.endswith(' '):\n data = data.rstrip() + ' '\n inTag[-1].appendText(data)\n elif data.strip():\n raise MultipleRootNodeException()\n",
"role": "user"
},
{
"content": "handle_data",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
ret = AdvancedTag.getStartTag(self, *args, **kwargs)
if ret.endswith(' >'):
ret = ret[:-2] + '>'
elif object.__getattribute__(self, 'slimSelfClosing') and ret.endswith(
' />'):
ret = ret[:-3] + '/>'
return ret
|
getStartTag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n ret = AdvancedTag.getStartTag(self, *args, **kwargs)\n if ret.endswith(' >'):\n ret = ret[:-2] + '>'\n elif object.__getattribute__(self, 'slimSelfClosing') and ret.endswith(\n ' />'):\n ret = ret[:-3] + '/>'\n return ret\n",
"role": "user"
},
{
"content": "getStartTag",
"role": "assistant"
}
] |
def x(contents, addHtmlIfMissing=True):
allMatches = IE_CONDITIONAL_PATTERN.findall(contents)
if not allMatches:
return contents
for match in allMatches:
contents = contents.replace(match, '')
if END_HTML.match(contents) and not START_HTML.match(contents):
contents = addStartTag(contents, '<html>')
return contents
|
stripIEConditionals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contents, addHtmlIfMissing=True):\n allMatches = IE_CONDITIONAL_PATTERN.findall(contents)\n if not allMatches:\n return contents\n for match in allMatches:\n contents = contents.replace(match, '')\n if END_HTML.match(contents) and not START_HTML.match(contents):\n contents = addStartTag(contents, '<html>')\n return contents\n",
"role": "user"
},
{
"content": "stripIEConditionals",
"role": "assistant"
}
] |
def x(contents, startTag):
matchObj = DOCTYPE_MATCH.match(contents)
if matchObj:
idx = matchObj.end()
else:
idx = 0
return '%s\n%s\n%s' % (contents[:idx], startTag, contents[idx:])
|
addStartTag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contents, startTag):\n matchObj = DOCTYPE_MATCH.match(contents)\n if matchObj:\n idx = matchObj.end()\n else:\n idx = 0\n return '%s\\n%s\\n%s' % (contents[:idx], startTag, contents[idx:])\n",
"role": "user"
},
{
"content": "addStartTag",
"role": "assistant"
}
] |
def x(self, tagName):
inTag = self._inTag
if len(inTag) == 0:
raise InvalidCloseException(tagName, [])
foundIt = False
i = len(inTag) - 1
while i >= 0:
if inTag[i].tagName == tagName:
foundIt = True
break
i -= 1
if not foundIt:
raise InvalidCloseException(tagName, inTag)
if inTag[-1].tagName != tagName:
raise MissedCloseException(tagName, [x for x in inTag[-1 * (i + 1):]])
inTag.pop()
|
handle_endtag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tagName):\n inTag = self._inTag\n if len(inTag) == 0:\n raise InvalidCloseException(tagName, [])\n foundIt = False\n i = len(inTag) - 1\n while i >= 0:\n if inTag[i].tagName == tagName:\n foundIt = True\n break\n i -= 1\n if not foundIt:\n raise InvalidCloseException(tagName, inTag)\n if inTag[-1].tagName != tagName:\n raise MissedCloseException(tagName, [x for x in inTag[-1 * (i + 1):]])\n inTag.pop()\n",
"role": "user"
},
{
"content": "handle_endtag",
"role": "assistant"
}
] |
def x(val=None):
if hasattr(val, 'lower'):
val = val.lower()
if val in ('false', '0'):
return 'false'
else:
return 'true'
try:
if bool(val):
return 'true'
except:
pass
return 'false'
|
convertToBooleanString
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val=None):\n if hasattr(val, 'lower'):\n val = val.lower()\n if val in ('false', '0'):\n return 'false'\n else:\n return 'true'\n try:\n if bool(val):\n return 'true'\n except:\n pass\n return 'false'\n",
"role": "user"
},
{
"content": "convertToBooleanString",
"role": "assistant"
}
] |
def x(val=None):
if not val:
return False
if hasattr(val, 'lower'):
val = val.lower()
if val == 'false':
return False
return True
|
convertBooleanStringToBoolean
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val=None):\n if not val:\n return False\n if hasattr(val, 'lower'):\n val = val.lower()\n if val == 'false':\n return False\n return True\n",
"role": "user"
},
{
"content": "convertBooleanStringToBoolean",
"role": "assistant"
}
] |
def x(val=None, invalidDefault=0):
if val is None:
return invalidDefault
try:
val = int(val)
except:
return invalidDefault
if val < 0:
return invalidDefault
return val
|
convertToPositiveInt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val=None, invalidDefault=0):\n if val is None:\n return invalidDefault\n try:\n val = int(val)\n except:\n return invalidDefault\n if val < 0:\n return invalidDefault\n return val\n",
"role": "user"
},
{
"content": "convertToPositiveInt",
"role": "assistant"
}
] |
def x(invalidDefault):
try:
isInstantiatedException = bool(issubclass(invalidDefault.__class__,
Exception))
except:
isInstantiatedException = False
if isInstantiatedException:
raise invalidDefault
else:
try:
isExceptionType = bool(issubclass(invalidDefault, Exception))
except TypeError:
isExceptionType = False
if isExceptionType:
raise invalidDefault()
else:
return invalidDefault
|
handleInvalid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(invalidDefault):\n try:\n isInstantiatedException = bool(issubclass(invalidDefault.__class__,\n Exception))\n except:\n isInstantiatedException = False\n if isInstantiatedException:\n raise invalidDefault\n else:\n try:\n isExceptionType = bool(issubclass(invalidDefault, Exception))\n except TypeError:\n isExceptionType = False\n if isExceptionType:\n raise invalidDefault()\n else:\n return invalidDefault\n",
"role": "user"
},
{
"content": "handleInvalid",
"role": "assistant"
}
] |
def x(val, possibleValues, invalidDefault, emptyValue=''):
from .utils import tostr
if val is None:
if emptyValue is EMPTY_IS_INVALID:
return _handleInvalid(invalidDefault)
return emptyValue
val = tostr(val).lower()
if val == '':
if emptyValue is EMPTY_IS_INVALID:
return _handleInvalid(invalidDefault)
return emptyValue
if val not in possibleValues:
return _handleInvalid(invalidDefault)
return val
|
convertPossibleValues
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val, possibleValues, invalidDefault, emptyValue=''):\n from .utils import tostr\n if val is None:\n if emptyValue is EMPTY_IS_INVALID:\n return _handleInvalid(invalidDefault)\n return emptyValue\n val = tostr(val).lower()\n if val == '':\n if emptyValue is EMPTY_IS_INVALID:\n return _handleInvalid(invalidDefault)\n return emptyValue\n if val not in possibleValues:\n return _handleInvalid(invalidDefault)\n return val\n",
"role": "user"
},
{
"content": "convertPossibleValues",
"role": "assistant"
}
] |
def x(val, minValue, maxValue, invalidDefault, emptyValue=''):
from .utils import tostr
if val is None or val == '':
if emptyValue is EMPTY_IS_INVALID:
return _handleInvalid(invalidDefault)
return emptyValue
try:
val = int(val)
except ValueError:
return _handleInvalid(invalidDefault)
if minValue is not None and val < minValue:
return _handleInvalid(invalidDefault)
if maxValue is not None and val > maxValue:
return _handleInvalid(invalidDefault)
return val
|
convertToIntRange
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val, minValue, maxValue, invalidDefault, emptyValue=''):\n from .utils import tostr\n if val is None or val == '':\n if emptyValue is EMPTY_IS_INVALID:\n return _handleInvalid(invalidDefault)\n return emptyValue\n try:\n val = int(val)\n except ValueError:\n return _handleInvalid(invalidDefault)\n if minValue is not None and val < minValue:\n return _handleInvalid(invalidDefault)\n if maxValue is not None and val > maxValue:\n return _handleInvalid(invalidDefault)\n return val\n",
"role": "user"
},
{
"content": "convertToIntRange",
"role": "assistant"
}
] |
def x(self):
if len(self.tag._classNames) > 0:
dict.__setitem__(self, 'class', self.tag.className)
else:
try:
dict.__delitem__(self, 'class')
except:
pass
styleAttr = self.tag.style
if styleAttr.isEmpty() is False:
dict.__setitem__(self, 'style', styleAttr)
else:
try:
dict.__delitem__(self, 'style')
except:
pass
|
handleClassAttr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if len(self.tag._classNames) > 0:\n dict.__setitem__(self, 'class', self.tag.className)\n else:\n try:\n dict.__delitem__(self, 'class')\n except:\n pass\n styleAttr = self.tag.style\n if styleAttr.isEmpty() is False:\n dict.__setitem__(self, 'style', styleAttr)\n else:\n try:\n dict.__delitem__(self, 'style')\n except:\n pass\n",
"role": "user"
},
{
"content": "handleClassAttr",
"role": "assistant"
}
] |
def x(self, key, default=None):
key = key.lower()
if key == 'class':
return self.tag.className
if key in ('style', 'class') or key in self.keys():
return self[key]
return default
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, default=None):\n key = key.lower()\n if key == 'class':\n return self.tag.className\n if key in ('style', 'class') or key in self.keys():\n return self[key]\n return default\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, key, value):
dict.__setitem__(self, key, value)
return value
|
direct_set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value):\n dict.__setitem__(self, key, value)\n return value\n",
"role": "user"
},
{
"content": "direct_set",
"role": "assistant"
}
] |
def x(self, tag):
if tag:
self._tagRef = weakref.ref(tag)
else:
self._tagRef = None
|
setTag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag):\n if tag:\n self._tagRef = weakref.ref(tag)\n else:\n self._tagRef = None\n",
"role": "user"
},
{
"content": "setTag",
"role": "assistant"
}
] |
def x(self):
tag = self.tag
if tag:
styleDict = self._styleDict
tagAttributes = tag._attributes
if not issubclass(tagAttributes.__class__, SpecialAttributesDict):
return
if not styleDict:
tagAttributes._direct_del('style')
else:
tagAttributes._direct_set('style', self)
|
ensureHtmlAttribute
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n tag = self.tag\n if tag:\n styleDict = self._styleDict\n tagAttributes = tag._attributes\n if not issubclass(tagAttributes.__class__, SpecialAttributesDict):\n return\n if not styleDict:\n tagAttributes._direct_del('style')\n else:\n tagAttributes._direct_set('style', self)\n",
"role": "user"
},
{
"content": "ensureHtmlAttribute",
"role": "assistant"
}
] |
def x(self, name, value):
styleDict = self._styleDict
if value in ('', None):
try:
del styleDict[name]
except KeyError:
pass
else:
styleDict[name] = str(value)
|
setProperty
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value):\n styleDict = self._styleDict\n if value in ('', None):\n try:\n del styleDict[name]\n except KeyError:\n pass\n else:\n styleDict[name] = str(value)\n",
"role": "user"
},
{
"content": "setProperty",
"role": "assistant"
}
] |
def x(dashName):
nameParts = dashName.split('-')
for i in range(1, len(nameParts), 1):
nameParts[i][0] = nameParts[i][0].upper()
return ''.join(nameParts)
|
dashNameToCamelCase
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dashName):\n nameParts = dashName.split('-')\n for i in range(1, len(nameParts), 1):\n nameParts[i][0] = nameParts[i][0].upper()\n return ''.join(nameParts)\n",
"role": "user"
},
{
"content": "dashNameToCamelCase",
"role": "assistant"
}
] |
def x(camelCase):
camelCaseList = list(camelCase)
ret = []
for ch in camelCaseList:
if ch.isupper():
ret.append('-')
ret.append(ch.lower())
else:
ret.append(ch)
return ''.join(ret)
|
camelCaseToDashName
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(camelCase):\n camelCaseList = list(camelCase)\n ret = []\n for ch in camelCaseList:\n if ch.isupper():\n ret.append('-')\n ret.append(ch.lower())\n else:\n ret.append(ch)\n return ''.join(ret)\n",
"role": "user"
},
{
"content": "camelCaseToDashName",
"role": "assistant"
}
] |
def x(styleStr):
styleStr = styleStr.strip()
styles = styleStr.split(';')
styleDict = OrderedDict()
for item in styles:
try:
splitIdx = item.index(':')
name = item[:splitIdx].strip().lower()
value = item[splitIdx + 1:].strip()
styleDict[name] = value
except:
continue
return styleDict
|
styleToDict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(styleStr):\n styleStr = styleStr.strip()\n styles = styleStr.split(';')\n styleDict = OrderedDict()\n for item in styles:\n try:\n splitIdx = item.index(':')\n name = item[:splitIdx].strip().lower()\n value = item[splitIdx + 1:].strip()\n styleDict[name] = value\n except:\n continue\n return styleDict\n",
"role": "user"
},
{
"content": "styleToDict",
"role": "assistant"
}
] |
def x(self):
styleDict = self._styleDict
if styleDict:
return '; '.join([(name + ': ' + value) for name, value in
styleDict.items()])
return ''
|
asStr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n styleDict = self._styleDict\n if styleDict:\n return '; '.join([(name + ': ' + value) for name, value in\n styleDict.items()])\n return ''\n",
"role": "user"
},
{
"content": "asStr",
"role": "assistant"
}
] |
def x(em):
if em.tagName == 'textarea':
return convertToIntRange(em.getAttribute('rows', 2), minValue=1,
maxValue=None, invalidDefault=2)
else:
return em.getAttribute('rows', '')
|
special_value_rows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(em):\n if em.tagName == 'textarea':\n return convertToIntRange(em.getAttribute('rows', 2), minValue=1,\n maxValue=None, invalidDefault=2)\n else:\n return em.getAttribute('rows', '')\n",
"role": "user"
},
{
"content": "special_value_rows",
"role": "assistant"
}
] |
def x(em):
if em.tagName == 'textarea':
return convertToIntRange(em.getAttribute('cols', 20), minValue=1,
maxValue=None, invalidDefault=20)
else:
return em.getAttribute('cols', '')
|
special_value_cols
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(em):\n if em.tagName == 'textarea':\n return convertToIntRange(em.getAttribute('cols', 20), minValue=1,\n maxValue=None, invalidDefault=20)\n else:\n return em.getAttribute('cols', '')\n",
"role": "user"
},
{
"content": "special_value_cols",
"role": "assistant"
}
] |
def x(em):
if em.tagName == 'form':
return convertPossibleValues(em.getAttribute('autocomplete', 'on'),
POSSIBLE_VALUES_ON_OFF, invalidDefault='on', emptyValue=
EMPTY_IS_INVALID)
return convertPossibleValues(em.getAttribute('autocomplete', ''),
POSSIBLE_VALUES_ON_OFF, invalidDefault='', emptyValue='')
|
special_value_autocomplete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(em):\n if em.tagName == 'form':\n return convertPossibleValues(em.getAttribute('autocomplete', 'on'),\n POSSIBLE_VALUES_ON_OFF, invalidDefault='on', emptyValue=\n EMPTY_IS_INVALID)\n return convertPossibleValues(em.getAttribute('autocomplete', ''),\n POSSIBLE_VALUES_ON_OFF, invalidDefault='', emptyValue='')\n",
"role": "user"
},
{
"content": "special_value_autocomplete",
"role": "assistant"
}
] |
def x(em):
if em.tagName == 'input':
return convertToPositiveInt(em.getAttribute('size', 20),
invalidDefault=20)
return em.getAttribute('size', '')
|
special_value_size
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(em):\n if em.tagName == 'input':\n return convertToPositiveInt(em.getAttribute('size', 20),\n invalidDefault=20)\n return em.getAttribute('size', '')\n",
"role": "user"
},
{
"content": "special_value_size",
"role": "assistant"
}
] |
def x(em, newValue=NOT_PROVIDED):
if newValue is NOT_PROVIDED:
if not em.hasAttribute('maxlength'):
return -1
curValue = em.getAttribute('maxlength', '-1')
invalidDefault = -1
else:
curValue = newValue
invalidDefault = IndexSizeErrorException
return convertToIntRange(curValue, minValue=0, maxValue=None,
emptyValue='0', invalidDefault=invalidDefault)
|
special_value_maxLength
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(em, newValue=NOT_PROVIDED):\n if newValue is NOT_PROVIDED:\n if not em.hasAttribute('maxlength'):\n return -1\n curValue = em.getAttribute('maxlength', '-1')\n invalidDefault = -1\n else:\n curValue = newValue\n invalidDefault = IndexSizeErrorException\n return convertToIntRange(curValue, minValue=0, maxValue=None,\n emptyValue='0', invalidDefault=invalidDefault)\n",
"role": "user"
},
{
"content": "special_value_maxLength",
"role": "assistant"
}
] |
def x(cls, value, type):
if type == 'file':
return cls._get_file_by_value(value)
else:
data_object = DataObject(data={'value': cls._type_cast(value, type)
}, type=type)
data_object.full_clean()
data_object.save()
return data_object
|
get_by_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, value, type):\n if type == 'file':\n return cls._get_file_by_value(value)\n else:\n data_object = DataObject(data={'value': cls._type_cast(value, type)\n }, type=type)\n data_object.full_clean()\n data_object.save()\n return data_object\n",
"role": "user"
},
{
"content": "get_by_value",
"role": "assistant"
}
] |
def x(cls, value):
queryset = FileResource.objects.exclude(data_object__isnull=True)
matches = FileResource.filter_by_name_or_id_or_tag_or_hash(value,
queryset=queryset)
if matches.count() == 0:
raise ValidationError('No file found that matches value "%s"' % value)
elif matches.count() > 1:
match_id_list = [('%s@%s' % (match.filename, match.get_uuid())) for
match in matches]
match_id_string = '", "'.join(match_id_list)
raise ValidationError(
'Multiple files were found matching value "%s": "%s". Use a more precise identifier to select just one file.'
% (value, match_id_string))
return matches.first().data_object
|
get_file_by_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, value):\n queryset = FileResource.objects.exclude(data_object__isnull=True)\n matches = FileResource.filter_by_name_or_id_or_tag_or_hash(value,\n queryset=queryset)\n if matches.count() == 0:\n raise ValidationError('No file found that matches value \"%s\"' % value)\n elif matches.count() > 1:\n match_id_list = [('%s@%s' % (match.filename, match.get_uuid())) for\n match in matches]\n match_id_string = '\", \"'.join(match_id_list)\n raise ValidationError(\n 'Multiple files were found matching value \"%s\": \"%s\". Use a more precise identifier to select just one file.'\n % (value, match_id_string))\n return matches.first().data_object\n",
"role": "user"
},
{
"content": "get_file_by_value",
"role": "assistant"
}
] |
def x(cls, source_type, data_object, task_attempt):
if not task_attempt:
return []
task = task_attempt.tasks.earliest('datetime_created')
if task is None:
return []
run = task.run
if run is None:
return []
breadcrumbs = [run.name, 'task-%s' % str(task.uuid)[0:8], 'attempt-%s' %
str(task_attempt.uuid)[0:8]]
while run.parent is not None:
run = run.parent
breadcrumbs = [run.name] + breadcrumbs
breadcrumbs[0] = '%s-%s-%s' % (run.datetime_created.strftime(
'%Y-%m-%dT%H.%M.%SZ'), str(run.uuid)[0:8], breadcrumbs[0])
breadcrumbs = ['runs'] + breadcrumbs
return breadcrumbs
|
get_run_breadcrumbs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, source_type, data_object, task_attempt):\n if not task_attempt:\n return []\n task = task_attempt.tasks.earliest('datetime_created')\n if task is None:\n return []\n run = task.run\n if run is None:\n return []\n breadcrumbs = [run.name, 'task-%s' % str(task.uuid)[0:8], 'attempt-%s' %\n str(task_attempt.uuid)[0:8]]\n while run.parent is not None:\n run = run.parent\n breadcrumbs = [run.name] + breadcrumbs\n breadcrumbs[0] = '%s-%s-%s' % (run.datetime_created.strftime(\n '%Y-%m-%dT%H.%M.%SZ'), str(run.uuid)[0:8], breadcrumbs[0])\n breadcrumbs = ['runs'] + breadcrumbs\n return breadcrumbs\n",
"role": "user"
},
{
"content": "get_run_breadcrumbs",
"role": "assistant"
}
] |
def x(self, query_string, queryset=None):
assert self.Model.NAME_FIELD, 'NAME_FIELD is missing on model %s' % self.Model.__name__
assert self.Model.ID_FIELD, 'ID_FIELD is missing on model %s' % self.Model.__name__
assert self.Model.TAG_FIELD, 'TAG_FIELD is missing on model %s' % self.Model.__name__
filter_args = {}
name, uuid, tag = self._parse_as_name_or_id_or_tag(query_string)
if name is not None:
filter_args[self.Model.NAME_FIELD] = name
if uuid is not None:
filter_args[self.Model.ID_FIELD + '__startswith'] = uuid
if tag is not None:
filter_args[self.Model.TAG_FIELD] = tag
if queryset is None:
queryset = self.Model.objects.all()
return queryset.filter(**filter_args)
|
filter_by_name_or_id_or_tag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query_string, queryset=None):\n assert self.Model.NAME_FIELD, 'NAME_FIELD is missing on model %s' % self.Model.__name__\n assert self.Model.ID_FIELD, 'ID_FIELD is missing on model %s' % self.Model.__name__\n assert self.Model.TAG_FIELD, 'TAG_FIELD is missing on model %s' % self.Model.__name__\n filter_args = {}\n name, uuid, tag = self._parse_as_name_or_id_or_tag(query_string)\n if name is not None:\n filter_args[self.Model.NAME_FIELD] = name\n if uuid is not None:\n filter_args[self.Model.ID_FIELD + '__startswith'] = uuid\n if tag is not None:\n filter_args[self.Model.TAG_FIELD] = tag\n if queryset is None:\n queryset = self.Model.objects.all()\n return queryset.filter(**filter_args)\n",
"role": "user"
},
{
"content": "filter_by_name_or_id_or_tag",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
cls = self.__class__
if self.pk:
rows = cls.objects.filter(pk=self.pk, _change=self._change).update(
_change=self._change + 1)
if not rows:
raise ConcurrentModificationError(cls.__name__, self.pk)
self._change += 1
count = 0
max_retries = 3
while True:
try:
return super(BaseModel, self).save(*args, **kwargs)
except django.db.utils.OperationalError:
if count >= max_retries:
raise
count += 1
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n cls = self.__class__\n if self.pk:\n rows = cls.objects.filter(pk=self.pk, _change=self._change).update(\n _change=self._change + 1)\n if not rows:\n raise ConcurrentModificationError(cls.__name__, self.pk)\n self._change += 1\n count = 0\n max_retries = 3\n while True:\n try:\n return super(BaseModel, self).save(*args, **kwargs)\n except django.db.utils.OperationalError:\n if count >= max_retries:\n raise\n count += 1\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, assignments, max_retries=5):
count = 0
obj = self
while True:
for attribute, value in assignments.iteritems():
setattr(obj, attribute, value)
try:
obj.full_clean()
obj.save()
except ConcurrentModificationError:
if count >= max_retries:
raise SaveRetriesExceededError(
'Exceeded retries when saving "%s" of id "%s" with assigned values "%s"'
% (self.__class__, self.id, assignments))
count += 1
obj = self.__class__.objects.get(id=self.id)
continue
return obj
|
setattrs_and_save_with_retries
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, assignments, max_retries=5):\n count = 0\n obj = self\n while True:\n for attribute, value in assignments.iteritems():\n setattr(obj, attribute, value)\n try:\n obj.full_clean()\n obj.save()\n except ConcurrentModificationError:\n if count >= max_retries:\n raise SaveRetriesExceededError(\n 'Exceeded retries when saving \"%s\" of id \"%s\" with assigned values \"%s\"'\n % (self.__class__, self.id, assignments))\n count += 1\n obj = self.__class__.objects.get(id=self.id)\n continue\n return obj\n",
"role": "user"
},
{
"content": "setattrs_and_save_with_retries",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
count = 0
max_retries = 3
while True:
try:
return super(BaseModel, self).delete(*args, **kwargs)
except django.db.utils.OperationalError:
if count >= max_retries:
raise
count += 1
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n count = 0\n max_retries = 3\n while True:\n try:\n return super(BaseModel, self).delete(*args, **kwargs)\n except django.db.utils.OperationalError:\n if count >= max_retries:\n raise\n count += 1\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x():
server_location_file = os.path.expanduser(SERVER_LOCATION_FILE)
if not os.path.exists(server_location_file):
raise Exception(
"%s not found. Please run 'loom server set <servertype>' first." %
server_location_file)
config = ConfigParser.SafeConfigParser()
config.read(server_location_file)
server_type = config.get('server', 'type')
return server_type
|
get_server_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n server_location_file = os.path.expanduser(SERVER_LOCATION_FILE)\n if not os.path.exists(server_location_file):\n raise Exception(\n \"%s not found. Please run 'loom server set <servertype>' first.\" %\n server_location_file)\n config = ConfigParser.SafeConfigParser()\n config.read(server_location_file)\n server_type = config.get('server', 'type')\n return server_type\n",
"role": "user"
},
{
"content": "get_server_type",
"role": "assistant"
}
] |
def x(self, file_data_object, upload_status):
uuid = file_data_object['uuid']
return self.connection.update_data_object(uuid, {'uuid': uuid, 'value':
{'upload_status': upload_status}})
|
set_upload_status
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_data_object, upload_status):\n uuid = file_data_object['uuid']\n return self.connection.update_data_object(uuid, {'uuid': uuid, 'value':\n {'upload_status': upload_status}})\n",
"role": "user"
},
{
"content": "set_upload_status",
"role": "assistant"
}
] |
def x(self, template, file_dependencies):
if not isinstance(template, dict):
return
for input in template.get('inputs', []):
self._substitute_file_uuids_in_input(input, file_dependencies)
for step in template.get('steps', []):
self._substitute_file_uuids_throughout_template(step, file_dependencies
)
|
substitute_file_uuids_throughout_template
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, template, file_dependencies):\n if not isinstance(template, dict):\n return\n for input in template.get('inputs', []):\n self._substitute_file_uuids_in_input(input, file_dependencies)\n for step in template.get('steps', []):\n self._substitute_file_uuids_throughout_template(step, file_dependencies\n )\n",
"role": "user"
},
{
"content": "substitute_file_uuids_throughout_template",
"role": "assistant"
}
] |
def x(self):
file_inputs = self._get_file_inputs()
try:
jsonschema.validate(file_inputs, file_input_schema)
except jsonschema.ValidationError:
raise SystemExit('ERROR! Input file was invalid')
input_dict = {}
for channel, input_id in file_inputs.iteritems():
input_dict[channel] = input_id
if self.args.inputs:
for kv_pair in self.args.inputs:
channel, input_id = kv_pair.split('=')
input_dict[channel] = self._parse_string_to_nested_lists(input_id)
inputs = []
for channel, contents in input_dict.iteritems():
inputs.append({'channel': channel, 'data': {'contents': contents}})
return inputs
|
get_inputs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n file_inputs = self._get_file_inputs()\n try:\n jsonschema.validate(file_inputs, file_input_schema)\n except jsonschema.ValidationError:\n raise SystemExit('ERROR! Input file was invalid')\n input_dict = {}\n for channel, input_id in file_inputs.iteritems():\n input_dict[channel] = input_id\n if self.args.inputs:\n for kv_pair in self.args.inputs:\n channel, input_id = kv_pair.split('=')\n input_dict[channel] = self._parse_string_to_nested_lists(input_id)\n inputs = []\n for channel, contents in input_dict.iteritems():\n inputs.append({'channel': channel, 'data': {'contents': contents}})\n return inputs\n",
"role": "user"
},
{
"content": "get_inputs",
"role": "assistant"
}
] |
def x(self, value):
if not re.match('\\[.*\\]', value.strip()):
if '[' in value or ']' in value or ',' in value:
raise Exception('Missing outer brace')
elif len(value.strip()) == 0:
raise Exception('Missing value')
else:
terms = value.split(',')
terms = [term.strip() for term in terms]
if len(terms) == 1:
return terms[0]
else:
return terms
value = value[1:-1]
terms = []
depth = 0
leftmost = 0
first_open_brace = None
break_on_commas = False
for i in range(len(value)):
if value[i] == ',' and depth == 0:
terms.append(self._parse_string_to_nested_lists(value[leftmost:i]))
leftmost = i + 1
if value[i] == '[':
if first_open_brace is None:
first_open_brace = i
depth += 1
if value[i] == ']':
depth -= 1
if depth < 0:
raise Exception('Unbalanced close brace')
i += i
if depth > 0:
raise Exception('Expected "]"')
terms.append(self._parse_string_to_nested_lists(value[leftmost:len(value)])
)
return terms
|
parse_string_to_nested_lists
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if not re.match('\\\\[.*\\\\]', value.strip()):\n if '[' in value or ']' in value or ',' in value:\n raise Exception('Missing outer brace')\n elif len(value.strip()) == 0:\n raise Exception('Missing value')\n else:\n terms = value.split(',')\n terms = [term.strip() for term in terms]\n if len(terms) == 1:\n return terms[0]\n else:\n return terms\n value = value[1:-1]\n terms = []\n depth = 0\n leftmost = 0\n first_open_brace = None\n break_on_commas = False\n for i in range(len(value)):\n if value[i] == ',' and depth == 0:\n terms.append(self._parse_string_to_nested_lists(value[leftmost:i]))\n leftmost = i + 1\n if value[i] == '[':\n if first_open_brace is None:\n first_open_brace = i\n depth += 1\n if value[i] == ']':\n depth -= 1\n if depth < 0:\n raise Exception('Unbalanced close brace')\n i += i\n if depth > 0:\n raise Exception('Expected \"]\"')\n terms.append(self._parse_string_to_nested_lists(value[leftmost:len(value)])\n )\n return terms\n",
"role": "user"
},
{
"content": "parse_string_to_nested_lists",
"role": "assistant"
}
] |
def x(self, old_inputs):
input_dict = {}
for input in old_inputs:
input['data'] = {'contents': input['data']['contents']}
input_dict[input['channel']] = input
file_inputs = self._get_file_inputs()
try:
jsonschema.validate(file_inputs, file_input_schema)
except jsonschema.ValidationError:
raise SystemExit('ERROR! User inputs file is not valid')
for channel, input_id in file_inputs.iteritems():
input_dict[channel] = {'channel': channel, 'data': {'contents':
input_id}}
if self.args.inputs:
for kv_pair in self.args.inputs:
channel, input_id = kv_pair.split('=')
input_dict[channel] = {'channel': channel, 'data': {'contents':
self._parse_string_to_nested_lists(input_id)}}
return input_dict.values()
|
get_inputs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, old_inputs):\n input_dict = {}\n for input in old_inputs:\n input['data'] = {'contents': input['data']['contents']}\n input_dict[input['channel']] = input\n file_inputs = self._get_file_inputs()\n try:\n jsonschema.validate(file_inputs, file_input_schema)\n except jsonschema.ValidationError:\n raise SystemExit('ERROR! User inputs file is not valid')\n for channel, input_id in file_inputs.iteritems():\n input_dict[channel] = {'channel': channel, 'data': {'contents':\n input_id}}\n if self.args.inputs:\n for kv_pair in self.args.inputs:\n channel, input_id = kv_pair.split('=')\n input_dict[channel] = {'channel': channel, 'data': {'contents':\n self._parse_string_to_nested_lists(input_id)}}\n return input_dict.values()\n",
"role": "user"
},
{
"content": "get_inputs",
"role": "assistant"
}
] |
def x(self, validated_data):
if self.context.get('parent_field') and self.context.get('parent_instance'
):
validated_data.update({self.context.get('parent_field'): self.
context.get('parent_instance')})
instance = self.Meta.model(**validated_data)
instance.full_clean()
instance.save()
return instance
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, validated_data):\n if self.context.get('parent_field') and self.context.get('parent_instance'\n ):\n validated_data.update({self.context.get('parent_field'): self.\n context.get('parent_instance')})\n instance = self.Meta.model(**validated_data)\n instance.full_clean()\n instance.save()\n return instance\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x():
import requests
from requests.packages.urllib3.exceptions import InsecureRequestWarning
requests.packages.urllib3.disable_warnings(InsecureRequestWarning)
|
disable_insecure_request_warning
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import requests\n from requests.packages.urllib3.exceptions import InsecureRequestWarning\n requests.packages.urllib3.disable_warnings(InsecureRequestWarning)\n",
"role": "user"
},
{
"content": "disable_insecure_request_warning",
"role": "assistant"
}
] |
def x(self, query_function, raise_for_status=True, time_limit_seconds=2,
retry_delay_seconds=0.2):
start_time = datetime.datetime.now()
while datetime.datetime.now() - start_time < datetime.timedelta(0,
time_limit_seconds):
error = None
response = None
try:
response = query_function()
except requests.exceptions.ConnectionError as e:
error = ServerConnectionError('No response from server.\n%s' % e)
except:
if response:
logger.info(response.text)
raise
if response is not None and raise_for_status:
self._raise_for_status(response)
if error:
time.sleep(retry_delay_seconds)
continue
else:
return response
raise error
|
make_request_to_server
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query_function, raise_for_status=True, time_limit_seconds=2,\n retry_delay_seconds=0.2):\n start_time = datetime.datetime.now()\n while datetime.datetime.now() - start_time < datetime.timedelta(0,\n time_limit_seconds):\n error = None\n response = None\n try:\n response = query_function()\n except requests.exceptions.ConnectionError as e:\n error = ServerConnectionError('No response from server.\\n%s' % e)\n except:\n if response:\n logger.info(response.text)\n raise\n if response is not None and raise_for_status:\n self._raise_for_status(response)\n if error:\n time.sleep(retry_delay_seconds)\n continue\n else:\n return response\n raise error\n",
"role": "user"
},
{
"content": "make_request_to_server",
"role": "assistant"
}
] |
def x(self, relative_url, params=None):
response = self._get(relative_url, params=params, raise_for_status=False)
if response.status_code == 404:
return None
self._raise_for_status(response)
return response.json()
|
get_resource
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, relative_url, params=None):\n response = self._get(relative_url, params=params, raise_for_status=False)\n if response.status_code == 404:\n return None\n self._raise_for_status(response)\n return response.json()\n",
"role": "user"
},
{
"content": "get_resource",
"role": "assistant"
}
] |
def x(input, task_attempt):
data_type, mode = _get_input_info(input)
if data_type != 'file':
return NoOpInput(None, task_attempt)
if mode == 'no_gather':
return FileInput(input['data']['contents'], task_attempt)
else:
assert mode.startswith('gather')
return FileListInput(input['data']['contents'], task_attempt)
|
TaskAttemptInput
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input, task_attempt):\n data_type, mode = _get_input_info(input)\n if data_type != 'file':\n return NoOpInput(None, task_attempt)\n if mode == 'no_gather':\n return FileInput(input['data']['contents'], task_attempt)\n else:\n assert mode.startswith('gather')\n return FileListInput(input['data']['contents'], task_attempt)\n",
"role": "user"
},
{
"content": "TaskAttemptInput",
"role": "assistant"
}
] |
def x(task_function, *args, **kwargs):
if get_setting('TEST_DISABLE_ASYNC_DELAY'):
logger.debug(
'Running function "%s" synchronously because TEST_DISABLE_ASYNC_DELAY is True'
% task_function.__name__)
return task_function(*args, **kwargs)
db.connections.close_all()
task_function.delay(*args, **kwargs)
|
execute
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(task_function, *args, **kwargs):\n if get_setting('TEST_DISABLE_ASYNC_DELAY'):\n logger.debug(\n 'Running function \"%s\" synchronously because TEST_DISABLE_ASYNC_DELAY is True'\n % task_function.__name__)\n return task_function(*args, **kwargs)\n db.connections.close_all()\n task_function.delay(*args, **kwargs)\n",
"role": "user"
},
{
"content": "execute",
"role": "assistant"
}
] |
def x(task_function, *args, **kwargs):
delay = kwargs.pop('delay', 0)
if get_setting('TEST_DISABLE_ASYNC_DELAY'):
logger.debug(
'Running function "%s" synchronously because TEST_DISABLE_ASYNC_DELAY is True'
% task_function.__name__)
return task_function(*args, **kwargs)
db.connections.close_all()
task_function.apply_async(args=args, kwargs=kwargs, countdown=delay)
|
execute_with_delay
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(task_function, *args, **kwargs):\n delay = kwargs.pop('delay', 0)\n if get_setting('TEST_DISABLE_ASYNC_DELAY'):\n logger.debug(\n 'Running function \"%s\" synchronously because TEST_DISABLE_ASYNC_DELAY is True'\n % task_function.__name__)\n return task_function(*args, **kwargs)\n db.connections.close_all()\n task_function.apply_async(args=args, kwargs=kwargs, countdown=delay)\n",
"role": "user"
},
{
"content": "execute_with_delay",
"role": "assistant"
}
] |
def x():
from api.models.tasks import Task
for task in Task.objects.filter(status_is_running=True):
if not task.is_responsive():
task.system_error()
if task.is_timed_out():
task.timeout_error()
|
check_for_stalled_tasks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from api.models.tasks import Task\n for task in Task.objects.filter(status_is_running=True):\n if not task.is_responsive():\n task.system_error()\n if task.is_timed_out():\n task.timeout_error()\n",
"role": "user"
},
{
"content": "check_for_stalled_tasks",
"role": "assistant"
}
] |
def x():
if get_setting('PRESERVE_ALL'):
return
from api.models.tasks import TaskAttempt
if get_setting('PRESERVE_ON_FAILURE'):
for task_attempt in TaskAttempt.objects.filter(status_is_running=False
).filter(status_is_cleaned_up=False).exclude(status_is_failed=True
):
task_attempt.cleanup()
else:
for task_attempt in TaskAttempt.objects.filter(status_is_running=False
).filter(status_is_cleaned_up=False):
task_attempt.cleanup()
|
check_for_missed_cleanup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if get_setting('PRESERVE_ALL'):\n return\n from api.models.tasks import TaskAttempt\n if get_setting('PRESERVE_ON_FAILURE'):\n for task_attempt in TaskAttempt.objects.filter(status_is_running=False\n ).filter(status_is_cleaned_up=False).exclude(status_is_failed=True\n ):\n task_attempt.cleanup()\n else:\n for task_attempt in TaskAttempt.objects.filter(status_is_running=False\n ).filter(status_is_cleaned_up=False):\n task_attempt.cleanup()\n",
"role": "user"
},
{
"content": "check_for_missed_cleanup",
"role": "assistant"
}
] |
def x(retryable_function, retryable_errors, logger,
human_readable_action_name='Action', nonretryable_errors=None):
max_retries = 10
attempt = 0
if not nonretryable_errors:
nonretryable_errors = ()
while True:
try:
return retryable_function()
except tuple(nonretryable_errors):
raise
except tuple(retryable_errors) as e:
attempt += 1
if attempt > max_retries:
raise
delay = 2 ** attempt + random.random()
logger.info(
'"%s" failed with error "%s". Retry number %s of %s in %s seconds'
% (human_readable_action_name, str(e), attempt,
max_retries, delay))
time.sleep(delay)
|
execute_with_retries
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(retryable_function, retryable_errors, logger,\n human_readable_action_name='Action', nonretryable_errors=None):\n max_retries = 10\n attempt = 0\n if not nonretryable_errors:\n nonretryable_errors = ()\n while True:\n try:\n return retryable_function()\n except tuple(nonretryable_errors):\n raise\n except tuple(retryable_errors) as e:\n attempt += 1\n if attempt > max_retries:\n raise\n delay = 2 ** attempt + random.random()\n logger.info(\n '\"%s\" failed with error \"%s\". Retry number %s of %s in %s seconds'\n % (human_readable_action_name, str(e), attempt,\n max_retries, delay))\n time.sleep(delay)\n",
"role": "user"
},
{
"content": "execute_with_retries",
"role": "assistant"
}
] |
def x(self, data_object, destination_directory=None, destination_filename=
None, retry=False, export_metadata=False, export_raw_file=True):
if not destination_directory:
destination_directory = os.getcwd()
if not destination_filename:
destination_filename = data_object['value']['filename']
destination_file_url = os.path.join(destination_directory,
destination_filename)
logger.info('Exporting file %s@%s ...' % (data_object['value'][
'filename'], data_object['uuid']))
if export_raw_file:
destination = File(destination_file_url, self.storage_settings,
retry=retry)
if destination.exists():
raise FileAlreadyExistsError('File already exists at %s' %
destination_file_url)
logger.info('...copying file to %s' % destination.get_url())
file_resource = data_object.get('value')
md5 = file_resource.get('md5')
source_url = data_object['value']['file_url']
File(source_url, self.storage_settings, retry=retry).copy_to(
destination, expected_md5=md5)
data_object['value'] = self._create_new_file_resource(data_object[
'value'], destination.get_url())
else:
logger.info('...skipping raw file')
if export_metadata:
data_object['value'].pop('link', None)
data_object['value'].pop('upload_status', None)
destination_metadata_url = os.path.join(destination_file_url +
'.metadata.yaml')
logger.info('...writing metadata to %s' % destination_metadata_url)
metadata = yaml.safe_dump(data_object, default_flow_style=False)
metadata_file = File(destination_metadata_url, self.
storage_settings, retry=retry)
metadata_file.write(metadata)
else:
logger.info('...skipping metadata')
logger.info('...finished file export')
|
export_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data_object, destination_directory=None, destination_filename=\n None, retry=False, export_metadata=False, export_raw_file=True):\n if not destination_directory:\n destination_directory = os.getcwd()\n if not destination_filename:\n destination_filename = data_object['value']['filename']\n destination_file_url = os.path.join(destination_directory,\n destination_filename)\n logger.info('Exporting file %s@%s ...' % (data_object['value'][\n 'filename'], data_object['uuid']))\n if export_raw_file:\n destination = File(destination_file_url, self.storage_settings,\n retry=retry)\n if destination.exists():\n raise FileAlreadyExistsError('File already exists at %s' %\n destination_file_url)\n logger.info('...copying file to %s' % destination.get_url())\n file_resource = data_object.get('value')\n md5 = file_resource.get('md5')\n source_url = data_object['value']['file_url']\n File(source_url, self.storage_settings, retry=retry).copy_to(\n destination, expected_md5=md5)\n data_object['value'] = self._create_new_file_resource(data_object[\n 'value'], destination.get_url())\n else:\n logger.info('...skipping raw file')\n if export_metadata:\n data_object['value'].pop('link', None)\n data_object['value'].pop('upload_status', None)\n destination_metadata_url = os.path.join(destination_file_url +\n '.metadata.yaml')\n logger.info('...writing metadata to %s' % destination_metadata_url)\n metadata = yaml.safe_dump(data_object, default_flow_style=False)\n metadata_file = File(destination_metadata_url, self.\n storage_settings, retry=retry)\n metadata_file.write(metadata)\n else:\n logger.info('...skipping metadata')\n logger.info('...finished file export')\n",
"role": "user"
},
{
"content": "export_file",
"role": "assistant"
}
] |
def x(path):
url = urlparse.urlparse(path)
_validate_url(url)
if not url.scheme or url.scheme == 'file://':
path = os.path.abspath(os.path.expanduser(path))
url = urlparse.urlparse('file://' + path)
return url
|
urlparse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n url = urlparse.urlparse(path)\n _validate_url(url)\n if not url.scheme or url.scheme == 'file://':\n path = os.path.abspath(os.path.expanduser(path))\n url = urlparse.urlparse('file://' + path)\n return url\n",
"role": "user"
},
{
"content": "urlparse",
"role": "assistant"
}
] |
def x(pattern, settings, **kwargs):
url = _urlparse(pattern)
if url.scheme == 'gs':
return GoogleStorageFilePattern(pattern, settings, **kwargs)
else:
assert url.scheme == 'file'
return LocalFilePattern(pattern, settings, **kwargs)
|
FilePattern
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, settings, **kwargs):\n url = _urlparse(pattern)\n if url.scheme == 'gs':\n return GoogleStorageFilePattern(pattern, settings, **kwargs)\n else:\n assert url.scheme == 'file'\n return LocalFilePattern(pattern, settings, **kwargs)\n",
"role": "user"
},
{
"content": "FilePattern",
"role": "assistant"
}
] |
def x(url, settings, retry=False):
parsed_url = _urlparse(url)
if parsed_url.scheme == 'gs':
return GoogleStorageFile(url, settings, retry=retry)
elif parsed_url.scheme == 'file':
if parsed_url.hostname == 'localhost' or parsed_url.hostname is None:
return LocalFile(url, settings, retry=retry)
else:
raise FileUtilsError(
'Cannot process file url %s. Remote file hosts not supported.'
% url)
else:
raise FileUtilsError('Unsupported scheme "%s" in file "%s"' % (
parsed_url.scheme, url))
|
File
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, settings, retry=False):\n parsed_url = _urlparse(url)\n if parsed_url.scheme == 'gs':\n return GoogleStorageFile(url, settings, retry=retry)\n elif parsed_url.scheme == 'file':\n if parsed_url.hostname == 'localhost' or parsed_url.hostname is None:\n return LocalFile(url, settings, retry=retry)\n else:\n raise FileUtilsError(\n 'Cannot process file url %s. Remote file hosts not supported.'\n % url)\n else:\n raise FileUtilsError('Unsupported scheme \"%s\" in file \"%s\"' % (\n parsed_url.scheme, url))\n",
"role": "user"
},
{
"content": "File",
"role": "assistant"
}
] |
def x(source, destination):
if source.type == 'local' and destination.type == 'local':
return LocalCopier(source, destination)
elif source.type == 'local' and destination.type == 'google_storage':
return Local2GoogleStorageCopier(source, destination)
elif source.type == 'google_storage' and destination.type == 'local':
return GoogleStorage2LocalCopier(source, destination)
elif source.type == 'google_storage' and destination.type == 'google_storage':
return GoogleStorageCopier(source, destination)
else:
raise FileUtilsError(
'Could not find method to copy from source "%s" to destination "%s".'
% (source, destination))
|
Copier
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, destination):\n if source.type == 'local' and destination.type == 'local':\n return LocalCopier(source, destination)\n elif source.type == 'local' and destination.type == 'google_storage':\n return Local2GoogleStorageCopier(source, destination)\n elif source.type == 'google_storage' and destination.type == 'local':\n return GoogleStorage2LocalCopier(source, destination)\n elif source.type == 'google_storage' and destination.type == 'google_storage':\n return GoogleStorageCopier(source, destination)\n else:\n raise FileUtilsError(\n 'Could not find method to copy from source \"%s\" to destination \"%s\".'\n % (source, destination))\n",
"role": "user"
},
{
"content": "Copier",
"role": "assistant"
}
] |
def x(cls, data_channel):
gather_depth = cls._get_gather_depth(data_channel)
generator = InputSetGeneratorNode()
for data_path, data_node in data_channel.get_ready_data_nodes([],
gather_depth):
flat_data_node = data_node.flattened_clone(save=False)
input_item = InputItem(flat_data_node, data_channel.channel,
data_channel.as_channel, mode=data_channel.mode)
generator._add_input_item(data_path, input_item)
return generator
|
create_from_data_channel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, data_channel):\n gather_depth = cls._get_gather_depth(data_channel)\n generator = InputSetGeneratorNode()\n for data_path, data_node in data_channel.get_ready_data_nodes([],\n gather_depth):\n flat_data_node = data_node.flattened_clone(save=False)\n input_item = InputItem(flat_data_node, data_channel.channel,\n data_channel.as_channel, mode=data_channel.mode)\n generator._add_input_item(data_path, input_item)\n return generator\n",
"role": "user"
},
{
"content": "create_from_data_channel",
"role": "assistant"
}
] |
def x(output, task_attempt):
data_type, mode, source_type = _get_output_info(output)
if data_type == 'file':
if mode == 'scatter':
assert source_type in ['filenames', 'glob'
], 'source type "%s" not allowed' % source_type
if source_type == 'filenames':
return FileListScatterOutput(output, task_attempt)
return GlobScatterOutput(output, task_attempt)
else:
assert mode == 'no_scatter'
assert source_type == 'filename', 'source type "%s" not allowed' % source_type
return FileOutput(output, task_attempt)
elif mode == 'scatter':
assert source_type in ['filename', 'filenames', 'glob', 'stream'
], 'source type "%s" not allowed' % source_type
if source_type == 'filename':
return FileContentsScatterOutput(output, task_attempt)
if source_type == 'filenames':
return FileListContentsScatterOutput(output, task_attempt)
if source_type == 'glob':
return GlobContentsScatterOutput(output, task_attempt)
assert source_type == 'stream'
return StreamScatterOutput(output, task_attempt)
else:
assert mode == 'no_scatter'
assert source_type in ['filename', 'stream'
], 'source type "%s" not allowed' % source_type
if source_type == 'filename':
return FileContentsOutput(output, task_attempt)
assert source_type == 'stream'
return StreamOutput(output, task_attempt)
|
TaskAttemptOutput
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output, task_attempt):\n data_type, mode, source_type = _get_output_info(output)\n if data_type == 'file':\n if mode == 'scatter':\n assert source_type in ['filenames', 'glob'\n ], 'source type \"%s\" not allowed' % source_type\n if source_type == 'filenames':\n return FileListScatterOutput(output, task_attempt)\n return GlobScatterOutput(output, task_attempt)\n else:\n assert mode == 'no_scatter'\n assert source_type == 'filename', 'source type \"%s\" not allowed' % source_type\n return FileOutput(output, task_attempt)\n elif mode == 'scatter':\n assert source_type in ['filename', 'filenames', 'glob', 'stream'\n ], 'source type \"%s\" not allowed' % source_type\n if source_type == 'filename':\n return FileContentsScatterOutput(output, task_attempt)\n if source_type == 'filenames':\n return FileListContentsScatterOutput(output, task_attempt)\n if source_type == 'glob':\n return GlobContentsScatterOutput(output, task_attempt)\n assert source_type == 'stream'\n return StreamScatterOutput(output, task_attempt)\n else:\n assert mode == 'no_scatter'\n assert source_type in ['filename', 'stream'\n ], 'source type \"%s\" not allowed' % source_type\n if source_type == 'filename':\n return FileContentsOutput(output, task_attempt)\n assert source_type == 'stream'\n return StreamOutput(output, task_attempt)\n",
"role": "user"
},
{
"content": "TaskAttemptOutput",
"role": "assistant"
}
] |
def x(self, index, data_object, save=False):
assert self.type == data_object.type, 'data type mismatch'
if self._get_child_by_index(index) is not None:
raise NodeAlreadyExistsError(
'Leaf data node already exists at this index')
else:
data_node = DataNode(parent=self, index=index, data_object=
data_object, type=self.type)
if save:
data_node.full_clean()
data_node.save()
self._add_unsaved_child(data_node)
return data_node
|
add_leaf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, data_object, save=False):\n assert self.type == data_object.type, 'data type mismatch'\n if self._get_child_by_index(index) is not None:\n raise NodeAlreadyExistsError(\n 'Leaf data node already exists at this index')\n else:\n data_node = DataNode(parent=self, index=index, data_object=\n data_object, type=self.type)\n if save:\n data_node.full_clean()\n data_node.save()\n self._add_unsaved_child(data_node)\n return data_node\n",
"role": "user"
},
{
"content": "add_leaf",
"role": "assistant"
}
] |
def x(self, seed_path, gather_depth):
try:
seed_node = self.get_node(seed_path)
except MissingBranchError:
return []
all_paths = seed_node._get_all_paths(seed_path, gather_depth)
ready_data_nodes = []
for path in all_paths:
if self.is_ready(data_path=path):
ready_data_nodes.append((path, self.get_node(path)))
return ready_data_nodes
|
get_ready_data_nodes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, seed_path, gather_depth):\n try:\n seed_node = self.get_node(seed_path)\n except MissingBranchError:\n return []\n all_paths = seed_node._get_all_paths(seed_path, gather_depth)\n ready_data_nodes = []\n for path in all_paths:\n if self.is_ready(data_path=path):\n ready_data_nodes.append((path, self.get_node(path)))\n return ready_data_nodes\n",
"role": "user"
},
{
"content": "get_ready_data_nodes",
"role": "assistant"
}
] |
def x(self, index):
if self.degree is None:
raise UnknownDegreeError(
'Cannot access child DataNode on a parent with degree of None. Set the degree on the parent first.'
)
if index < 0 or index >= self.degree:
raise IndexOutOfRangeError(
'Out of range index %s. DataNode parent has degree %s, so index should be in the range 0 to %s'
% (index, self.degree, self.degree - 1))
|
check_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n if self.degree is None:\n raise UnknownDegreeError(\n 'Cannot access child DataNode on a parent with degree of None. Set the degree on the parent first.'\n )\n if index < 0 or index >= self.degree:\n raise IndexOutOfRangeError(\n 'Out of range index %s. DataNode parent has degree %s, so index should be in the range 0 to %s'\n % (index, self.degree, self.degree - 1))\n",
"role": "user"
},
{
"content": "check_index",
"role": "assistant"
}
] |
def x():
r = None
try:
r = requests.get('http://metadata.google.internal')
except requests.ConnectionError:
return False
try:
if r.headers['Metadata-Flavor'] == 'Google' and r.headers['Server'
] == 'Metadata Server for VM':
return True
except KeyError:
return False
|
on_gcloud_vm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n r = None\n try:\n r = requests.get('http://metadata.google.internal')\n except requests.ConnectionError:\n return False\n try:\n if r.headers['Metadata-Flavor'] == 'Google' and r.headers['Server'\n ] == 'Metadata Server for VM':\n return True\n except KeyError:\n return False\n",
"role": "user"
},
{
"content": "on_gcloud_vm",
"role": "assistant"
}
] |
def x():
try:
r = requests.get(
'http://cloudpricingcalculator.appspot.com/static/data/pricelist.json'
)
content = json.loads(r.content)
except ConnectionError:
logger.warning(
"Couldn't get updated pricelist from http://cloudpricingcalculator.appspot.com/static/data/pricelist.json. Falling back to cached copy, but prices may be out of date."
)
with open('gcloudpricelist.json') as infile:
content = json.load(infile)
pricelist = content['gcp_price_list']
return pricelist
|
get_gcloud_pricelist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n r = requests.get(\n 'http://cloudpricingcalculator.appspot.com/static/data/pricelist.json'\n )\n content = json.loads(r.content)\n except ConnectionError:\n logger.warning(\n \"Couldn't get updated pricelist from http://cloudpricingcalculator.appspot.com/static/data/pricelist.json. Falling back to cached copy, but prices may be out of date.\"\n )\n with open('gcloudpricelist.json') as infile:\n content = json.load(infile)\n pricelist = content['gcp_price_list']\n return pricelist\n",
"role": "user"
},
{
"content": "get_gcloud_pricelist",
"role": "assistant"
}
] |
def x(hostname, step_name, attempt_id, max_length):
max_length = int(max_length)
if len(hostname) + len(step_name) + MIN_TASK_ID_CHARS + 2 > max_length:
hostname_chars = int(math.ceil((max_length - MIN_TASK_ID_CHARS - 2) /
float(2)))
step_name_chars = int(math.floor((max_length - MIN_TASK_ID_CHARS -
2) / float(2)))
hostname = hostname[:hostname_chars]
step_name = step_name[:step_name_chars]
name_base = '-'.join([hostname, step_name, attempt_id])
return _sanitize_instance_name(name_base, max_length)
|
get_base_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hostname, step_name, attempt_id, max_length):\n max_length = int(max_length)\n if len(hostname) + len(step_name) + MIN_TASK_ID_CHARS + 2 > max_length:\n hostname_chars = int(math.ceil((max_length - MIN_TASK_ID_CHARS - 2) /\n float(2)))\n step_name_chars = int(math.floor((max_length - MIN_TASK_ID_CHARS - \n 2) / float(2)))\n hostname = hostname[:hostname_chars]\n step_name = step_name[:step_name_chars]\n name_base = '-'.join([hostname, step_name, attempt_id])\n return _sanitize_instance_name(name_base, max_length)\n",
"role": "user"
},
{
"content": "get_base_name",
"role": "assistant"
}
] |
def x(name, max_length):
name = str(name).lower()
name = re.sub('[^-a-z0-9]', '', name)
name = re.sub('^[^a-z]+', '', name)
name = name[:max_length]
name = re.sub('-+$', '', name)
return name
|
sanitize_instance_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, max_length):\n name = str(name).lower()\n name = re.sub('[^-a-z0-9]', '', name)\n name = re.sub('^[^a-z]+', '', name)\n name = name[:max_length]\n name = re.sub('-+$', '', name)\n return name\n",
"role": "user"
},
{
"content": "sanitize_instance_name",
"role": "assistant"
}
] |
def x(self, max_age=None):
if max_age is None:
max_age = self.cache_max_age
if os.path.isfile(self.cache_path_cache):
mod_time = os.path.getmtime(self.cache_path_cache)
current_time = time()
if mod_time + max_age > current_time:
return True
return False
|
is_valid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, max_age=None):\n if max_age is None:\n max_age = self.cache_max_age\n if os.path.isfile(self.cache_path_cache):\n mod_time = os.path.getmtime(self.cache_path_cache)\n current_time = time()\n if mod_time + max_age > current_time:\n return True\n return False\n",
"role": "user"
},
{
"content": "is_valid",
"role": "assistant"
}
] |
def x(self, filename=''):
data = ''
if not filename:
filename = self.cache_path_cache
with open(filename, 'r') as cache:
data = cache.read()
return json.loads(data)
|
get_all_data_from_cache
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename=''):\n data = ''\n if not filename:\n filename = self.cache_path_cache\n with open(filename, 'r') as cache:\n data = cache.read()\n return json.loads(data)\n",
"role": "user"
},
{
"content": "get_all_data_from_cache",
"role": "assistant"
}
] |
def x(self, data, filename=''):
if not filename:
filename = self.cache_path_cache
json_data = json.dumps(data)
with open(filename, 'w') as cache:
cache.write(json_data)
return True
|
write_to_cache
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, filename=''):\n if not filename:\n filename = self.cache_path_cache\n json_data = json.dumps(data)\n with open(filename, 'w') as cache:\n cache.write(json_data)\n return True\n",
"role": "user"
},
{
"content": "write_to_cache",
"role": "assistant"
}
] |
def x(self):
gce_ini_default_path = os.path.join(os.path.dirname(os.path.realpath(
__file__)), 'gce.ini')
gce_ini_path = os.environ.get('GCE_INI_PATH', gce_ini_default_path)
config = ConfigParser.SafeConfigParser(defaults={
'gce_service_account_email_address': '',
'gce_service_account_pem_file_path': '', 'gce_project_id': '',
'libcloud_secrets': '', 'inventory_ip_type': '', 'cache_path':
'~/.ansible/tmp', 'cache_max_age': '300'})
if 'gce' not in config.sections():
config.add_section('gce')
if 'inventory' not in config.sections():
config.add_section('inventory')
if 'cache' not in config.sections():
config.add_section('cache')
config.read(gce_ini_path)
self.instance_states = []
if config.has_option('gce', 'instance_states'):
states = config.get('gce', 'instance_states')
if states:
self.instance_states = states.split(',')
cache_path = config.get('cache', 'cache_path')
cache_max_age = config.getint('cache', 'cache_max_age')
cache_name = 'ansible-gce.cache'
self.cache = CloudInventoryCache(cache_path=cache_path, cache_max_age=
cache_max_age, cache_name=cache_name)
return config
|
get_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n gce_ini_default_path = os.path.join(os.path.dirname(os.path.realpath(\n __file__)), 'gce.ini')\n gce_ini_path = os.environ.get('GCE_INI_PATH', gce_ini_default_path)\n config = ConfigParser.SafeConfigParser(defaults={\n 'gce_service_account_email_address': '',\n 'gce_service_account_pem_file_path': '', 'gce_project_id': '',\n 'libcloud_secrets': '', 'inventory_ip_type': '', 'cache_path':\n '~/.ansible/tmp', 'cache_max_age': '300'})\n if 'gce' not in config.sections():\n config.add_section('gce')\n if 'inventory' not in config.sections():\n config.add_section('inventory')\n if 'cache' not in config.sections():\n config.add_section('cache')\n config.read(gce_ini_path)\n self.instance_states = []\n if config.has_option('gce', 'instance_states'):\n states = config.get('gce', 'instance_states')\n if states:\n self.instance_states = states.split(',')\n cache_path = config.get('cache', 'cache_path')\n cache_max_age = config.getint('cache', 'cache_max_age')\n cache_name = 'ansible-gce.cache'\n self.cache = CloudInventoryCache(cache_path=cache_path, cache_max_age=\n cache_max_age, cache_name=cache_name)\n return config\n",
"role": "user"
},
{
"content": "get_config",
"role": "assistant"
}
] |
def x(self):
ip_type = self.config.get('inventory', 'inventory_ip_type')
ip_type = os.environ.get('INVENTORY_IP_TYPE', ip_type)
return ip_type
|
get_inventory_options
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ip_type = self.config.get('inventory', 'inventory_ip_type')\n ip_type = os.environ.get('INVENTORY_IP_TYPE', ip_type)\n return ip_type\n",
"role": "user"
},
{
"content": "get_inventory_options",
"role": "assistant"
}
] |
def x(self):
secrets_path = self.config.get('gce', 'libcloud_secrets')
secrets_found = False
try:
import secrets
args = list(getattr(secrets, 'GCE_PARAMS', []))
kwargs = getattr(secrets, 'GCE_KEYWORD_PARAMS', {})
secrets_found = True
except:
pass
if not secrets_found and secrets_path:
if not secrets_path.endswith('secrets.py'):
err = 'Must specify libcloud secrets file as '
err += '/absolute/path/to/secrets.py'
sys.exit(err)
sys.path.append(os.path.dirname(secrets_path))
try:
import secrets
args = list(getattr(secrets, 'GCE_PARAMS', []))
kwargs = getattr(secrets, 'GCE_KEYWORD_PARAMS', {})
secrets_found = True
except:
pass
if not secrets_found:
args = [self.config.get('gce', 'gce_service_account_email_address'),
self.config.get('gce', 'gce_service_account_pem_file_path')]
kwargs = {'project': self.config.get('gce', 'gce_project_id')}
args[0] = os.environ.get('GCE_EMAIL', args[0])
args[1] = os.environ.get('GCE_PEM_FILE_PATH', args[1])
kwargs['project'] = os.environ.get('GCE_PROJECT', kwargs['project'])
gce = get_driver(Provider.GCE)(*args, **kwargs)
gce.connection.user_agent_append('%s/%s' % (USER_AGENT_PRODUCT,
USER_AGENT_VERSION))
return gce
|
get_gce_driver
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n secrets_path = self.config.get('gce', 'libcloud_secrets')\n secrets_found = False\n try:\n import secrets\n args = list(getattr(secrets, 'GCE_PARAMS', []))\n kwargs = getattr(secrets, 'GCE_KEYWORD_PARAMS', {})\n secrets_found = True\n except:\n pass\n if not secrets_found and secrets_path:\n if not secrets_path.endswith('secrets.py'):\n err = 'Must specify libcloud secrets file as '\n err += '/absolute/path/to/secrets.py'\n sys.exit(err)\n sys.path.append(os.path.dirname(secrets_path))\n try:\n import secrets\n args = list(getattr(secrets, 'GCE_PARAMS', []))\n kwargs = getattr(secrets, 'GCE_KEYWORD_PARAMS', {})\n secrets_found = True\n except:\n pass\n if not secrets_found:\n args = [self.config.get('gce', 'gce_service_account_email_address'),\n self.config.get('gce', 'gce_service_account_pem_file_path')]\n kwargs = {'project': self.config.get('gce', 'gce_project_id')}\n args[0] = os.environ.get('GCE_EMAIL', args[0])\n args[1] = os.environ.get('GCE_PEM_FILE_PATH', args[1])\n kwargs['project'] = os.environ.get('GCE_PROJECT', kwargs['project'])\n gce = get_driver(Provider.GCE)(*args, **kwargs)\n gce.connection.user_agent_append('%s/%s' % (USER_AGENT_PRODUCT,\n USER_AGENT_VERSION))\n return gce\n",
"role": "user"
},
{
"content": "get_gce_driver",
"role": "assistant"
}
] |
def x(self):
import csv
reader = csv.reader([os.environ.get('GCE_ZONE', '')], skipinitialspace=True
)
zones = [r for r in reader]
return [z for z in zones[0]]
|
parse_env_zones
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n import csv\n reader = csv.reader([os.environ.get('GCE_ZONE', '')], skipinitialspace=True\n )\n zones = [r for r in reader]\n return [z for z in zones[0]]\n",
"role": "user"
},
{
"content": "parse_env_zones",
"role": "assistant"
}
] |
def x(self):
parser = argparse.ArgumentParser(description=
'Produce an Ansible Inventory file based on GCE')
parser.add_argument('--list', action='store_true', default=True, help=
'List instances (default: True)')
parser.add_argument('--host', action='store', help=
'Get all information about an instance')
parser.add_argument('--pretty', action='store_true', default=False,
help='Pretty format (default: False)')
parser.add_argument('--refresh-cache', action='store_true', default=
False, help=
'Force refresh of cache by making API requests (default: False - use cache files)'
)
self.args = parser.parse_args()
|
parse_cli_args
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n parser = argparse.ArgumentParser(description=\n 'Produce an Ansible Inventory file based on GCE')\n parser.add_argument('--list', action='store_true', default=True, help=\n 'List instances (default: True)')\n parser.add_argument('--host', action='store', help=\n 'Get all information about an instance')\n parser.add_argument('--pretty', action='store_true', default=False,\n help='Pretty format (default: False)')\n parser.add_argument('--refresh-cache', action='store_true', default=\n False, help=\n 'Force refresh of cache by making API requests (default: False - use cache files)'\n )\n self.args = parser.parse_args()\n",
"role": "user"
},
{
"content": "parse_cli_args",
"role": "assistant"
}
] |
def x(self):
try:
self.inventory = self.cache.get_all_data_from_cache()
hosts = self.inventory['_meta']['hostvars']
except Exception as e:
print(
'Invalid inventory file %s. Please rebuild with -refresh-cache option.'
% self.cache.cache_path_cache)
raise
|
load_inventory_from_cache
|
[
{
"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 self.inventory = self.cache.get_all_data_from_cache()\n hosts = self.inventory['_meta']['hostvars']\n except Exception as e:\n print(\n 'Invalid inventory file %s. Please rebuild with -refresh-cache option.'\n % self.cache.cache_path_cache)\n raise\n",
"role": "user"
},
{
"content": "load_inventory_from_cache",
"role": "assistant"
}
] |
def x(self):
zones = self.parse_env_zones()
data = self.group_instances(zones)
self.cache.write_to_cache(data)
self.inventory = data
|
do_api_calls_update_cache
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n zones = self.parse_env_zones()\n data = self.group_instances(zones)\n self.cache.write_to_cache(data)\n self.inventory = data\n",
"role": "user"
},
{
"content": "do_api_calls_update_cache",
"role": "assistant"
}
] |
def x(self, zones=None):
groups = {}
meta = {}
meta['hostvars'] = {}
for node in self.list_nodes():
if self.instance_states and not node.extra['status'
] in self.instance_states:
continue
name = node.name
meta['hostvars'][name] = self.node_to_dict(node)
zone = node.extra['zone'].name
if zones and zone not in zones:
continue
if zone in groups:
groups[zone].append(name)
else:
groups[zone] = [name]
tags = node.extra['tags']
for t in tags:
if t.startswith('group-'):
tag = t[6:]
else:
tag = 'tag_%s' % t
if tag in groups:
groups[tag].append(name)
else:
groups[tag] = [name]
net = node.extra['networkInterfaces'][0]['network'].split('/')[-1]
net = 'network_%s' % net
if net in groups:
groups[net].append(name)
else:
groups[net] = [name]
machine_type = node.size
if machine_type in groups:
groups[machine_type].append(name)
else:
groups[machine_type] = [name]
image = node.image and node.image or 'persistent_disk'
if image in groups:
groups[image].append(name)
else:
groups[image] = [name]
status = node.extra['status']
stat = 'status_%s' % status.lower()
if stat in groups:
groups[stat].append(name)
else:
groups[stat] = [name]
groups['_meta'] = meta
return groups
|
group_instances
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, zones=None):\n groups = {}\n meta = {}\n meta['hostvars'] = {}\n for node in self.list_nodes():\n if self.instance_states and not node.extra['status'\n ] in self.instance_states:\n continue\n name = node.name\n meta['hostvars'][name] = self.node_to_dict(node)\n zone = node.extra['zone'].name\n if zones and zone not in zones:\n continue\n if zone in groups:\n groups[zone].append(name)\n else:\n groups[zone] = [name]\n tags = node.extra['tags']\n for t in tags:\n if t.startswith('group-'):\n tag = t[6:]\n else:\n tag = 'tag_%s' % t\n if tag in groups:\n groups[tag].append(name)\n else:\n groups[tag] = [name]\n net = node.extra['networkInterfaces'][0]['network'].split('/')[-1]\n net = 'network_%s' % net\n if net in groups:\n groups[net].append(name)\n else:\n groups[net] = [name]\n machine_type = node.size\n if machine_type in groups:\n groups[machine_type].append(name)\n else:\n groups[machine_type] = [name]\n image = node.image and node.image or 'persistent_disk'\n if image in groups:\n groups[image].append(name)\n else:\n groups[image] = [name]\n status = node.extra['status']\n stat = 'status_%s' % status.lower()\n if stat in groups:\n groups[stat].append(name)\n else:\n groups[stat] = [name]\n groups['_meta'] = meta\n return groups\n",
"role": "user"
},
{
"content": "group_instances",
"role": "assistant"
}
] |
def x(self, data, pretty=False):
if pretty:
return json.dumps(data, sort_keys=True, indent=2)
else:
return json.dumps(data)
|
json_format_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, pretty=False):\n if pretty:\n return json.dumps(data, sort_keys=True, indent=2)\n else:\n return json.dumps(data)\n",
"role": "user"
},
{
"content": "json_format_dict",
"role": "assistant"
}
] |
def x(self):
thread = threading.Thread(target=self._stderr_stream_worker)
thread.start()
for line in self.docker_client.logs(self.container, stdout=True, stderr
=False, stream=True):
sys.stdout.write(line)
thread.join()
|
stream_docker_logs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n thread = threading.Thread(target=self._stderr_stream_worker)\n thread.start()\n for line in self.docker_client.logs(self.container, stdout=True, stderr\n =False, stream=True):\n sys.stdout.write(line)\n thread.join()\n",
"role": "user"
},
{
"content": "stream_docker_logs",
"role": "assistant"
}
] |
def x(self, data):
converted_data = _convert_template_id_to_dict(data)
return super(TemplateSerializer, self).to_internal_value(converted_data)
|
to_internal_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n converted_data = _convert_template_id_to_dict(data)\n return super(TemplateSerializer, self).to_internal_value(converted_data)\n",
"role": "user"
},
{
"content": "to_internal_value",
"role": "assistant"
}
] |
def x(a, b):
a_cmp, a_is_int = _to_int(a)
b_cmp, b_is_int = _to_int(b)
if a_is_int and b_is_int:
return base_cmp(a_cmp, b_cmp)
elif a_is_int:
return -1
elif b_is_int:
return 1
else:
return base_cmp(a_cmp, b_cmp)
|
identifier_cmp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n a_cmp, a_is_int = _to_int(a)\n b_cmp, b_is_int = _to_int(b)\n if a_is_int and b_is_int:\n return base_cmp(a_cmp, b_cmp)\n elif a_is_int:\n return -1\n elif b_is_int:\n return 1\n else:\n return base_cmp(a_cmp, b_cmp)\n",
"role": "user"
},
{
"content": "identifier_cmp",
"role": "assistant"
}
] |
def x(a, b):
identifier_pairs = zip(a, b)
for id_a, id_b in identifier_pairs:
cmp_res = identifier_cmp(id_a, id_b)
if cmp_res != 0:
return cmp_res
return base_cmp(len(a), len(b))
|
identifier_list_cmp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n identifier_pairs = zip(a, b)\n for id_a, id_b in identifier_pairs:\n cmp_res = identifier_cmp(id_a, id_b)\n if cmp_res != 0:\n return cmp_res\n return base_cmp(len(a), len(b))\n",
"role": "user"
},
{
"content": "identifier_list_cmp",
"role": "assistant"
}
] |
def x(cls, version_string, partial=False):
base_re = re.compile('^\\d+(?:\\.\\d+(?:\\.\\d+)?)?')
match = base_re.match(version_string)
if not match:
raise ValueError('Version string lacks a numerical component: %r' %
version_string)
version = version_string[:match.end()]
if not partial:
while version.count('.') < 2:
version += '.0'
if match.end() == len(version_string):
return Version(version, partial=partial)
rest = version_string[match.end():]
rest = re.sub('[^a-zA-Z0-9+.-]', '-', rest)
if rest[0] == '+':
prerelease = ''
build = rest[1:]
elif rest[0] == '.':
prerelease = ''
build = rest[1:]
elif rest[0] == '-':
rest = rest[1:]
if '+' in rest:
prerelease, build = rest.split('+', 1)
else:
prerelease, build = rest, ''
elif '+' in rest:
prerelease, build = rest.split('+', 1)
else:
prerelease, build = rest, ''
build = build.replace('+', '.')
if prerelease:
version = '%s-%s' % (version, prerelease)
if build:
version = '%s+%s' % (version, build)
return cls(version, partial=partial)
|
coerce
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, version_string, partial=False):\n base_re = re.compile('^\\\\d+(?:\\\\.\\\\d+(?:\\\\.\\\\d+)?)?')\n match = base_re.match(version_string)\n if not match:\n raise ValueError('Version string lacks a numerical component: %r' %\n version_string)\n version = version_string[:match.end()]\n if not partial:\n while version.count('.') < 2:\n version += '.0'\n if match.end() == len(version_string):\n return Version(version, partial=partial)\n rest = version_string[match.end():]\n rest = re.sub('[^a-zA-Z0-9+.-]', '-', rest)\n if rest[0] == '+':\n prerelease = ''\n build = rest[1:]\n elif rest[0] == '.':\n prerelease = ''\n build = rest[1:]\n elif rest[0] == '-':\n rest = rest[1:]\n if '+' in rest:\n prerelease, build = rest.split('+', 1)\n else:\n prerelease, build = rest, ''\n elif '+' in rest:\n prerelease, build = rest.split('+', 1)\n else:\n prerelease, build = rest, ''\n build = build.replace('+', '.')\n if prerelease:\n version = '%s-%s' % (version, prerelease)\n if build:\n version = '%s+%s' % (version, build)\n return cls(version, partial=partial)\n",
"role": "user"
},
{
"content": "coerce",
"role": "assistant"
}
] |
def x(cls, version_string, partial=False, coerce=False):
if not version_string:
raise ValueError('Invalid empty version string: %r' % version_string)
if partial:
version_re = cls.partial_version_re
else:
version_re = cls.version_re
match = version_re.match(version_string)
if not match:
raise ValueError('Invalid version string: %r' % version_string)
major, minor, patch, prerelease, build = match.groups()
if _has_leading_zero(major):
raise ValueError('Invalid leading zero in major: %r' % version_string)
if _has_leading_zero(minor):
raise ValueError('Invalid leading zero in minor: %r' % version_string)
if _has_leading_zero(patch):
raise ValueError('Invalid leading zero in patch: %r' % version_string)
major = int(major)
minor = cls._coerce(minor, partial)
patch = cls._coerce(patch, partial)
if prerelease is None:
if partial and build is None:
return major, minor, patch, None, None
else:
prerelease = ()
elif prerelease == '':
prerelease = ()
else:
prerelease = tuple(prerelease.split('.'))
cls._validate_identifiers(prerelease, allow_leading_zeroes=False)
if build is None:
if partial:
build = None
else:
build = ()
elif build == '':
build = ()
else:
build = tuple(build.split('.'))
cls._validate_identifiers(build, allow_leading_zeroes=True)
return major, minor, patch, prerelease, build
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, version_string, partial=False, coerce=False):\n if not version_string:\n raise ValueError('Invalid empty version string: %r' % version_string)\n if partial:\n version_re = cls.partial_version_re\n else:\n version_re = cls.version_re\n match = version_re.match(version_string)\n if not match:\n raise ValueError('Invalid version string: %r' % version_string)\n major, minor, patch, prerelease, build = match.groups()\n if _has_leading_zero(major):\n raise ValueError('Invalid leading zero in major: %r' % version_string)\n if _has_leading_zero(minor):\n raise ValueError('Invalid leading zero in minor: %r' % version_string)\n if _has_leading_zero(patch):\n raise ValueError('Invalid leading zero in patch: %r' % version_string)\n major = int(major)\n minor = cls._coerce(minor, partial)\n patch = cls._coerce(patch, partial)\n if prerelease is None:\n if partial and build is None:\n return major, minor, patch, None, None\n else:\n prerelease = ()\n elif prerelease == '':\n prerelease = ()\n else:\n prerelease = tuple(prerelease.split('.'))\n cls._validate_identifiers(prerelease, allow_leading_zeroes=False)\n if build is None:\n if partial:\n build = None\n else:\n build = ()\n elif build == '':\n build = ()\n else:\n build = tuple(build.split('.'))\n cls._validate_identifiers(build, allow_leading_zeroes=True)\n return major, minor, patch, prerelease, build\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(cls, partial=False):
def x(a, b):
if a and b:
return identifier_list_cmp(a, b)
elif a:
return -1
elif b:
return 1
else:
return 0
def x(a, b):
if a == b:
return 0
else:
return NotImplemented
def x(orig_cmp_fun):
@functools.wraps(orig_cmp_fun)
def x(a, b):
if a is None or b is None:
return 0
return orig_cmp_fun(a, b)
return alt_cmp_fun
if partial:
return [base_cmp, make_optional(base_cmp), make_optional(base_cmp),
make_optional(prerelease_cmp), make_optional(build_cmp)]
else:
return [base_cmp, base_cmp, base_cmp, prerelease_cmp, build_cmp]
|
comparison_functions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, partial=False):\n\n def x(a, b):\n if a and b:\n return identifier_list_cmp(a, b)\n elif a:\n return -1\n elif b:\n return 1\n else:\n return 0\n\n def x(a, b):\n if a == b:\n return 0\n else:\n return NotImplemented\n\n def x(orig_cmp_fun):\n\n @functools.wraps(orig_cmp_fun)\n def x(a, b):\n if a is None or b is None:\n return 0\n return orig_cmp_fun(a, b)\n return alt_cmp_fun\n if partial:\n return [base_cmp, make_optional(base_cmp), make_optional(base_cmp),\n make_optional(prerelease_cmp), make_optional(build_cmp)]\n else:\n return [base_cmp, base_cmp, base_cmp, prerelease_cmp, build_cmp]\n",
"role": "user"
},
{
"content": "comparison_functions",
"role": "assistant"
}
] |
def x(self, other, condition, notimpl_target):
if not isinstance(other, self.__class__):
return NotImplemented
cmp_res = self.__cmp__(other)
if cmp_res is NotImplemented:
return notimpl_target
return condition(cmp_res)
|
compare_helper
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other, condition, notimpl_target):\n if not isinstance(other, self.__class__):\n return NotImplemented\n cmp_res = self.__cmp__(other)\n if cmp_res is NotImplemented:\n return notimpl_target\n return condition(cmp_res)\n",
"role": "user"
},
{
"content": "compare_helper",
"role": "assistant"
}
] |
def x(self, version):
return all(spec.match(version) for spec in self.specs)
|
match
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, version):\n return all(spec.match(version) for spec in self.specs)\n",
"role": "user"
},
{
"content": "match",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.