source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(msg, title, choices, root=None, timeout=None): global boxRoot, __replyButtonText, __widgetTexts, buttonsFrame __replyButtonText = choices[0] if root: root.withdraw() boxRoot = tk.Toplevel(master=root) boxRoot.withdraw() else: boxRoot = tk.Tk() boxRoot.withdraw() boxRoot.title(title) boxRoot.iconname('Dialog') boxRoot.geometry(rootWindowPosition) boxRoot.minsize(400, 100) messageFrame = tk.Frame(master=boxRoot) messageFrame.pack(side=tk.TOP, fill=tk.BOTH) buttonsFrame = tk.Frame(master=boxRoot) buttonsFrame.pack(side=tk.TOP, fill=tk.BOTH) messageWidget = tk.Message(messageFrame, text=msg, width=400) messageWidget.configure(font=(PROPORTIONAL_FONT_FAMILY, PROPORTIONAL_FONT_SIZE)) messageWidget.pack(side=tk.TOP, expand=tk.YES, fill=tk.X, padx='3m', pady='3m') __put_buttons_in_buttonframe(choices) __firstWidget.focus_force() boxRoot.deiconify() if timeout is not None: boxRoot.after(timeout, timeoutBoxRoot) boxRoot.mainloop() try: boxRoot.destroy() except tk.TclError: if __replyButtonText != TIMEOUT_TEXT: __replyButtonText = None if root: root.deiconify() return __replyButtonText
buttonbox
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg, title, choices, root=None, timeout=None):\n global boxRoot, __replyButtonText, __widgetTexts, buttonsFrame\n __replyButtonText = choices[0]\n if root:\n root.withdraw()\n boxRoot = tk.Toplevel(master=root)\n boxRoot.withdraw()\n else:\n boxRoot = tk.Tk()\n boxRoot.withdraw()\n boxRoot.title(title)\n boxRoot.iconname('Dialog')\n boxRoot.geometry(rootWindowPosition)\n boxRoot.minsize(400, 100)\n messageFrame = tk.Frame(master=boxRoot)\n messageFrame.pack(side=tk.TOP, fill=tk.BOTH)\n buttonsFrame = tk.Frame(master=boxRoot)\n buttonsFrame.pack(side=tk.TOP, fill=tk.BOTH)\n messageWidget = tk.Message(messageFrame, text=msg, width=400)\n messageWidget.configure(font=(PROPORTIONAL_FONT_FAMILY,\n PROPORTIONAL_FONT_SIZE))\n messageWidget.pack(side=tk.TOP, expand=tk.YES, fill=tk.X, padx='3m',\n pady='3m')\n __put_buttons_in_buttonframe(choices)\n __firstWidget.focus_force()\n boxRoot.deiconify()\n if timeout is not None:\n boxRoot.after(timeout, timeoutBoxRoot)\n boxRoot.mainloop()\n try:\n boxRoot.destroy()\n except tk.TclError:\n if __replyButtonText != TIMEOUT_TEXT:\n __replyButtonText = None\n if root:\n root.deiconify()\n return __replyButtonText\n", "role": "user" }, { "content": "buttonbox", "role": "assistant" } ]
def x(choices): global __widgetTexts, __firstWidget, buttonsFrame __firstWidget = None __widgetTexts = {} i = 0 for buttonText in choices: tempButton = tk.Button(buttonsFrame, takefocus=1, text=buttonText) _bindArrows(tempButton) tempButton.pack(expand=tk.YES, side=tk.LEFT, padx='1m', pady='1m', ipadx='2m', ipady='1m') __widgetTexts[tempButton] = buttonText if i == 0: __firstWidget = tempButton i = 1 commandButton = tempButton handler = __buttonEvent for selectionEvent in STANDARD_SELECTION_EVENTS: commandButton.bind('<%s>' % selectionEvent, handler) if CANCEL_TEXT in choices: commandButton.bind('<Escape>', __cancelButtonEvent)
put_buttons_in_buttonframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(choices):\n global __widgetTexts, __firstWidget, buttonsFrame\n __firstWidget = None\n __widgetTexts = {}\n i = 0\n for buttonText in choices:\n tempButton = tk.Button(buttonsFrame, takefocus=1, text=buttonText)\n _bindArrows(tempButton)\n tempButton.pack(expand=tk.YES, side=tk.LEFT, padx='1m', pady='1m',\n ipadx='2m', ipady='1m')\n __widgetTexts[tempButton] = buttonText\n if i == 0:\n __firstWidget = tempButton\n i = 1\n commandButton = tempButton\n handler = __buttonEvent\n for selectionEvent in STANDARD_SELECTION_EVENTS:\n commandButton.bind('<%s>' % selectionEvent, handler)\n if CANCEL_TEXT in choices:\n commandButton.bind('<Escape>', __cancelButtonEvent)\n", "role": "user" }, { "content": "put_buttons_in_buttonframe", "role": "assistant" } ]
def x(msg, title='', default='', mask=None, root=None, timeout=None): global boxRoot, __enterboxText, __enterboxDefaultText global cancelButton, entryWidget, okButton if title == None: title == '' if default == None: default = '' __enterboxDefaultText = default __enterboxText = __enterboxDefaultText if root: root.withdraw() boxRoot = tk.Toplevel(master=root) boxRoot.withdraw() else: boxRoot = tk.Tk() boxRoot.withdraw() boxRoot.title(title) boxRoot.iconname('Dialog') boxRoot.geometry(rootWindowPosition) boxRoot.bind('<Escape>', __enterboxCancel) messageFrame = tk.Frame(master=boxRoot) messageFrame.pack(side=tk.TOP, fill=tk.BOTH) buttonsFrame = tk.Frame(master=boxRoot) buttonsFrame.pack(side=tk.TOP, fill=tk.BOTH) entryFrame = tk.Frame(master=boxRoot) entryFrame.pack(side=tk.TOP, fill=tk.BOTH) buttonsFrame = tk.Frame(master=boxRoot) buttonsFrame.pack(side=tk.TOP, fill=tk.BOTH) messageWidget = tk.Message(messageFrame, width='4.5i', text=msg) messageWidget.configure(font=(PROPORTIONAL_FONT_FAMILY, PROPORTIONAL_FONT_SIZE)) messageWidget.pack(side=tk.RIGHT, expand=1, fill=tk.BOTH, padx='3m', pady='3m') entryWidget = tk.Entry(entryFrame, width=40) _bindArrows(entryWidget, skipArrowKeys=True) entryWidget.configure(font=(PROPORTIONAL_FONT_FAMILY, TEXT_ENTRY_FONT_SIZE) ) if mask: entryWidget.configure(show=mask) entryWidget.pack(side=tk.LEFT, padx='3m') entryWidget.bind('<Return>', __enterboxGetText) entryWidget.bind('<Escape>', __enterboxCancel) if __enterboxDefaultText != '': entryWidget.insert(0, __enterboxDefaultText) entryWidget.select_range(0, tk.END) okButton = tk.Button(buttonsFrame, takefocus=1, text=OK_TEXT) _bindArrows(okButton) okButton.pack(expand=1, side=tk.LEFT, padx='3m', pady='3m', ipadx='2m', ipady='1m') commandButton = okButton handler = __enterboxGetText for selectionEvent in STANDARD_SELECTION_EVENTS: commandButton.bind('<%s>' % selectionEvent, handler) cancelButton = tk.Button(buttonsFrame, takefocus=1, text=CANCEL_TEXT) _bindArrows(cancelButton) cancelButton.pack(expand=1, side=tk.RIGHT, padx='3m', pady='3m', ipadx= '2m', ipady='1m') commandButton = cancelButton handler = __enterboxCancel for selectionEvent in STANDARD_SELECTION_EVENTS: commandButton.bind('<%s>' % selectionEvent, handler) entryWidget.focus_force() boxRoot.deiconify() if timeout is not None: boxRoot.after(timeout, timeoutBoxRoot) boxRoot.mainloop() if root: root.deiconify() try: boxRoot.destroy() except tk.TclError: if __enterboxText != TIMEOUT_TEXT: return None return __enterboxText
fillablebox
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg, title='', default='', mask=None, root=None, timeout=None):\n global boxRoot, __enterboxText, __enterboxDefaultText\n global cancelButton, entryWidget, okButton\n if title == None:\n title == ''\n if default == None:\n default = ''\n __enterboxDefaultText = default\n __enterboxText = __enterboxDefaultText\n if root:\n root.withdraw()\n boxRoot = tk.Toplevel(master=root)\n boxRoot.withdraw()\n else:\n boxRoot = tk.Tk()\n boxRoot.withdraw()\n boxRoot.title(title)\n boxRoot.iconname('Dialog')\n boxRoot.geometry(rootWindowPosition)\n boxRoot.bind('<Escape>', __enterboxCancel)\n messageFrame = tk.Frame(master=boxRoot)\n messageFrame.pack(side=tk.TOP, fill=tk.BOTH)\n buttonsFrame = tk.Frame(master=boxRoot)\n buttonsFrame.pack(side=tk.TOP, fill=tk.BOTH)\n entryFrame = tk.Frame(master=boxRoot)\n entryFrame.pack(side=tk.TOP, fill=tk.BOTH)\n buttonsFrame = tk.Frame(master=boxRoot)\n buttonsFrame.pack(side=tk.TOP, fill=tk.BOTH)\n messageWidget = tk.Message(messageFrame, width='4.5i', text=msg)\n messageWidget.configure(font=(PROPORTIONAL_FONT_FAMILY,\n PROPORTIONAL_FONT_SIZE))\n messageWidget.pack(side=tk.RIGHT, expand=1, fill=tk.BOTH, padx='3m',\n pady='3m')\n entryWidget = tk.Entry(entryFrame, width=40)\n _bindArrows(entryWidget, skipArrowKeys=True)\n entryWidget.configure(font=(PROPORTIONAL_FONT_FAMILY, TEXT_ENTRY_FONT_SIZE)\n )\n if mask:\n entryWidget.configure(show=mask)\n entryWidget.pack(side=tk.LEFT, padx='3m')\n entryWidget.bind('<Return>', __enterboxGetText)\n entryWidget.bind('<Escape>', __enterboxCancel)\n if __enterboxDefaultText != '':\n entryWidget.insert(0, __enterboxDefaultText)\n entryWidget.select_range(0, tk.END)\n okButton = tk.Button(buttonsFrame, takefocus=1, text=OK_TEXT)\n _bindArrows(okButton)\n okButton.pack(expand=1, side=tk.LEFT, padx='3m', pady='3m', ipadx='2m',\n ipady='1m')\n commandButton = okButton\n handler = __enterboxGetText\n for selectionEvent in STANDARD_SELECTION_EVENTS:\n commandButton.bind('<%s>' % selectionEvent, handler)\n cancelButton = tk.Button(buttonsFrame, takefocus=1, text=CANCEL_TEXT)\n _bindArrows(cancelButton)\n cancelButton.pack(expand=1, side=tk.RIGHT, padx='3m', pady='3m', ipadx=\n '2m', ipady='1m')\n commandButton = cancelButton\n handler = __enterboxCancel\n for selectionEvent in STANDARD_SELECTION_EVENTS:\n commandButton.bind('<%s>' % selectionEvent, handler)\n entryWidget.focus_force()\n boxRoot.deiconify()\n if timeout is not None:\n boxRoot.after(timeout, timeoutBoxRoot)\n boxRoot.mainloop()\n if root:\n root.deiconify()\n try:\n boxRoot.destroy()\n except tk.TclError:\n if __enterboxText != TIMEOUT_TEXT:\n return None\n return __enterboxText\n", "role": "user" }, { "content": "fillablebox", "role": "assistant" } ]
def x(self, response): self.headers = response.headers if 'xml' in self.headers.get('Content-Type'): xml = xmltodict.parse(response.text) self.analyze_reply_code(xml_response_dict=xml) lines = response.text.split('\r\n') if len(lines) < 3: lines = response.text.split('\n') for line in lines: line = line.strip() name, value = self.read_line(line) if name: if name in self.valid_transactions or re.match(pattern= '/^X\\-/', string=name): self.capabilities[name] = value else: self.details[name] = value
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response):\n self.headers = response.headers\n if 'xml' in self.headers.get('Content-Type'):\n xml = xmltodict.parse(response.text)\n self.analyze_reply_code(xml_response_dict=xml)\n lines = response.text.split('\\r\\n')\n if len(lines) < 3:\n lines = response.text.split('\\n')\n for line in lines:\n line = line.strip()\n name, value = self.read_line(line)\n if name:\n if name in self.valid_transactions or re.match(pattern=\n '/^X\\\\-/', string=name):\n self.capabilities[name] = value\n else:\n self.details[name] = value\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(line): name, value = '', '' if '=' in line: name, value = line.split('=', 1) return [name.strip(), value.strip()]
read_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(line):\n name, value = '', ''\n if '=' in line:\n name, value = line.split('=', 1)\n return [name.strip(), value.strip()]\n", "role": "user" }, { "content": "read_line", "role": "assistant" } ]
def x(self, response): delim = '\t' columns = [] response.raw.decode_content = True events = ET.iterparse(BytesIO(response.content)) results = [] for event, elem in events: if 'DATA' == elem.tag: data_dict = {column: data for column, data in zip(columns, elem .text.split(delim)) if column != ''} self.parsed_rows += 1 results.append(data_dict) elif 'RETS' == elem.tag: reply_code = elem.get('ReplyCode') reply_text = elem.get('ReplyText') if reply_code == '20201': continue elif reply_code != '0': msg = 'RETS Error {0!s}: {1!s}'.format(reply_code, reply_text) raise RETSException(msg) elif 'DELIMITER' == elem.tag: val = elem.get('value') delim = chr(int(val)) elif 'COLUMNS' == elem.tag: columns = elem.text.split(delim) elif 'MAXROWS' == elem.tag: logger.debug('MAXROWS Tag reached in XML') logger.debug('Received {0!s} results from this search'.format( self.parsed_rows)) raise MaxrowException(results) else: continue elem.clear() return results
generator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response):\n delim = '\\t'\n columns = []\n response.raw.decode_content = True\n events = ET.iterparse(BytesIO(response.content))\n results = []\n for event, elem in events:\n if 'DATA' == elem.tag:\n data_dict = {column: data for column, data in zip(columns, elem\n .text.split(delim)) if column != ''}\n self.parsed_rows += 1\n results.append(data_dict)\n elif 'RETS' == elem.tag:\n reply_code = elem.get('ReplyCode')\n reply_text = elem.get('ReplyText')\n if reply_code == '20201':\n continue\n elif reply_code != '0':\n msg = 'RETS Error {0!s}: {1!s}'.format(reply_code, reply_text)\n raise RETSException(msg)\n elif 'DELIMITER' == elem.tag:\n val = elem.get('value')\n delim = chr(int(val))\n elif 'COLUMNS' == elem.tag:\n columns = elem.text.split(delim)\n elif 'MAXROWS' == elem.tag:\n logger.debug('MAXROWS Tag reached in XML')\n logger.debug('Received {0!s} results from this search'.format(\n self.parsed_rows))\n raise MaxrowException(results)\n else:\n continue\n elem.clear()\n return results\n", "role": "user" }, { "content": "generator", "role": "assistant" } ]
def x(urlinfo, shorter_keys=True): def x(value, prefix=''): if is_string(value): _result[prefix[1:]] = value return try: len(value) except (AttributeError, TypeError): _result[prefix[1:]] = value return try: items = value.items() except AttributeError: last_prefix = prefix.split('.')[-1] if shorter_keys: prefix = '.' + last_prefix if last_prefix == 'Country': for v in value: country = v.pop('@Code') flatten(v, '.'.join([prefix, country])) elif last_prefix in ['RelatedLink', 'CategoryData']: for i, v in enumerate(value): flatten(v, '.'.join([prefix, str(i)])) elif value[0].get('TimeRange'): for v in value: time_range = '.'.join(tuple(v.pop('TimeRange').items())[0]) if v.get('DataUrl'): time_range = '.'.join([v.pop('DataUrl'), time_range]) flatten(v, '.'.join([prefix, time_range])) else: msg = prefix + " contains a list we don't know how to flatten." raise NotImplementedError(msg) else: for k, v in items: flatten(v, '.'.join([prefix, k])) _result = {} info = xmltodict.parse(str(urlinfo)) flatten(info['aws:UrlInfoResponse']['Response']['UrlInfoResult']['Alexa']) _result['OutputTimestamp'] = datetime.datetime.utcnow().strftime( '%Y%m%dT%H%M%SZ') return _result
flatten_urlinfo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(urlinfo, shorter_keys=True):\n\n def x(value, prefix=''):\n if is_string(value):\n _result[prefix[1:]] = value\n return\n try:\n len(value)\n except (AttributeError, TypeError):\n _result[prefix[1:]] = value\n return\n try:\n items = value.items()\n except AttributeError:\n last_prefix = prefix.split('.')[-1]\n if shorter_keys:\n prefix = '.' + last_prefix\n if last_prefix == 'Country':\n for v in value:\n country = v.pop('@Code')\n flatten(v, '.'.join([prefix, country]))\n elif last_prefix in ['RelatedLink', 'CategoryData']:\n for i, v in enumerate(value):\n flatten(v, '.'.join([prefix, str(i)]))\n elif value[0].get('TimeRange'):\n for v in value:\n time_range = '.'.join(tuple(v.pop('TimeRange').items())[0])\n if v.get('DataUrl'):\n time_range = '.'.join([v.pop('DataUrl'), time_range])\n flatten(v, '.'.join([prefix, time_range]))\n else:\n msg = prefix + \" contains a list we don't know how to flatten.\"\n raise NotImplementedError(msg)\n else:\n for k, v in items:\n flatten(v, '.'.join([prefix, k]))\n _result = {}\n info = xmltodict.parse(str(urlinfo))\n flatten(info['aws:UrlInfoResponse']['Response']['UrlInfoResult']['Alexa'])\n _result['OutputTimestamp'] = datetime.datetime.utcnow().strftime(\n '%Y%m%dT%H%M%SZ')\n return _result\n", "role": "user" }, { "content": "flatten_urlinfo", "role": "assistant" } ]
def x(self, request_params): method = 'GET' service = 'awis' host = 'awis.us-west-1.amazonaws.com' region = 'us-west-1' endpoint = 'https://awis.amazonaws.com/api' request_parameters = urlencode([(key, request_params[key]) for key in sorted(request_params.keys())]) def x(key, msg): return hmac.new(key, msg.encode('utf-8'), hashlib.sha256).digest() def x(key, dateStamp, regionName, serviceName): kDate = sign(('AWS4' + key).encode('utf-8'), dateStamp) kRegion = sign(kDate, regionName) kService = sign(kRegion, serviceName) kSigning = sign(kService, 'aws4_request') return kSigning t = datetime.datetime.utcnow() amzdate = t.strftime('%Y%m%dT%H%M%SZ') datestamp = t.strftime('%Y%m%d') canonical_uri = '/api' canonical_querystring = request_parameters canonical_headers = 'host:' + host + '\n' + 'x-amz-date:' + amzdate + '\n' signed_headers = 'host;x-amz-date' payload_hash = hashlib.sha256(''.encode('utf8')).hexdigest() canonical_request = (method + '\n' + canonical_uri + '\n' + canonical_querystring + '\n' + canonical_headers + '\n' + signed_headers + '\n' + payload_hash) algorithm = 'AWS4-HMAC-SHA256' credential_scope = (datestamp + '/' + region + '/' + service + '/' + 'aws4_request') string_to_sign = (algorithm + '\n' + amzdate + '\n' + credential_scope + '\n' + hashlib.sha256(canonical_request.encode('utf8')).hexdigest()) signing_key = getSignatureKey(self.secret_access_key, datestamp, region, service) signature = hmac.new(signing_key, string_to_sign.encode('utf-8'), hashlib.sha256).hexdigest() authorization_header = (algorithm + ' ' + 'Credential=' + self. access_id + '/' + credential_scope + ', ' + 'SignedHeaders=' + signed_headers + ', ' + 'Signature=' + signature) headers = {'X-Amz-Date': amzdate, 'Authorization': authorization_header, 'Content-Type': 'application/xml', 'Accept': 'application/xml'} request_url = endpoint + '?' + canonical_querystring return request_url, headers
create_v4_signature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request_params):\n method = 'GET'\n service = 'awis'\n host = 'awis.us-west-1.amazonaws.com'\n region = 'us-west-1'\n endpoint = 'https://awis.amazonaws.com/api'\n request_parameters = urlencode([(key, request_params[key]) for key in\n sorted(request_params.keys())])\n\n def x(key, msg):\n return hmac.new(key, msg.encode('utf-8'), hashlib.sha256).digest()\n\n def x(key, dateStamp, regionName, serviceName):\n kDate = sign(('AWS4' + key).encode('utf-8'), dateStamp)\n kRegion = sign(kDate, regionName)\n kService = sign(kRegion, serviceName)\n kSigning = sign(kService, 'aws4_request')\n return kSigning\n t = datetime.datetime.utcnow()\n amzdate = t.strftime('%Y%m%dT%H%M%SZ')\n datestamp = t.strftime('%Y%m%d')\n canonical_uri = '/api'\n canonical_querystring = request_parameters\n canonical_headers = 'host:' + host + '\\n' + 'x-amz-date:' + amzdate + '\\n'\n signed_headers = 'host;x-amz-date'\n payload_hash = hashlib.sha256(''.encode('utf8')).hexdigest()\n canonical_request = (method + '\\n' + canonical_uri + '\\n' +\n canonical_querystring + '\\n' + canonical_headers + '\\n' +\n signed_headers + '\\n' + payload_hash)\n algorithm = 'AWS4-HMAC-SHA256'\n credential_scope = (datestamp + '/' + region + '/' + service + '/' +\n 'aws4_request')\n string_to_sign = (algorithm + '\\n' + amzdate + '\\n' + credential_scope +\n '\\n' + hashlib.sha256(canonical_request.encode('utf8')).hexdigest())\n signing_key = getSignatureKey(self.secret_access_key, datestamp, region,\n service)\n signature = hmac.new(signing_key, string_to_sign.encode('utf-8'),\n hashlib.sha256).hexdigest()\n authorization_header = (algorithm + ' ' + 'Credential=' + self.\n access_id + '/' + credential_scope + ', ' + 'SignedHeaders=' +\n signed_headers + ', ' + 'Signature=' + signature)\n headers = {'X-Amz-Date': amzdate, 'Authorization': authorization_header,\n 'Content-Type': 'application/xml', 'Accept': 'application/xml'}\n request_url = endpoint + '?' + canonical_querystring\n return request_url, headers\n", "role": "user" }, { "content": "create_v4_signature", "role": "assistant" } ]
def x(self, domain, response_group=URLINFO_RESPONSE_GROUPS): params = {'Action': 'UrlInfo', 'Url': domain, 'ResponseGroup': response_group} url, headers = self.create_v4_signature(params) return self.return_output(url, headers)
urlinfo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, domain, response_group=URLINFO_RESPONSE_GROUPS):\n params = {'Action': 'UrlInfo', 'Url': domain, 'ResponseGroup':\n response_group}\n url, headers = self.create_v4_signature(params)\n return self.return_output(url, headers)\n", "role": "user" }, { "content": "urlinfo", "role": "assistant" } ]
def x(self, domain, response_group=TRAFFICINFO_RESPONSE_GROUPS, myrange=31, start=20070801): params = {'Action': 'TrafficHistory', 'Url': domain, 'ResponseGroup': response_group, 'Range': myrange, 'Start': start} url, headers = self.create_v4_signature(params) return self.return_output(url, headers)
traffichistory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, domain, response_group=TRAFFICINFO_RESPONSE_GROUPS, myrange=31,\n start=20070801):\n params = {'Action': 'TrafficHistory', 'Url': domain, 'ResponseGroup':\n response_group, 'Range': myrange, 'Start': start}\n url, headers = self.create_v4_signature(params)\n return self.return_output(url, headers)\n", "role": "user" }, { "content": "traffichistory", "role": "assistant" } ]
def x(self, domain, path, response_group=CATEGORYBROWSE_RESPONSE_GROUPS, descriptions='True'): params = {'Action': 'CategoryListings', 'ResponseGroup': 'Listings', 'Path': quote(path), 'Descriptions': descriptions} url, headers = self.create_v4_signature(params) return self.return_output(url, headers)
cat_browse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, domain, path, response_group=CATEGORYBROWSE_RESPONSE_GROUPS,\n descriptions='True'):\n params = {'Action': 'CategoryListings', 'ResponseGroup': 'Listings',\n 'Path': quote(path), 'Descriptions': descriptions}\n url, headers = self.create_v4_signature(params)\n return self.return_output(url, headers)\n", "role": "user" }, { "content": "cat_browse", "role": "assistant" } ]
def x(self, name, uri): parse_results = urlparse(uri) if parse_results.hostname is None: login_url = self.capabilities.get('Login') if not login_url: logger.error( 'There is no login URL stored, so additional capabilities cannot be added.' ) raise ValueError( 'Cannot automatically determine absolute path for {0!s} given.' .format(uri)) parts = urlparse(login_url) port = ':{}'.format(parts.port) if parts.port else '' uri = parts.scheme + '://' + parts.hostname + port + '/' + uri.lstrip( '/') self.capabilities[name] = uri
add_capability
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, uri):\n parse_results = urlparse(uri)\n if parse_results.hostname is None:\n login_url = self.capabilities.get('Login')\n if not login_url:\n logger.error(\n 'There is no login URL stored, so additional capabilities cannot be added.'\n )\n raise ValueError(\n 'Cannot automatically determine absolute path for {0!s} given.'\n .format(uri))\n parts = urlparse(login_url)\n port = ':{}'.format(parts.port) if parts.port else ''\n uri = parts.scheme + '://' + parts.hostname + port + '/' + uri.lstrip(\n '/')\n self.capabilities[name] = uri\n", "role": "user" }, { "content": "add_capability", "role": "assistant" } ]
def x(self): response = self._request('Login') parser = OneXLogin() parser.parse(response) self.session_id = response.cookies.get(self.session_id_cookie_name, '') if parser.headers.get('RETS-Version') is not None: self.version = str(parser.headers.get('RETS-Version')) self.client.headers['RETS-Version'] = self.version for k, v in parser.capabilities.items(): self.add_capability(k, v) if self.capabilities.get('Action'): self._request('Action') return True
login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n response = self._request('Login')\n parser = OneXLogin()\n parser.parse(response)\n self.session_id = response.cookies.get(self.session_id_cookie_name, '')\n if parser.headers.get('RETS-Version') is not None:\n self.version = str(parser.headers.get('RETS-Version'))\n self.client.headers['RETS-Version'] = self.version\n for k, v in parser.capabilities.items():\n self.add_capability(k, v)\n if self.capabilities.get('Action'):\n self._request('Action')\n return True\n", "role": "user" }, { "content": "login", "role": "assistant" } ]
def x(self, resource=None): result = self._make_metadata_request(meta_id=0, metadata_type= 'METADATA-RESOURCE') if resource: result = next((item for item in result if item['ResourceID'] == resource), None) return result
get_resource_metadata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, resource=None):\n result = self._make_metadata_request(meta_id=0, metadata_type=\n 'METADATA-RESOURCE')\n if resource:\n result = next((item for item in result if item['ResourceID'] ==\n resource), None)\n return result\n", "role": "user" }, { "content": "get_resource_metadata", "role": "assistant" } ]
def x(self, resource, resource_class): return self._make_metadata_request(meta_id=resource + ':' + resource_class, metadata_type='METADATA-TABLE')
get_table_metadata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, resource, resource_class):\n return self._make_metadata_request(meta_id=resource + ':' +\n resource_class, metadata_type='METADATA-TABLE')\n", "role": "user" }, { "content": "get_table_metadata", "role": "assistant" } ]
def x(self, resource, lookup_name): return self._make_metadata_request(meta_id=resource + ':' + lookup_name, metadata_type='METADATA-LOOKUP_TYPE')
get_lookup_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, resource, lookup_name):\n return self._make_metadata_request(meta_id=resource + ':' + lookup_name,\n metadata_type='METADATA-LOOKUP_TYPE')\n", "role": "user" }, { "content": "get_lookup_values", "role": "assistant" } ]
def x(self, meta_id, metadata_type=None): key = '{0!s}:{1!s}'.format(metadata_type, meta_id) if key in self.metadata_responses and self.cache_metadata: response = self.metadata_responses[key] else: response = self._request(capability='GetMetadata', options={'query': {'Type': metadata_type, 'ID': meta_id, 'Format': self. metadata_format}}) self.metadata_responses[key] = response if self.metadata_format == 'COMPACT-DECODED': parser = CompactMetadata() else: parser = StandardXMLetadata() try: return parser.parse(response=response, metadata_type=metadata_type) except RETSException as e: self.metadata_responses.pop(key, None) if self.metadata_format != 'STANDARD-XML' and e.reply_code in ['20513', '20514']: self.metadata_responses.pop(key, None) self.metadata_format = 'STANDARD-XML' return self._make_metadata_request(meta_id=meta_id, metadata_type=metadata_type) raise RETSException(e.reply_text, e.reply_code)
make_metadata_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, meta_id, metadata_type=None):\n key = '{0!s}:{1!s}'.format(metadata_type, meta_id)\n if key in self.metadata_responses and self.cache_metadata:\n response = self.metadata_responses[key]\n else:\n response = self._request(capability='GetMetadata', options={'query':\n {'Type': metadata_type, 'ID': meta_id, 'Format': self.\n metadata_format}})\n self.metadata_responses[key] = response\n if self.metadata_format == 'COMPACT-DECODED':\n parser = CompactMetadata()\n else:\n parser = StandardXMLetadata()\n try:\n return parser.parse(response=response, metadata_type=metadata_type)\n except RETSException as e:\n self.metadata_responses.pop(key, None)\n if self.metadata_format != 'STANDARD-XML' and e.reply_code in ['20513',\n '20514']:\n self.metadata_responses.pop(key, None)\n self.metadata_format = 'STANDARD-XML'\n return self._make_metadata_request(meta_id=meta_id,\n metadata_type=metadata_type)\n raise RETSException(e.reply_text, e.reply_code)\n", "role": "user" }, { "content": "make_metadata_request", "role": "assistant" } ]
def x(self, resource, object_type, content_id, location=0): collection = self.get_object(resource=resource, object_type=object_type, content_ids=content_id, object_ids='0', location=location) return collection[0]
get_preferred_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, resource, object_type, content_id, location=0):\n collection = self.get_object(resource=resource, object_type=object_type,\n content_ids=content_id, object_ids='0', location=location)\n return collection[0]\n", "role": "user" }, { "content": "get_preferred_object", "role": "assistant" } ]
def x(self, resource, object_type, content_ids, object_ids='*', location=0): object_helper = GetObject() request_ids = object_helper.ids(content_ids=content_ids, object_ids= object_ids) response = self._request(capability='GetObject', options={'query': { 'Resource': resource, 'Type': object_type, 'ID': ','.join( request_ids), 'Location': location}}) if 'multipart' in response.headers.get('Content-Type'): parser = MultipleObjectParser() collection = parser.parse_image_response(response) else: parser = SingleObjectParser() collection = [parser.parse_image_response(response)] return collection
get_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, resource, object_type, content_ids, object_ids='*', location=0):\n object_helper = GetObject()\n request_ids = object_helper.ids(content_ids=content_ids, object_ids=\n object_ids)\n response = self._request(capability='GetObject', options={'query': {\n 'Resource': resource, 'Type': object_type, 'ID': ','.join(\n request_ids), 'Location': location}})\n if 'multipart' in response.headers.get('Content-Type'):\n parser = MultipleObjectParser()\n collection = parser.parse_image_response(response)\n else:\n parser = SingleObjectParser()\n collection = [parser.parse_image_response(response)]\n return collection\n", "role": "user" }, { "content": "get_object", "role": "assistant" } ]
def x(self, resource, resource_class, search_filter=None, dmql_query=None, limit=9999999, offset=0, optional_parameters=None, auto_offset=True, query_type='DMQL2', standard_names=0, response_format='COMPACT-DECODED'): if search_filter and dmql_query or not search_filter and not dmql_query: raise ValueError('You may specify either a search_filter or dmql_query' ) search_helper = DMQLHelper() if dmql_query: dmql_query = search_helper.dmql(query=dmql_query) else: dmql_query = search_helper.filter_to_dmql(filter_dict=search_filter) parameters = {'SearchType': resource, 'Class': resource_class, 'Query': dmql_query, 'QueryType': query_type, 'Count': 1, 'Format': response_format, 'StandardNames': standard_names} if not optional_parameters: optional_parameters = {} parameters.update(optional_parameters) if 'Select' in parameters and isinstance(parameters.get('Select'), list): parameters['Select'] = ','.join(parameters['Select']) if limit: parameters['Limit'] = limit if offset: parameters['Offset'] = offset search_cursor = OneXSearchCursor() response = self._request(capability='Search', options={'query': parameters}, stream=True) try: return search_cursor.generator(response=response) except MaxrowException as max_exception: if auto_offset and limit > len(max_exception.rows_returned): new_limit = limit - len(max_exception.rows_returned) new_offset = offset + len(max_exception.rows_returned) results = self.search(resource=resource, resource_class= resource_class, search_filter=None, dmql_query=dmql_query, offset=new_offset, limit=new_limit, optional_parameters= optional_parameters, auto_offset=auto_offset) previous_results = max_exception.rows_returned return previous_results + results return max_exception.rows_returned
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, resource, resource_class, search_filter=None, dmql_query=None,\n limit=9999999, offset=0, optional_parameters=None, auto_offset=True,\n query_type='DMQL2', standard_names=0, response_format='COMPACT-DECODED'):\n if search_filter and dmql_query or not search_filter and not dmql_query:\n raise ValueError('You may specify either a search_filter or dmql_query'\n )\n search_helper = DMQLHelper()\n if dmql_query:\n dmql_query = search_helper.dmql(query=dmql_query)\n else:\n dmql_query = search_helper.filter_to_dmql(filter_dict=search_filter)\n parameters = {'SearchType': resource, 'Class': resource_class, 'Query':\n dmql_query, 'QueryType': query_type, 'Count': 1, 'Format':\n response_format, 'StandardNames': standard_names}\n if not optional_parameters:\n optional_parameters = {}\n parameters.update(optional_parameters)\n if 'Select' in parameters and isinstance(parameters.get('Select'), list):\n parameters['Select'] = ','.join(parameters['Select'])\n if limit:\n parameters['Limit'] = limit\n if offset:\n parameters['Offset'] = offset\n search_cursor = OneXSearchCursor()\n response = self._request(capability='Search', options={'query':\n parameters}, stream=True)\n try:\n return search_cursor.generator(response=response)\n except MaxrowException as max_exception:\n if auto_offset and limit > len(max_exception.rows_returned):\n new_limit = limit - len(max_exception.rows_returned)\n new_offset = offset + len(max_exception.rows_returned)\n results = self.search(resource=resource, resource_class=\n resource_class, search_filter=None, dmql_query=dmql_query,\n offset=new_offset, limit=new_limit, optional_parameters=\n optional_parameters, auto_offset=auto_offset)\n previous_results = max_exception.rows_returned\n return previous_results + results\n return max_exception.rows_returned\n", "role": "user" }, { "content": "search", "role": "assistant" } ]
def x(self, capability, options=None, stream=False): if options is None: options = {} options.update({'headers': self.client.headers.copy()}) url = self.capabilities.get(capability) if not url: msg = ( '{0!s} tried but no valid endpoints was found. Did you forget to Login?' .format(capability)) raise NotLoggedIn(msg) if self.user_agent_password: ua_digest = self._user_agent_digest_hash() options['headers']['RETS-UA-Authorization'] = 'Digest {0!s}'.format( ua_digest) if self.use_post_method and capability != 'Action': query = options.get('query') response = self.client.post(url, data=query, headers=options[ 'headers'], stream=stream) else: if 'query' in options: url += '?' + '&'.join('{0!s}={1!s}'.format(k, quote(str(v))) for k, v in options['query'].items()) response = self.client.get(url, headers=options['headers'], stream= stream) if response.status_code in [400, 401]: if capability == 'Login': m = ( 'Could not log into the RETS server with the provided credentials.' ) else: m = ( 'The RETS server returned a 401 status code. You must be logged in to make this request.' ) raise NotLoggedIn(m) elif response.status_code == 404 and self.use_post_method: raise HTTPException( 'Got a 404 when making a POST request. Try setting use_post_method=False when initializing the Session.' ) return response
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, capability, options=None, stream=False):\n if options is None:\n options = {}\n options.update({'headers': self.client.headers.copy()})\n url = self.capabilities.get(capability)\n if not url:\n msg = (\n '{0!s} tried but no valid endpoints was found. Did you forget to Login?'\n .format(capability))\n raise NotLoggedIn(msg)\n if self.user_agent_password:\n ua_digest = self._user_agent_digest_hash()\n options['headers']['RETS-UA-Authorization'] = 'Digest {0!s}'.format(\n ua_digest)\n if self.use_post_method and capability != 'Action':\n query = options.get('query')\n response = self.client.post(url, data=query, headers=options[\n 'headers'], stream=stream)\n else:\n if 'query' in options:\n url += '?' + '&'.join('{0!s}={1!s}'.format(k, quote(str(v))) for\n k, v in options['query'].items())\n response = self.client.get(url, headers=options['headers'], stream=\n stream)\n if response.status_code in [400, 401]:\n if capability == 'Login':\n m = (\n 'Could not log into the RETS server with the provided credentials.'\n )\n else:\n m = (\n 'The RETS server returned a 401 status code. You must be logged in to make this request.'\n )\n raise NotLoggedIn(m)\n elif response.status_code == 404 and self.use_post_method:\n raise HTTPException(\n 'Got a 404 when making a POST request. Try setting use_post_method=False when initializing the Session.'\n )\n return response\n", "role": "user" }, { "content": "request", "role": "assistant" } ]
def x(self): if not self.version: raise MissingVersion( 'A version is required for user agent auth. The RETS server should set thisautomatically but it has not. Please instantiate the session with a version argumentto provide the version.' ) version_number = self.version.strip('RETS/') user_str = '{0!s}:{1!s}'.format(self.user_agent, self.user_agent_password ).encode('utf-8') a1 = hashlib.md5(user_str).hexdigest() session_id = self.session_id if self.session_id is not None else '' digest_str = '{0!s}::{1!s}:{2!s}'.format(a1, session_id, version_number ).encode('utf-8') digest = hashlib.md5(digest_str).hexdigest() return digest
user_agent_digest_hash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.version:\n raise MissingVersion(\n 'A version is required for user agent auth. The RETS server should set thisautomatically but it has not. Please instantiate the session with a version argumentto provide the version.'\n )\n version_number = self.version.strip('RETS/')\n user_str = '{0!s}:{1!s}'.format(self.user_agent, self.user_agent_password\n ).encode('utf-8')\n a1 = hashlib.md5(user_str).hexdigest()\n session_id = self.session_id if self.session_id is not None else ''\n digest_str = '{0!s}::{1!s}:{2!s}'.format(a1, session_id, version_number\n ).encode('utf-8')\n digest = hashlib.md5(digest_str).hexdigest()\n return digest\n", "role": "user" }, { "content": "user_agent_digest_hash", "role": "assistant" } ]
def x(self, response): if response.content_type == u'text/html; charset=utf-8': endpoint = request.endpoint or '' view_func = current_app.view_functions.get(endpoint, None) name = '%s.%s' % (view_func.__module__, view_func.__name__ ) if view_func else '' if name in self._exempt_routes: return response response.direct_passthrough = False response.set_data(self._html_minify.minify(response.get_data( as_text=True))) return response return response
response_minify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response):\n if response.content_type == u'text/html; charset=utf-8':\n endpoint = request.endpoint or ''\n view_func = current_app.view_functions.get(endpoint, None)\n name = '%s.%s' % (view_func.__module__, view_func.__name__\n ) if view_func else ''\n if name in self._exempt_routes:\n return response\n response.direct_passthrough = False\n response.set_data(self._html_minify.minify(response.get_data(\n as_text=True)))\n return response\n return response\n", "role": "user" }, { "content": "response_minify", "role": "assistant" } ]
def x(self, obj): name = '%s.%s' % (obj.__module__, obj.__name__) @wraps(obj) def x(*a, **k): return obj(*a, **k) self._exempt_routes.add(name) return __inner
exempt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj):\n name = '%s.%s' % (obj.__module__, obj.__name__)\n\n @wraps(obj)\n def x(*a, **k):\n return obj(*a, **k)\n self._exempt_routes.add(name)\n return __inner\n", "role": "user" }, { "content": "exempt", "role": "assistant" } ]
def x(query): if isinstance(query, dict): raise ValueError( 'You supplied a dictionary to the dmql_query parameter, but a string is required. Did you mean to pass this to the search_filter parameter? ' ) if len(query) > 0 and query != '*' and query[0] != '(' and query[-1 ] != ')': query = '({})'.format(query) return query
dmql
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(query):\n if isinstance(query, dict):\n raise ValueError(\n 'You supplied a dictionary to the dmql_query parameter, but a string is required. Did you mean to pass this to the search_filter parameter? '\n )\n if len(query) > 0 and query != '*' and query[0] != '(' and query[-1\n ] != ')':\n query = '({})'.format(query)\n return query\n", "role": "user" }, { "content": "dmql", "role": "assistant" } ]
def x(filter_dict): if not isinstance(filter_dict, (dict, collections.OrderedDict)): raise TypeError('Expected a dictionary type buy got {} instead.'. format(type(filter_dict))) def x(val): return isinstance(val, (datetime.datetime, datetime.date, datetime. time)) def x(val): date_format = '%Y-%m-%d' time_format = '%H:%M:%S' datetime_format = '{}T{}'.format(date_format, time_format) if isinstance(val, datetime.datetime): evaluated = val.strftime(datetime_format) elif isinstance(val, datetime.date): evaluated = val.strftime(date_format) elif isinstance(val, datetime.time): evaluated = val.strftime(time_format) else: evaluated = val return evaluated def x(key_dict): allowed_operators = ['$gte', '$lte', '$contains', '$begins', '$ends', '$in', '$nin', '$neq'] if not all(op in allowed_operators for op in key_dict.keys()): raise ValueError( 'You have supplied an invalid operator. Please provide one of the following {}' .format(allowed_operators)) keys = key_dict.keys() string = '' if len(keys) == 2 and all(k in ['$gte', '$lte'] for k in keys): if all(is_date_time_type(key_dict[v]) for v in keys): string = '{}-{}'.format(evaluate_datetime(key_dict['$gte']), evaluate_datetime(key_dict['$lte'])) else: try: float(key_dict['$gte']) float(key_dict['$lte']) except ValueError: raise ValueError( '$gte and $lte expect numeric or datetime values') string = '{:.2f}-{:.2f}'.format(key_dict['$gte'], key_dict[ '$lte']) elif len(keys) == 1: if '$gte' in key_dict: if is_date_time_type(key_dict['$gte']): string = '{}+'.format(evaluate_datetime(key_dict['$gte'])) else: try: float(key_dict['$gte']) except ValueError: raise ValueError( '$gte expects a numeric value or a datetime object' ) string = '{:.2f}+'.format(key_dict['$gte']) elif '$lte' in key_dict: if is_date_time_type(key_dict['$lte']): string = '{}-'.format(evaluate_datetime(key_dict['$lte'])) else: try: float(key_dict['$lte']) except ValueError: raise ValueError( '$lte expects a numeric value or a datetime object' ) string = '{:.2f}-'.format(key_dict['$lte']) elif '$in' in key_dict: if not isinstance(key_dict['$in'], list): raise ValueError('$in expects a list of strings') key_dict['$in'] = [evaluate_datetime(v) for v in key_dict[ '$in']] if not all(isinstance(v, string_types) for v in key_dict['$in'] ): raise ValueError('$in expects a list of strings') options = ','.join(key_dict['$in']) string = '{}'.format(options) elif '$nin' in key_dict: if not isinstance(key_dict['$nin'], list): raise ValueError('$nin expects a list of strings') key_dict['$nin'] = [evaluate_datetime(v) for v in key_dict[ '$nin']] if not all(isinstance(v, string_types) for v in key_dict[ '$nin']): raise ValueError('$nin expects a list of strings') options = ','.join(key_dict['$nin']) string = '~{}'.format(options) elif '$contains' in key_dict: if not isinstance(key_dict['$contains'], string_types): raise ValueError('$contains expects a string.') string = '*{}*'.format(key_dict['$contains']) elif '$begins' in key_dict: if not isinstance(key_dict['$begins'], string_types): raise ValueError('$begins expects a string.') string = '{}*'.format(key_dict['$begins']) elif '$ends' in key_dict: if not isinstance(key_dict['$ends'], string_types): raise ValueError('$ends expects a string.') string = '*{}'.format(key_dict['$ends']) elif '$neq' in key_dict: string = '~{}'.format(key_dict['$neq']) else: raise ValueError( 'Please supply $gte and $lte for getting values between numbers or 1 of {}' .format(allowed_operators)) return string dmql_search_filters = [] for filt, value in filter_dict.items(): dmql_string = '({}='.format(filt) if isinstance(value, dict): dmql_string += evaluate_operators(key_dict=value) else: dmql_string += '{}'.format(evaluate_datetime(value)) dmql_string += ')' dmql_search_filters.append(dmql_string) search_string = ','.join(dmql_search_filters) logger.debug('Filter returned the following DMQL: {}'.format(search_string) ) return search_string
filter_to_dmql
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filter_dict):\n if not isinstance(filter_dict, (dict, collections.OrderedDict)):\n raise TypeError('Expected a dictionary type buy got {} instead.'.\n format(type(filter_dict)))\n\n def x(val):\n return isinstance(val, (datetime.datetime, datetime.date, datetime.\n time))\n\n def x(val):\n date_format = '%Y-%m-%d'\n time_format = '%H:%M:%S'\n datetime_format = '{}T{}'.format(date_format, time_format)\n if isinstance(val, datetime.datetime):\n evaluated = val.strftime(datetime_format)\n elif isinstance(val, datetime.date):\n evaluated = val.strftime(date_format)\n elif isinstance(val, datetime.time):\n evaluated = val.strftime(time_format)\n else:\n evaluated = val\n return evaluated\n\n def x(key_dict):\n allowed_operators = ['$gte', '$lte', '$contains', '$begins',\n '$ends', '$in', '$nin', '$neq']\n if not all(op in allowed_operators for op in key_dict.keys()):\n raise ValueError(\n 'You have supplied an invalid operator. Please provide one of the following {}'\n .format(allowed_operators))\n keys = key_dict.keys()\n string = ''\n if len(keys) == 2 and all(k in ['$gte', '$lte'] for k in keys):\n if all(is_date_time_type(key_dict[v]) for v in keys):\n string = '{}-{}'.format(evaluate_datetime(key_dict['$gte']),\n evaluate_datetime(key_dict['$lte']))\n else:\n try:\n float(key_dict['$gte'])\n float(key_dict['$lte'])\n except ValueError:\n raise ValueError(\n '$gte and $lte expect numeric or datetime values')\n string = '{:.2f}-{:.2f}'.format(key_dict['$gte'], key_dict[\n '$lte'])\n elif len(keys) == 1:\n if '$gte' in key_dict:\n if is_date_time_type(key_dict['$gte']):\n string = '{}+'.format(evaluate_datetime(key_dict['$gte']))\n else:\n try:\n float(key_dict['$gte'])\n except ValueError:\n raise ValueError(\n '$gte expects a numeric value or a datetime object'\n )\n string = '{:.2f}+'.format(key_dict['$gte'])\n elif '$lte' in key_dict:\n if is_date_time_type(key_dict['$lte']):\n string = '{}-'.format(evaluate_datetime(key_dict['$lte']))\n else:\n try:\n float(key_dict['$lte'])\n except ValueError:\n raise ValueError(\n '$lte expects a numeric value or a datetime object'\n )\n string = '{:.2f}-'.format(key_dict['$lte'])\n elif '$in' in key_dict:\n if not isinstance(key_dict['$in'], list):\n raise ValueError('$in expects a list of strings')\n key_dict['$in'] = [evaluate_datetime(v) for v in key_dict[\n '$in']]\n if not all(isinstance(v, string_types) for v in key_dict['$in']\n ):\n raise ValueError('$in expects a list of strings')\n options = ','.join(key_dict['$in'])\n string = '{}'.format(options)\n elif '$nin' in key_dict:\n if not isinstance(key_dict['$nin'], list):\n raise ValueError('$nin expects a list of strings')\n key_dict['$nin'] = [evaluate_datetime(v) for v in key_dict[\n '$nin']]\n if not all(isinstance(v, string_types) for v in key_dict[\n '$nin']):\n raise ValueError('$nin expects a list of strings')\n options = ','.join(key_dict['$nin'])\n string = '~{}'.format(options)\n elif '$contains' in key_dict:\n if not isinstance(key_dict['$contains'], string_types):\n raise ValueError('$contains expects a string.')\n string = '*{}*'.format(key_dict['$contains'])\n elif '$begins' in key_dict:\n if not isinstance(key_dict['$begins'], string_types):\n raise ValueError('$begins expects a string.')\n string = '{}*'.format(key_dict['$begins'])\n elif '$ends' in key_dict:\n if not isinstance(key_dict['$ends'], string_types):\n raise ValueError('$ends expects a string.')\n string = '*{}'.format(key_dict['$ends'])\n elif '$neq' in key_dict:\n string = '~{}'.format(key_dict['$neq'])\n else:\n raise ValueError(\n 'Please supply $gte and $lte for getting values between numbers or 1 of {}'\n .format(allowed_operators))\n return string\n dmql_search_filters = []\n for filt, value in filter_dict.items():\n dmql_string = '({}='.format(filt)\n if isinstance(value, dict):\n dmql_string += evaluate_operators(key_dict=value)\n else:\n dmql_string += '{}'.format(evaluate_datetime(value))\n dmql_string += ')'\n dmql_search_filters.append(dmql_string)\n search_string = ','.join(dmql_search_filters)\n logger.debug('Filter returned the following DMQL: {}'.format(search_string)\n )\n return search_string\n", "role": "user" }, { "content": "filter_to_dmql", "role": "assistant" } ]
def x(input_dict): return {k.lstrip('@'): v for k, v in input_dict.items() if k[0] == '@'}
get_attributes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input_dict):\n return {k.lstrip('@'): v for k, v in input_dict.items() if k[0] == '@'}\n", "role": "user" }, { "content": "get_attributes", "role": "assistant" } ]
def x(columns_string, dict_string, delimiter=None): if delimiter: return {k: v for k, v in zip(columns_string.split(delimiter), dict_string.split(delimiter))} else: return {k: v for k, v in zip(columns_string.split(), dict_string. split())}
data_columns_to_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(columns_string, dict_string, delimiter=None):\n if delimiter:\n return {k: v for k, v in zip(columns_string.split(delimiter),\n dict_string.split(delimiter))}\n else:\n return {k: v for k, v in zip(columns_string.split(), dict_string.\n split())}\n", "role": "user" }, { "content": "data_columns_to_dict", "role": "assistant" } ]
def x(self, xml_response_dict): if 'RETS-STATUS' in xml_response_dict: attributes = self.get_attributes(xml_response_dict['RETS-STATUS']) reply_code = attributes['ReplyCode'] reply_text = attributes.get('ReplyText', 'RETS did not supply a Reply Text.') logger.debug('Received ReplyCode of {0!s} from the RETS Server: {0!s}' .format(reply_code, reply_text)) if reply_code != '0': raise RETSException(reply_text, reply_code) elif 'RETS' not in xml_response_dict: raise RETSException( 'The <RETS> tag was expected in the response XML but it was not found.' ) attributes = self.get_attributes(input_dict=xml_response_dict['RETS']) if 'ReplyCode' not in attributes: return True reply_code = attributes['ReplyCode'] reply_text = attributes.get('ReplyText', 'RETS did not supply a Reply Text.') logger.debug('Received ReplyCode of {0!s} from the RETS Server: {0!s}'. format(reply_code, reply_text)) if reply_code != '0': raise RETSException(reply_text, reply_code)
analyze_reply_code
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, xml_response_dict):\n if 'RETS-STATUS' in xml_response_dict:\n attributes = self.get_attributes(xml_response_dict['RETS-STATUS'])\n reply_code = attributes['ReplyCode']\n reply_text = attributes.get('ReplyText',\n 'RETS did not supply a Reply Text.')\n logger.debug('Received ReplyCode of {0!s} from the RETS Server: {0!s}'\n .format(reply_code, reply_text))\n if reply_code != '0':\n raise RETSException(reply_text, reply_code)\n elif 'RETS' not in xml_response_dict:\n raise RETSException(\n 'The <RETS> tag was expected in the response XML but it was not found.'\n )\n attributes = self.get_attributes(input_dict=xml_response_dict['RETS'])\n if 'ReplyCode' not in attributes:\n return True\n reply_code = attributes['ReplyCode']\n reply_text = attributes.get('ReplyText',\n 'RETS did not supply a Reply Text.')\n logger.debug('Received ReplyCode of {0!s} from the RETS Server: {0!s}'.\n format(reply_code, reply_text))\n if reply_code != '0':\n raise RETSException(reply_text, reply_code)\n", "role": "user" }, { "content": "analyze_reply_code", "role": "assistant" } ]
def x(self, content_ids, object_ids): result = [] content_ids = self.split(content_ids, False) object_ids = self.split(object_ids) for cid in content_ids: result.append('{}:{}'.format(cid, ':'.join(object_ids))) return result
ids
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, content_ids, object_ids):\n result = []\n content_ids = self.split(content_ids, False)\n object_ids = self.split(object_ids)\n for cid in content_ids:\n result.append('{}:{}'.format(cid, ':'.join(object_ids)))\n return result\n", "role": "user" }, { "content": "ids", "role": "assistant" } ]
def x(value, dash_ranges=True): if isinstance(value, list): value = [str(v) for v in value] else: str_value = str(value) dash_matches = re.match(pattern='(\\d+)\\-(\\d+)', string=str_value) if ':' in str_value or ',' in str_value: value = [v.strip() for v in str_value.replace(',', ':').split(':')] elif dash_ranges and dash_matches: start_range = int(dash_matches.group(1)) end_range = int(dash_matches.group(2)) + 1 rng = range(start_range, end_range) value = [str(r) for r in rng] else: value = [str_value] return value
split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, dash_ranges=True):\n if isinstance(value, list):\n value = [str(v) for v in value]\n else:\n str_value = str(value)\n dash_matches = re.match(pattern='(\\\\d+)\\\\-(\\\\d+)', string=str_value)\n if ':' in str_value or ',' in str_value:\n value = [v.strip() for v in str_value.replace(',', ':').split(':')]\n elif dash_ranges and dash_matches:\n start_range = int(dash_matches.group(1))\n end_range = int(dash_matches.group(2)) + 1\n rng = range(start_range, end_range)\n value = [str(r) for r in rng]\n else:\n value = [str_value]\n return value\n", "role": "user" }, { "content": "split", "role": "assistant" } ]
def x(self, key, value): file_cache = self.read_file() if file_cache: file_cache[key] = value else: file_cache = {} file_cache[key] = value self.update_file(file_cache)
set_value
[ { "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 file_cache = self.read_file()\n if file_cache:\n file_cache[key] = value\n else:\n file_cache = {}\n file_cache[key] = value\n self.update_file(file_cache)\n", "role": "user" }, { "content": "set_value", "role": "assistant" } ]
def x(self, key): response = {} response['status'] = False response['msg'] = 'key does not exist' file_cache = self.read_file() if key in file_cache: del file_cache[key] self.update_file(file_cache) response['status'] = True response['msg'] = 'success' return response
delete_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n response = {}\n response['status'] = False\n response['msg'] = 'key does not exist'\n file_cache = self.read_file()\n if key in file_cache:\n del file_cache[key]\n self.update_file(file_cache)\n response['status'] = True\n response['msg'] = 'success'\n return response\n", "role": "user" }, { "content": "delete_value", "role": "assistant" } ]
def x(self): file_obj = open(self.file, 'r') content = file_obj.read() file_obj.close() if content: content = json.loads(content) return content else: return {}
read_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n file_obj = open(self.file, 'r')\n content = file_obj.read()\n file_obj.close()\n if content:\n content = json.loads(content)\n return content\n else:\n return {}\n", "role": "user" }, { "content": "read_file", "role": "assistant" } ]
def x(self, content): updated_content = json.dumps(content) file_obj = open(self.file, 'r+') file_obj.write(str(updated_content)) file_obj.close() return True
update_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, content):\n updated_content = json.dumps(content)\n file_obj = open(self.file, 'r+')\n file_obj.write(str(updated_content))\n file_obj.close()\n return True\n", "role": "user" }, { "content": "update_file", "role": "assistant" } ]
def x(self, response, metadata_type): xml = xmltodict.parse(response.text) self.analyze_reply_code(xml_response_dict=xml) base = xml.get('RETS', {}).get(metadata_type, {}) attributes = self.get_attributes(base) parsed = [] if base.get('System') or base.get('SYSTEM'): system_obj = {} if base.get('SYSTEM', {}).get('@SystemDescription'): system_obj['system_id'] = str(base['SYSTEM']['@SystemID']) if base.get('SYSTEM', {}).get('@SystemDescription'): system_obj['system_description'] = str(base['SYSTEM'][ '@SystemDescription']) if base.get('SYSTEM', {}).get('@TimeZoneOffset'): system_obj['timezone_offset'] = str(base['SYSTEM'][ '@TimeZoneOffset']) if base.get('SYSTEM', {}).get('Comments'): system_obj['comments'] = base['SYSTEM']['Comments'] if base.get('@Version'): system_obj['version'] = base['@Version'] parsed.append(system_obj) elif 'DATA' in base: if not isinstance(base['DATA'], list): base['DATA'] = [base['DATA']] for data in base['DATA']: data_dict = self.data_columns_to_dict(columns_string=base.get( 'COLUMNS', ''), dict_string=data) data_dict.update(attributes) parsed.append(data_dict) return parsed
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response, metadata_type):\n xml = xmltodict.parse(response.text)\n self.analyze_reply_code(xml_response_dict=xml)\n base = xml.get('RETS', {}).get(metadata_type, {})\n attributes = self.get_attributes(base)\n parsed = []\n if base.get('System') or base.get('SYSTEM'):\n system_obj = {}\n if base.get('SYSTEM', {}).get('@SystemDescription'):\n system_obj['system_id'] = str(base['SYSTEM']['@SystemID'])\n if base.get('SYSTEM', {}).get('@SystemDescription'):\n system_obj['system_description'] = str(base['SYSTEM'][\n '@SystemDescription'])\n if base.get('SYSTEM', {}).get('@TimeZoneOffset'):\n system_obj['timezone_offset'] = str(base['SYSTEM'][\n '@TimeZoneOffset'])\n if base.get('SYSTEM', {}).get('Comments'):\n system_obj['comments'] = base['SYSTEM']['Comments']\n if base.get('@Version'):\n system_obj['version'] = base['@Version']\n parsed.append(system_obj)\n elif 'DATA' in base:\n if not isinstance(base['DATA'], list):\n base['DATA'] = [base['DATA']]\n for data in base['DATA']:\n data_dict = self.data_columns_to_dict(columns_string=base.get(\n 'COLUMNS', ''), dict_string=data)\n data_dict.update(attributes)\n parsed.append(data_dict)\n return parsed\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(self, response, metadata_type): xml = xmltodict.parse(response.text) self.analyze_reply_code(xml_response_dict=xml) base = xml.get('RETS', {}).get('METADATA', {}).get(metadata_type, {}) if metadata_type == 'METADATA-SYSTEM': syst = base.get('System', base.get('SYSTEM')) if not syst: raise ParseError( 'Could not get the System key from a METADATA-SYSTEM request.') system_obj = {} if syst.get('SystemID'): system_obj['system_id'] = str(syst['SystemID']) if syst.get('SystemDescription'): system_obj['system_description'] = str(syst['SystemDescription']) if syst.get('Comments'): system_obj['comments'] = syst['Comments'] if base.get('@Version'): system_obj['version'] = base['@Version'] return [system_obj] elif metadata_type == 'METADATA-CLASS': key = 'class' elif metadata_type == 'METADATA-RESOURCE': key = 'resource' elif metadata_type == 'METADATA-LOOKUP_TYPE': key = 'lookuptype' elif metadata_type == 'METADATA-OBJECT': key = 'object' elif metadata_type == 'METADATA-TABLE': key = 'field' else: msg = 'Got an unknown metadata type of {0!s}'.format(metadata_type) raise ParseError(msg) key_cap = None for k in base.keys(): if k.lower() == key: key_cap = k if not key_cap: msg = 'Could not find {0!s} in the response XML'.format(key) raise ParseError(msg) if isinstance(base[key_cap], list): return base[key_cap] else: return [base[key_cap]]
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response, metadata_type):\n xml = xmltodict.parse(response.text)\n self.analyze_reply_code(xml_response_dict=xml)\n base = xml.get('RETS', {}).get('METADATA', {}).get(metadata_type, {})\n if metadata_type == 'METADATA-SYSTEM':\n syst = base.get('System', base.get('SYSTEM'))\n if not syst:\n raise ParseError(\n 'Could not get the System key from a METADATA-SYSTEM request.')\n system_obj = {}\n if syst.get('SystemID'):\n system_obj['system_id'] = str(syst['SystemID'])\n if syst.get('SystemDescription'):\n system_obj['system_description'] = str(syst['SystemDescription'])\n if syst.get('Comments'):\n system_obj['comments'] = syst['Comments']\n if base.get('@Version'):\n system_obj['version'] = base['@Version']\n return [system_obj]\n elif metadata_type == 'METADATA-CLASS':\n key = 'class'\n elif metadata_type == 'METADATA-RESOURCE':\n key = 'resource'\n elif metadata_type == 'METADATA-LOOKUP_TYPE':\n key = 'lookuptype'\n elif metadata_type == 'METADATA-OBJECT':\n key = 'object'\n elif metadata_type == 'METADATA-TABLE':\n key = 'field'\n else:\n msg = 'Got an unknown metadata type of {0!s}'.format(metadata_type)\n raise ParseError(msg)\n key_cap = None\n for k in base.keys():\n if k.lower() == key:\n key_cap = k\n if not key_cap:\n msg = 'Could not find {0!s} in the response XML'.format(key)\n raise ParseError(msg)\n if isinstance(base[key_cap], list):\n return base[key_cap]\n else:\n return [base[key_cap]]\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(response): boundary = None for part in response.headers.get('Content-Type', '').split(';'): if 'boundary=' in part: boundary = '--{}'.format(part.split('=', 1)[1].strip('"')) break if not boundary: raise ParseError( 'Was not able to find the boundary between objects in a multipart response' ) if response.content is None: return [] response_string = response.content if six.PY3: response_string = response_string.decode('latin-1') whole_body = response_string.strip('\r\n') no_front_boundary = whole_body.strip(boundary) multi_parts = [] for part in no_front_boundary.split(boundary): multi_parts.append(part.strip('\r\n')) return multi_parts
get_multiparts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(response):\n boundary = None\n for part in response.headers.get('Content-Type', '').split(';'):\n if 'boundary=' in part:\n boundary = '--{}'.format(part.split('=', 1)[1].strip('\"'))\n break\n if not boundary:\n raise ParseError(\n 'Was not able to find the boundary between objects in a multipart response'\n )\n if response.content is None:\n return []\n response_string = response.content\n if six.PY3:\n response_string = response_string.decode('latin-1')\n whole_body = response_string.strip('\\r\\n')\n no_front_boundary = whole_body.strip(boundary)\n multi_parts = []\n for part in no_front_boundary.split(boundary):\n multi_parts.append(part.strip('\\r\\n'))\n return multi_parts\n", "role": "user" }, { "content": "get_multiparts", "role": "assistant" } ]
def x(self, response): if 'xml' in response.headers.get('Content-Type'): xml = xmltodict.parse(response.text) self.analyze_reply_code(xml_response_dict=xml) multi_parts = self._get_multiparts(response) parsed = [] for part in multi_parts: clean_part = part.strip('\r\n\r\n') if '\r\n\r\n' in clean_part: header, body = clean_part.split('\r\n\r\n', 1) else: header = clean_part body = None part_header_dict = {k.strip(): v.strip() for k, v in (h.split(':', 1) for h in header.split('\r\n'))} if 'xml' in part_header_dict.get('Content-Type'): body = body[:body.index('/>') + 2] if '/>' in body else body xml = xmltodict.parse(body) try: self.analyze_reply_code(xml_response_dict=xml) except RETSException as e: if e.reply_code == '20403': continue raise e if body: obj = self._response_object_from_header(obj_head_dict= part_header_dict, content=body.encode('latin-1') if six.PY3 else body) else: obj = self._response_object_from_header(obj_head_dict= part_header_dict) parsed.append(obj) return parsed
parse_image_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response):\n if 'xml' in response.headers.get('Content-Type'):\n xml = xmltodict.parse(response.text)\n self.analyze_reply_code(xml_response_dict=xml)\n multi_parts = self._get_multiparts(response)\n parsed = []\n for part in multi_parts:\n clean_part = part.strip('\\r\\n\\r\\n')\n if '\\r\\n\\r\\n' in clean_part:\n header, body = clean_part.split('\\r\\n\\r\\n', 1)\n else:\n header = clean_part\n body = None\n part_header_dict = {k.strip(): v.strip() for k, v in (h.split(':', \n 1) for h in header.split('\\r\\n'))}\n if 'xml' in part_header_dict.get('Content-Type'):\n body = body[:body.index('/>') + 2] if '/>' in body else body\n xml = xmltodict.parse(body)\n try:\n self.analyze_reply_code(xml_response_dict=xml)\n except RETSException as e:\n if e.reply_code == '20403':\n continue\n raise e\n if body:\n obj = self._response_object_from_header(obj_head_dict=\n part_header_dict, content=body.encode('latin-1') if six.PY3\n else body)\n else:\n obj = self._response_object_from_header(obj_head_dict=\n part_header_dict)\n parsed.append(obj)\n return parsed\n", "role": "user" }, { "content": "parse_image_response", "role": "assistant" } ]
def x(self, response): if 'xml' in response.headers.get('Content-Type'): xml = xmltodict.parse(response.text) self.analyze_reply_code(xml_response_dict=xml) obj = self._response_object_from_header(obj_head_dict=response.headers, content=response.content) return obj
parse_image_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response):\n if 'xml' in response.headers.get('Content-Type'):\n xml = xmltodict.parse(response.text)\n self.analyze_reply_code(xml_response_dict=xml)\n obj = self._response_object_from_header(obj_head_dict=response.headers,\n content=response.content)\n return obj\n", "role": "user" }, { "content": "parse_image_response", "role": "assistant" } ]
def x(self): if not self.store_handler.has_value('access_token'): params = {} params['access_key'] = self.access_key params['secret_key'] = self.secret_key params['app_id'] = self.app_id params['device_id'] = self.device_id auth_url = self.api_path + 'auth/' response = self.get_response(auth_url, params, 'post') if 'auth' in response: self.store_handler.set_value('access_token', response['auth'][ 'access_token']) self.store_handler.set_value('expires', response['auth']['expires'] ) logger.info('Getting new access token') else: msg = ('Error getting access_token, ' + 'please verify your access_key, secret_key and app_id') logger.error(msg) raise Exception('Auth Failed, please check your access details')
auth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.store_handler.has_value('access_token'):\n params = {}\n params['access_key'] = self.access_key\n params['secret_key'] = self.secret_key\n params['app_id'] = self.app_id\n params['device_id'] = self.device_id\n auth_url = self.api_path + 'auth/'\n response = self.get_response(auth_url, params, 'post')\n if 'auth' in response:\n self.store_handler.set_value('access_token', response['auth'][\n 'access_token'])\n self.store_handler.set_value('expires', response['auth']['expires']\n )\n logger.info('Getting new access token')\n else:\n msg = ('Error getting access_token, ' +\n 'please verify your access_key, secret_key and app_id')\n logger.error(msg)\n raise Exception('Auth Failed, please check your access details')\n", "role": "user" }, { "content": "auth", "role": "assistant" } ]
def x(self, url, params={}, method='get'): if method == 'post': response_data = json.loads(requests.post(url, params=params).text) else: params['access_token'] = self.get_active_token() response_data = json.loads(requests.get(url, params=params).text) if not response_data['status_code'] == 200: if 'status_msg' in response_data: logger.error('Bad response: ' + response_data['status_msg']) else: logger.error('Some thing went wrong, please check your ' + 'request params Example: card_type and date') return response_data
get_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, params={}, method='get'):\n if method == 'post':\n response_data = json.loads(requests.post(url, params=params).text)\n else:\n params['access_token'] = self.get_active_token()\n response_data = json.loads(requests.get(url, params=params).text)\n if not response_data['status_code'] == 200:\n if 'status_msg' in response_data:\n logger.error('Bad response: ' + response_data['status_msg'])\n else:\n logger.error('Some thing went wrong, please check your ' +\n 'request params Example: card_type and date')\n return response_data\n", "role": "user" }, { "content": "get_response", "role": "assistant" } ]
def x(self): expire_time = self.store_handler.has_value('expires') access_token = self.store_handler.has_value('access_token') if expire_time and access_token: expire_time = self.store_handler.get_value('expires') if not datetime.now() < datetime.fromtimestamp(float(expire_time)): self.store_handler.delete_value('access_token') self.store_handler.delete_value('expires') logger.info('Access token expired, going to get new token') self.auth() else: logger.info('Access token noy expired yet') else: self.auth() return self.store_handler.get_value('access_token')
get_active_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n expire_time = self.store_handler.has_value('expires')\n access_token = self.store_handler.has_value('access_token')\n if expire_time and access_token:\n expire_time = self.store_handler.get_value('expires')\n if not datetime.now() < datetime.fromtimestamp(float(expire_time)):\n self.store_handler.delete_value('access_token')\n self.store_handler.delete_value('expires')\n logger.info('Access token expired, going to get new token')\n self.auth()\n else:\n logger.info('Access token noy expired yet')\n else:\n self.auth()\n return self.store_handler.get_value('access_token')\n", "role": "user" }, { "content": "get_active_token", "role": "assistant" } ]
def x(self, match_key, card_type='full_card'): match_url = self.api_path + 'match/' + match_key + '/' params = {} params['card_type'] = card_type response = self.get_response(match_url, params) return response
get_match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, match_key, card_type='full_card'):\n match_url = self.api_path + 'match/' + match_key + '/'\n params = {}\n params['card_type'] = card_type\n response = self.get_response(match_url, params)\n return response\n", "role": "user" }, { "content": "get_match", "role": "assistant" } ]
def x(self, card_type='micro_card'): recent_matches_url = self.api_path + 'recent_matches/' params = {} params['card_type'] = card_type response = self.get_response(recent_matches_url, params) return response
get_recent_matches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, card_type='micro_card'):\n recent_matches_url = self.api_path + 'recent_matches/'\n params = {}\n params['card_type'] = card_type\n response = self.get_response(recent_matches_url, params)\n return response\n", "role": "user" }, { "content": "get_recent_matches", "role": "assistant" } ]
def x(self, player_key, board_key): player_stats_url = (self.api_path + 'player/' + player_key + '/league/' + board_key + '/stats/') response = self.get_response(player_stats_url) return response
get_player_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, player_key, board_key):\n player_stats_url = (self.api_path + 'player/' + player_key + '/league/' +\n board_key + '/stats/')\n response = self.get_response(player_stats_url)\n return response\n", "role": "user" }, { "content": "get_player_stats", "role": "assistant" } ]
def x(self, match_key, over_key=None): if over_key: ball_by_ball_url = ('{base_path}match/{match_key}/balls/{over_key}/' .format(base_path=self.api_path, match_key=match_key, over_key= over_key)) else: ball_by_ball_url = '{base_path}match/{match_key}/balls/'.format( base_path=self.api_path, match_key=match_key) response = self.get_response(ball_by_ball_url) return response
get_ball_by_ball
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, match_key, over_key=None):\n if over_key:\n ball_by_ball_url = ('{base_path}match/{match_key}/balls/{over_key}/'\n .format(base_path=self.api_path, match_key=match_key, over_key=\n over_key))\n else:\n ball_by_ball_url = '{base_path}match/{match_key}/balls/'.format(\n base_path=self.api_path, match_key=match_key)\n response = self.get_response(ball_by_ball_url)\n return response\n", "role": "user" }, { "content": "get_ball_by_ball", "role": "assistant" } ]
def x(self, season_key): season_recent_matches_url = (self.api_path + 'season/' + season_key + '/recent_matches/') response = self.get_response(season_recent_matches_url) return response
get_recent_season_matches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, season_key):\n season_recent_matches_url = (self.api_path + 'season/' + season_key +\n '/recent_matches/')\n response = self.get_response(season_recent_matches_url)\n return response\n", "role": "user" }, { "content": "get_recent_season_matches", "role": "assistant" } ]
def x(self): recent_seasons_url = self.api_path + 'recent_seasons/' response = self.get_response(recent_seasons_url) return response
get_recent_seasons
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n recent_seasons_url = self.api_path + 'recent_seasons/'\n response = self.get_response(recent_seasons_url)\n return response\n", "role": "user" }, { "content": "get_recent_seasons", "role": "assistant" } ]
def x(self, date=None): schedule_url = self.api_path + 'schedule/' params = {} if date: params['date'] = date response = self.get_response(schedule_url, params) return response
get_schedule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, date=None):\n schedule_url = self.api_path + 'schedule/'\n params = {}\n if date:\n params['date'] = date\n response = self.get_response(schedule_url, params)\n return response\n", "role": "user" }, { "content": "get_schedule", "role": "assistant" } ]
def x(self, season_key): schedule_url = self.api_path + 'season/' + season_key + '/schedule/' response = self.get_response(schedule_url) return response
get_season_schedule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, season_key):\n schedule_url = self.api_path + 'season/' + season_key + '/schedule/'\n response = self.get_response(schedule_url)\n return response\n", "role": "user" }, { "content": "get_season_schedule", "role": "assistant" } ]
def x(self, season_key, card_type='micro_card'): season_url = self.api_path + 'season/' + season_key + '/' params = {} params['card_type'] = card_type response = self.get_response(season_url, params) return response
get_season
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, season_key, card_type='micro_card'):\n season_url = self.api_path + 'season/' + season_key + '/'\n params = {}\n params['card_type'] = card_type\n response = self.get_response(season_url, params)\n return response\n", "role": "user" }, { "content": "get_season", "role": "assistant" } ]
def x(self, season_key): season_stats_url = self.api_path + 'season/' + season_key + '/stats/' response = self.get_response(season_stats_url) return response
get_season_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, season_key):\n season_stats_url = self.api_path + 'season/' + season_key + '/stats/'\n response = self.get_response(season_stats_url)\n return response\n", "role": "user" }, { "content": "get_season_stats", "role": "assistant" } ]
def x(self, season_key, season_team_key, stats_type=None): params = {'stats_type': stats_type} season_team_url = (self.api_path + 'season/' + season_key + '/team/' + season_team_key + '/') response = self.get_response(season_team_url, params=params) return response
get_season_team
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, season_key, season_team_key, stats_type=None):\n params = {'stats_type': stats_type}\n season_team_url = (self.api_path + 'season/' + season_key + '/team/' +\n season_team_key + '/')\n response = self.get_response(season_team_url, params=params)\n return response\n", "role": "user" }, { "content": "get_season_team", "role": "assistant" } ]
def x(self, season_key): season_points_url = self.api_path + 'season/' + season_key + '/points/' response = self.get_response(season_points_url) return response
get_season_points
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, season_key):\n season_points_url = self.api_path + 'season/' + season_key + '/points/'\n response = self.get_response(season_points_url)\n return response\n", "role": "user" }, { "content": "get_season_points", "role": "assistant" } ]
def x(self, season_key, player_key): season_player_stats_url = (self.api_path + 'season/' + season_key + '/player/' + player_key + '/stats/') response = self.get_response(season_player_stats_url) return response
get_season_player_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, season_key, player_key):\n season_player_stats_url = (self.api_path + 'season/' + season_key +\n '/player/' + player_key + '/stats/')\n response = self.get_response(season_player_stats_url)\n return response\n", "role": "user" }, { "content": "get_season_player_stats", "role": "assistant" } ]
def x(self, match_key): overs_summary_url = (self.api_path + 'match/' + match_key + '/overs_summary/') response = self.get_response(overs_summary_url) return response
get_overs_summary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, match_key):\n overs_summary_url = (self.api_path + 'match/' + match_key +\n '/overs_summary/')\n response = self.get_response(overs_summary_url)\n return response\n", "role": "user" }, { "content": "get_overs_summary", "role": "assistant" } ]
def x(self): news_aggregation_url = self.api_path + 'news_aggregation' + '/' response = self.get_response(news_aggregation_url) return response
get_news_aggregation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n news_aggregation_url = self.api_path + 'news_aggregation' + '/'\n response = self.get_response(news_aggregation_url)\n return response\n", "role": "user" }, { "content": "get_news_aggregation", "role": "assistant" } ]
def x(self, match_key): fantasy_credit_url = (self.api_path_v3 + 'fantasy-match-credits/' + match_key + '/') response = self.get_response(fantasy_credit_url) return response
get_fantasy_credits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, match_key):\n fantasy_credit_url = (self.api_path_v3 + 'fantasy-match-credits/' +\n match_key + '/')\n response = self.get_response(fantasy_credit_url)\n return response\n", "role": "user" }, { "content": "get_fantasy_credits", "role": "assistant" } ]
def x(self, match_key): fantasy_points_url = (self.api_path_v3 + 'fantasy-match-points/' + match_key + '/') response = self.get_response(fantasy_points_url) return response
get_fantasy_points
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, match_key):\n fantasy_points_url = (self.api_path_v3 + 'fantasy-match-points/' +\n match_key + '/')\n response = self.get_response(fantasy_points_url)\n return response\n", "role": "user" }, { "content": "get_fantasy_points", "role": "assistant" } ]
def x(self): self.manage_submissions() out_string = self.options['format'] length = float('inf') while length > self.options['max_chars']: self.selected_submission = self.submissions.pop() length = len(self.selected_submission['title']) for k, v in self.selected_submission.items(): out_string = out_string.replace(k, self.h.unescape(str(v))) return self.output(out_string, out_string)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.manage_submissions()\n out_string = self.options['format']\n length = float('inf')\n while length > self.options['max_chars']:\n self.selected_submission = self.submissions.pop()\n length = len(self.selected_submission['title'])\n for k, v in self.selected_submission.items():\n out_string = out_string.replace(k, self.h.unescape(str(v)))\n return self.output(out_string, out_string)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self): data = {'user': self.options['username'], 'passwd': self.options[ 'password'], 'api_type': 'json'} response = self.client.post('http://www.reddit.com/api/login', data=data) self.client.modhash = response.json()['json']['data']['modhash']
login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n data = {'user': self.options['username'], 'passwd': self.options[\n 'password'], 'api_type': 'json'}\n response = self.client.post('http://www.reddit.com/api/login', data=data)\n self.client.modhash = response.json()['json']['data']['modhash']\n", "role": "user" }, { "content": "login", "role": "assistant" } ]
def x(self): if not hasattr(self, 'submissions') or len(self.submissions) == 1: self.submissions = [] if self.options['mode'] == 'front': if self.options['password'] and self.options['username']: self.login() url = 'http://reddit.com/.json?sort={0}'.format(self.options[ 'sort']) self.submissions = self.get_submissions(url) elif self.options['mode'] == 'subreddit': for subreddit in self.options['subreddits']: url = 'http://reddit.com/r/{0}/.json?sort={1}'.format(subreddit , self.options['limit']) self.submissions += self.get_submissions(url) else: return
manage_submissions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not hasattr(self, 'submissions') or len(self.submissions) == 1:\n self.submissions = []\n if self.options['mode'] == 'front':\n if self.options['password'] and self.options['username']:\n self.login()\n url = 'http://reddit.com/.json?sort={0}'.format(self.options[\n 'sort'])\n self.submissions = self.get_submissions(url)\n elif self.options['mode'] == 'subreddit':\n for subreddit in self.options['subreddits']:\n url = 'http://reddit.com/r/{0}/.json?sort={1}'.format(subreddit\n , self.options['limit'])\n self.submissions += self.get_submissions(url)\n else:\n return\n", "role": "user" }, { "content": "manage_submissions", "role": "assistant" } ]
def x(self, url): response = self.client.get(url, params={'limit': self.options['limit']}) submissions = [x['data'] for x in response.json()['data']['children']] return submissions
get_submissions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url):\n response = self.client.get(url, params={'limit': self.options['limit']})\n submissions = [x['data'] for x in response.json()['data']['children']]\n return submissions\n", "role": "user" }, { "content": "get_submissions", "role": "assistant" } ]
def x(self): try: cmus_output = subprocess.check_output(['cmus-remote', '-Q'], stderr =subprocess.STDOUT).decode('utf-8') except subprocess.CalledProcessError: return self.output(None, None) if 'duration' in cmus_output: status = self.convert_cmus_output(cmus_output) out_string = self.options['format'] for k, v in status.items(): out_string = out_string.replace(k, v) else: out_string = None return self.output(out_string, out_string)
main
[ { "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 cmus_output = subprocess.check_output(['cmus-remote', '-Q'], stderr\n =subprocess.STDOUT).decode('utf-8')\n except subprocess.CalledProcessError:\n return self.output(None, None)\n if 'duration' in cmus_output:\n status = self.convert_cmus_output(cmus_output)\n out_string = self.options['format']\n for k, v in status.items():\n out_string = out_string.replace(k, v)\n else:\n out_string = None\n return self.output(out_string, out_string)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self, cmus_output): cmus_output = cmus_output.split('\n') cmus_output = [x.replace('tag ', '') for x in cmus_output if not x in ''] cmus_output = [x.replace('set ', '') for x in cmus_output] status = {} partitioned = (item.partition(' ') for item in cmus_output) status = {item[0]: item[2] for item in partitioned} status['duration'] = self.convert_time(status['duration']) status['position'] = self.convert_time(status['position']) return status
convert_cmus_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmus_output):\n cmus_output = cmus_output.split('\\n')\n cmus_output = [x.replace('tag ', '') for x in cmus_output if not x in '']\n cmus_output = [x.replace('set ', '') for x in cmus_output]\n status = {}\n partitioned = (item.partition(' ') for item in cmus_output)\n status = {item[0]: item[2] for item in partitioned}\n status['duration'] = self.convert_time(status['duration'])\n status['position'] = self.convert_time(status['position'])\n return status\n", "role": "user" }, { "content": "convert_cmus_output", "role": "assistant" } ]
def x(self, time): time_string = str(datetime.timedelta(seconds=int(time))) if time_string.split(':')[0] == '0': time_string = time_string.partition(':')[2] return time_string
convert_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time):\n time_string = str(datetime.timedelta(seconds=int(time)))\n if time_string.split(':')[0] == '0':\n time_string = time_string.partition(':')[2]\n return time_string\n", "role": "user" }, { "content": "convert_time", "role": "assistant" } ]
def x(self, full_text, short_text): full_text = full_text.replace('\n', '') short_text = short_text.replace('\n', '') self.output_options.update({'full_text': full_text, 'short_text': short_text}) self.output_options = {k: v for k, v in self.output_options.items() if v} return self.output_options
output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, full_text, short_text):\n full_text = full_text.replace('\\n', '')\n short_text = short_text.replace('\\n', '')\n self.output_options.update({'full_text': full_text, 'short_text':\n short_text})\n self.output_options = {k: v for k, v in self.output_options.items() if v}\n return self.output_options\n", "role": "user" }, { "content": "output", "role": "assistant" } ]
def x(self, event): if event['button'] == 1 and 'button1' in self.options: subprocess.call(self.options['button1'].split()) elif event['button'] == 2 and 'button2' in self.options: subprocess.call(self.options['button2'].split()) elif event['button'] == 3 and 'button3' in self.options: subprocess.call(self.options['button3'].split())
on_click
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n if event['button'] == 1 and 'button1' in self.options:\n subprocess.call(self.options['button1'].split())\n elif event['button'] == 2 and 'button2' in self.options:\n subprocess.call(self.options['button2'].split())\n elif event['button'] == 3 and 'button3' in self.options:\n subprocess.call(self.options['button3'].split())\n", "role": "user" }, { "content": "on_click", "role": "assistant" } ]
def x(request): if request.method in ('GET', 'POST'): data = getattr(request, request.method) url_name = data.get('url_name') try: path = urls.reverse(url_name, args=data.getlist('args')) view_func, args, kwargs = urls.resolve(path) return http.HttpResponse(path, content_type='text/plain') except urls.NoReverseMatch: return http.HttpResponse('Error', content_type='text/plain') return http.HttpResponseNotAllowed(('GET', 'POST'))
url_reverse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n if request.method in ('GET', 'POST'):\n data = getattr(request, request.method)\n url_name = data.get('url_name')\n try:\n path = urls.reverse(url_name, args=data.getlist('args'))\n view_func, args, kwargs = urls.resolve(path)\n return http.HttpResponse(path, content_type='text/plain')\n except urls.NoReverseMatch:\n return http.HttpResponse('Error', content_type='text/plain')\n return http.HttpResponseNotAllowed(('GET', 'POST'))\n", "role": "user" }, { "content": "url_reverse", "role": "assistant" } ]
def x(request, image_id, thumb_options=None, width=None, height=None): image = File.objects.get(pk=image_id) if getattr(image, 'canonical_url', None): url = image.canonical_url else: url = image.url thumb = _return_thumbnail(image, thumb_options, width, height) if thumb: image = thumb url = image.url data = {'url': url, 'width': image.width, 'height': image.height} return http.HttpResponse(json.dumps(data), content_type='application/json')
url_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, image_id, thumb_options=None, width=None, height=None):\n image = File.objects.get(pk=image_id)\n if getattr(image, 'canonical_url', None):\n url = image.canonical_url\n else:\n url = image.url\n thumb = _return_thumbnail(image, thumb_options, width, height)\n if thumb:\n image = thumb\n url = image.url\n data = {'url': url, 'width': image.width, 'height': image.height}\n return http.HttpResponse(json.dumps(data), content_type='application/json')\n", "role": "user" }, { "content": "url_image", "role": "assistant" } ]
def x(request): response_data = [{'id': opt.pk, 'name': opt.name} for opt in ThumbnailOption.objects.all()] return http.HttpResponse(json.dumps(response_data), content_type= 'application/json')
thumbnail_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n response_data = [{'id': opt.pk, 'name': opt.name} for opt in\n ThumbnailOption.objects.all()]\n return http.HttpResponse(json.dumps(response_data), content_type=\n 'application/json')\n", "role": "user" }, { "content": "thumbnail_options", "role": "assistant" } ]
def x(request, image_id, thumb_options=None, width=None, height=None): image = File.objects.get(pk=image_id) if getattr(image, 'canonical_url', None): url = image.canonical_url else: url = image.url thumb = _return_thumbnail(image, thumb_options, width, height) if thumb: return server.serve(request, file_obj=thumb, save_as=False) else: return HttpResponseRedirect(url)
serve_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, image_id, thumb_options=None, width=None, height=None):\n image = File.objects.get(pk=image_id)\n if getattr(image, 'canonical_url', None):\n url = image.canonical_url\n else:\n url = image.url\n thumb = _return_thumbnail(image, thumb_options, width, height)\n if thumb:\n return server.serve(request, file_obj=thumb, save_as=False)\n else:\n return HttpResponseRedirect(url)\n", "role": "user" }, { "content": "serve_image", "role": "assistant" } ]
def x(self, path): try: os.makedirs(path) except OSError as e: if e.errno != errno.EEXIST: raise
touch_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n try:\n os.makedirs(path)\n except OSError as e:\n if e.errno != errno.EEXIST:\n raise\n", "role": "user" }, { "content": "touch_dir", "role": "assistant" } ]
def x(self): self._conf = configparser.ConfigParser() self._conf.optionxform = str self._conf.read(self.config_file_path) if 'general' not in self._conf.keys(): raise IncompleteConfigurationFile('Missing the general section') general = self._replace_data_types(dict(self._conf.items('general'))) self._conf.remove_section('general') plugin = [] for section in self._conf.sections(): plugin.append(dict(self._conf.items(section))) plugin[-1].update({'name': section}) plugin[-1] = self._replace_data_types(plugin[-1]) return plugin, general
reload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._conf = configparser.ConfigParser()\n self._conf.optionxform = str\n self._conf.read(self.config_file_path)\n if 'general' not in self._conf.keys():\n raise IncompleteConfigurationFile('Missing the general section')\n general = self._replace_data_types(dict(self._conf.items('general')))\n self._conf.remove_section('general')\n plugin = []\n for section in self._conf.sections():\n plugin.append(dict(self._conf.items(section)))\n plugin[-1].update({'name': section})\n plugin[-1] = self._replace_data_types(plugin[-1])\n return plugin, general\n", "role": "user" }, { "content": "reload", "role": "assistant" } ]
def x(dictionary): logging_levels = {'NONE': 0, 'NULL': 0, 'DEBUG': 10, 'INFO': 20, 'WARNING': 30, 'ERROR': 40, 'CRITICAL': 50} for k, v in dictionary.items(): if v in ['true', 'True', 'on']: dictionary[k] = True elif v in ['false', 'False', 'off']: dictionary[k] = False elif k == 'log_file' and '~' in v: dictionary[k] = v.replace('~', os.path.expanduser('~')) elif v in logging_levels: dictionary[k] = logging_levels[v] elif isinstance(v, str) and v.isnumeric(): dictionary[k] = int(v) elif ',' in v: dictionary[k] = [x.strip() for x in v.split(',')] return dictionary
replace_data_types
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dictionary):\n logging_levels = {'NONE': 0, 'NULL': 0, 'DEBUG': 10, 'INFO': 20,\n 'WARNING': 30, 'ERROR': 40, 'CRITICAL': 50}\n for k, v in dictionary.items():\n if v in ['true', 'True', 'on']:\n dictionary[k] = True\n elif v in ['false', 'False', 'off']:\n dictionary[k] = False\n elif k == 'log_file' and '~' in v:\n dictionary[k] = v.replace('~', os.path.expanduser('~'))\n elif v in logging_levels:\n dictionary[k] = logging_levels[v]\n elif isinstance(v, str) and v.isnumeric():\n dictionary[k] = int(v)\n elif ',' in v:\n dictionary[k] = [x.strip() for x in v.split(',')]\n return dictionary\n", "role": "user" }, { "content": "replace_data_types", "role": "assistant" } ]
def x(): coloredlogs.install(syslog=True) rotation_scheme = {} kw = dict(include_list=[], exclude_list=[]) parallel = False use_sudo = False selected_locations = [] try: options, arguments = getopt.getopt(sys.argv[1:], 'M:H:d:w:m:y:I:x:jpri:c:r:uC:nvqh', ['minutely=', 'hourly=', 'daily=', 'weekly=', 'monthly=', 'yearly=', 'include=', 'exclude=', 'parallel', 'prefer-recent', 'relaxed', 'ionice=', 'config=', 'use-sudo', 'dry-run', 'removal-command=', 'verbose', 'quiet', 'help']) for option, value in options: if option in ('-M', '--minutely'): rotation_scheme['minutely'] = coerce_retention_period(value) elif option in ('-H', '--hourly'): rotation_scheme['hourly'] = coerce_retention_period(value) elif option in ('-d', '--daily'): rotation_scheme['daily'] = coerce_retention_period(value) elif option in ('-w', '--weekly'): rotation_scheme['weekly'] = coerce_retention_period(value) elif option in ('-m', '--monthly'): rotation_scheme['monthly'] = coerce_retention_period(value) elif option in ('-y', '--yearly'): rotation_scheme['yearly'] = coerce_retention_period(value) elif option in ('-I', '--include'): kw['include_list'].append(value) elif option in ('-x', '--exclude'): kw['exclude_list'].append(value) elif option in ('-j', '--parallel'): parallel = True elif option in ('-p', '--prefer-recent'): kw['prefer_recent'] = True elif option in ('-r', '--relaxed'): kw['strict'] = False elif option in ('-i', '--ionice'): value = validate_ionice_class(value.lower().strip()) kw['io_scheduling_class'] = value elif option in ('-c', '--config'): kw['config_file'] = parse_path(value) elif option in ('-u', '--use-sudo'): use_sudo = True elif option in ('-n', '--dry-run'): logger.info('Performing a dry run (because of %s option) ..', option) kw['dry_run'] = True elif option in ('-C', '--removal-command'): removal_command = shlex.split(value) logger.info('Using custom removal command: %s', removal_command ) kw['removal_command'] = removal_command elif option in ('-v', '--verbose'): coloredlogs.increase_verbosity() elif option in ('-q', '--quiet'): coloredlogs.decrease_verbosity() elif option in ('-h', '--help'): usage(__doc__) return else: assert False, 'Unhandled option! (programming error)' if rotation_scheme: logger.verbose('Rotation scheme defined on command line: %s', rotation_scheme) if arguments: location_source = 'command line arguments' selected_locations.extend(coerce_location(value, sudo=use_sudo) for value in arguments) else: location_source = 'configuration file' selected_locations.extend(location for location, rotation_scheme, options in load_config_file( configuration_file=kw.get('config_file'), expand=True)) if selected_locations: logger.verbose('Selected %s based on %s:', pluralize(len( selected_locations), 'location'), location_source) for number, location in enumerate(selected_locations, start=1): logger.verbose(' %i. %s', number, location) else: logger.verbose('No location(s) to rotate selected.') usage(__doc__) return except Exception as e: logger.error('%s', e) sys.exit(1) program = RotateBackups(rotation_scheme, **kw) if parallel: program.rotate_concurrent(*selected_locations) else: for location in selected_locations: program.rotate_backups(location)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n coloredlogs.install(syslog=True)\n rotation_scheme = {}\n kw = dict(include_list=[], exclude_list=[])\n parallel = False\n use_sudo = False\n selected_locations = []\n try:\n options, arguments = getopt.getopt(sys.argv[1:],\n 'M:H:d:w:m:y:I:x:jpri:c:r:uC:nvqh', ['minutely=', 'hourly=',\n 'daily=', 'weekly=', 'monthly=', 'yearly=', 'include=',\n 'exclude=', 'parallel', 'prefer-recent', 'relaxed', 'ionice=',\n 'config=', 'use-sudo', 'dry-run', 'removal-command=', 'verbose',\n 'quiet', 'help'])\n for option, value in options:\n if option in ('-M', '--minutely'):\n rotation_scheme['minutely'] = coerce_retention_period(value)\n elif option in ('-H', '--hourly'):\n rotation_scheme['hourly'] = coerce_retention_period(value)\n elif option in ('-d', '--daily'):\n rotation_scheme['daily'] = coerce_retention_period(value)\n elif option in ('-w', '--weekly'):\n rotation_scheme['weekly'] = coerce_retention_period(value)\n elif option in ('-m', '--monthly'):\n rotation_scheme['monthly'] = coerce_retention_period(value)\n elif option in ('-y', '--yearly'):\n rotation_scheme['yearly'] = coerce_retention_period(value)\n elif option in ('-I', '--include'):\n kw['include_list'].append(value)\n elif option in ('-x', '--exclude'):\n kw['exclude_list'].append(value)\n elif option in ('-j', '--parallel'):\n parallel = True\n elif option in ('-p', '--prefer-recent'):\n kw['prefer_recent'] = True\n elif option in ('-r', '--relaxed'):\n kw['strict'] = False\n elif option in ('-i', '--ionice'):\n value = validate_ionice_class(value.lower().strip())\n kw['io_scheduling_class'] = value\n elif option in ('-c', '--config'):\n kw['config_file'] = parse_path(value)\n elif option in ('-u', '--use-sudo'):\n use_sudo = True\n elif option in ('-n', '--dry-run'):\n logger.info('Performing a dry run (because of %s option) ..',\n option)\n kw['dry_run'] = True\n elif option in ('-C', '--removal-command'):\n removal_command = shlex.split(value)\n logger.info('Using custom removal command: %s', removal_command\n )\n kw['removal_command'] = removal_command\n elif option in ('-v', '--verbose'):\n coloredlogs.increase_verbosity()\n elif option in ('-q', '--quiet'):\n coloredlogs.decrease_verbosity()\n elif option in ('-h', '--help'):\n usage(__doc__)\n return\n else:\n assert False, 'Unhandled option! (programming error)'\n if rotation_scheme:\n logger.verbose('Rotation scheme defined on command line: %s',\n rotation_scheme)\n if arguments:\n location_source = 'command line arguments'\n selected_locations.extend(coerce_location(value, sudo=use_sudo) for\n value in arguments)\n else:\n location_source = 'configuration file'\n selected_locations.extend(location for location,\n rotation_scheme, options in load_config_file(\n configuration_file=kw.get('config_file'), expand=True))\n if selected_locations:\n logger.verbose('Selected %s based on %s:', pluralize(len(\n selected_locations), 'location'), location_source)\n for number, location in enumerate(selected_locations, start=1):\n logger.verbose(' %i. %s', number, location)\n else:\n logger.verbose('No location(s) to rotate selected.')\n usage(__doc__)\n return\n except Exception as e:\n logger.error('%s', e)\n sys.exit(1)\n program = RotateBackups(rotation_scheme, **kw)\n if parallel:\n program.rotate_concurrent(*selected_locations)\n else:\n for location in selected_locations:\n program.rotate_backups(location)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self, prop): with open(os.path.join(self.options['battery_path'], prop), 'r') as f: return f.readline().strip()
get_battery_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, prop):\n with open(os.path.join(self.options['battery_path'], prop), 'r') as f:\n return f.readline().strip()\n", "role": "user" }, { "content": "get_battery_state", "role": "assistant" } ]
def x(value, **options): if not isinstance(value, Location): if not isinstance(value, string_types): msg = 'Expected Location object or string, got %s instead!' raise ValueError(msg % type(value)) ssh_alias, _, directory = value.partition(':') if ssh_alias and directory and '/' not in ssh_alias: options['ssh_alias'] = ssh_alias else: directory = value value = Location(context=create_context(**options), directory= parse_path(directory)) return value
coerce_location
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, **options):\n if not isinstance(value, Location):\n if not isinstance(value, string_types):\n msg = 'Expected Location object or string, got %s instead!'\n raise ValueError(msg % type(value))\n ssh_alias, _, directory = value.partition(':')\n if ssh_alias and directory and '/' not in ssh_alias:\n options['ssh_alias'] = ssh_alias\n else:\n directory = value\n value = Location(context=create_context(**options), directory=\n parse_path(directory))\n return value\n", "role": "user" }, { "content": "coerce_location", "role": "assistant" } ]
def x(value): if not isinstance(value, numbers.Number): if not isinstance(value, string_types): msg = 'Expected string, got %s instead!' raise ValueError(msg % type(value)) value = value.strip() if value.lower() == 'always': value = 'always' else: value = simple_eval(value) if not isinstance(value, numbers.Number): msg = 'Expected numeric result, got %s instead!' raise ValueError(msg % type(value)) return value
coerce_retention_period
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if not isinstance(value, numbers.Number):\n if not isinstance(value, string_types):\n msg = 'Expected string, got %s instead!'\n raise ValueError(msg % type(value))\n value = value.strip()\n if value.lower() == 'always':\n value = 'always'\n else:\n value = simple_eval(value)\n if not isinstance(value, numbers.Number):\n msg = 'Expected numeric result, got %s instead!'\n raise ValueError(msg % type(value))\n return value\n", "role": "user" }, { "content": "coerce_retention_period", "role": "assistant" } ]
def x(configuration_file=None, expand=True): expand_notice_given = False if configuration_file: loader = ConfigLoader(available_files=[configuration_file], strict=True ) else: loader = ConfigLoader(program_name='rotate-backups', strict=False) for section in loader.section_names: items = dict(loader.get_options(section)) context_options = {} if coerce_boolean(items.get('use-sudo')): context_options['sudo'] = True if items.get('ssh-user'): context_options['ssh_user'] = items['ssh-user'] location = coerce_location(section, **context_options) rotation_scheme = dict((name, coerce_retention_period(items[name])) for name in SUPPORTED_FREQUENCIES if name in items) options = dict(include_list=split(items.get('include-list', '')), exclude_list=split(items.get('exclude-list', '')), io_scheduling_class=items.get('ionice'), strict=coerce_boolean( items.get('strict', 'yes')), prefer_recent=coerce_boolean(items .get('prefer-recent', 'no'))) if items.get('removal-command'): options['removal_command'] = shlex.split(items['removal-command']) if expand and location.have_wildcards: logger.verbose('Expanding filename pattern %s on %s ..', location.directory, location.context) if location.is_remote and not expand_notice_given: logger.notice( 'Expanding remote filename patterns (may be slow) ..') expand_notice_given = True for match in sorted(location.context.glob(location.directory)): if location.context.is_directory(match): logger.verbose('Matched directory: %s', match) expanded = Location(context=location.context, directory =match) yield expanded, rotation_scheme, options else: logger.verbose('Ignoring match (not a directory): %s', match) else: yield location, rotation_scheme, options
load_config_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(configuration_file=None, expand=True):\n expand_notice_given = False\n if configuration_file:\n loader = ConfigLoader(available_files=[configuration_file], strict=True\n )\n else:\n loader = ConfigLoader(program_name='rotate-backups', strict=False)\n for section in loader.section_names:\n items = dict(loader.get_options(section))\n context_options = {}\n if coerce_boolean(items.get('use-sudo')):\n context_options['sudo'] = True\n if items.get('ssh-user'):\n context_options['ssh_user'] = items['ssh-user']\n location = coerce_location(section, **context_options)\n rotation_scheme = dict((name, coerce_retention_period(items[name])) for\n name in SUPPORTED_FREQUENCIES if name in items)\n options = dict(include_list=split(items.get('include-list', '')),\n exclude_list=split(items.get('exclude-list', '')),\n io_scheduling_class=items.get('ionice'), strict=coerce_boolean(\n items.get('strict', 'yes')), prefer_recent=coerce_boolean(items\n .get('prefer-recent', 'no')))\n if items.get('removal-command'):\n options['removal_command'] = shlex.split(items['removal-command'])\n if expand and location.have_wildcards:\n logger.verbose('Expanding filename pattern %s on %s ..',\n location.directory, location.context)\n if location.is_remote and not expand_notice_given:\n logger.notice(\n 'Expanding remote filename patterns (may be slow) ..')\n expand_notice_given = True\n for match in sorted(location.context.glob(location.directory)):\n if location.context.is_directory(match):\n logger.verbose('Matched directory: %s', match)\n expanded = Location(context=location.context, directory\n =match)\n yield expanded, rotation_scheme, options\n else:\n logger.verbose('Ignoring match (not a directory): %s',\n match)\n else:\n yield location, rotation_scheme, options\n", "role": "user" }, { "content": "load_config_file", "role": "assistant" } ]
def x(directory, rotation_scheme, **options): program = RotateBackups(rotation_scheme=rotation_scheme, **options) program.rotate_backups(directory)
rotate_backups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(directory, rotation_scheme, **options):\n program = RotateBackups(rotation_scheme=rotation_scheme, **options)\n program.rotate_backups(directory)\n", "role": "user" }, { "content": "rotate_backups", "role": "assistant" } ]
def x(self, *locations, **kw): timer = Timer() pool = CommandPool(concurrency=10) logger.info('Scanning %s ..', pluralize(len(locations), 'backup location')) for location in locations: for cmd in self.rotate_backups(location, prepare=True, **kw): pool.add(cmd) if pool.num_commands > 0: backups = pluralize(pool.num_commands, 'backup') logger.info('Preparing to rotate %s (in parallel) ..', backups) pool.run() logger.info('Successfully rotated %s in %s.', backups, timer)
rotate_concurrent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *locations, **kw):\n timer = Timer()\n pool = CommandPool(concurrency=10)\n logger.info('Scanning %s ..', pluralize(len(locations), 'backup location'))\n for location in locations:\n for cmd in self.rotate_backups(location, prepare=True, **kw):\n pool.add(cmd)\n if pool.num_commands > 0:\n backups = pluralize(pool.num_commands, 'backup')\n logger.info('Preparing to rotate %s (in parallel) ..', backups)\n pool.run()\n logger.info('Successfully rotated %s in %s.', backups, timer)\n", "role": "user" }, { "content": "rotate_concurrent", "role": "assistant" } ]
def x(self, location, load_config=True, prepare=False): rotation_commands = [] location = coerce_location(location) if load_config: location = self.load_config_file(location) sorted_backups = self.collect_backups(location) if not sorted_backups: logger.info('No backups found in %s.', location) return if not self.dry_run: location.ensure_writable() most_recent_backup = sorted_backups[-1] backups_by_frequency = self.group_backups(sorted_backups) self.apply_rotation_scheme(backups_by_frequency, most_recent_backup. timestamp) backups_to_preserve = self.find_preservation_criteria(backups_by_frequency) for backup in sorted_backups: friendly_name = backup.pathname if not location.is_remote: friendly_name = format_path(backup.pathname) if backup in backups_to_preserve: matching_periods = backups_to_preserve[backup] logger.info('Preserving %s (matches %s retention %s) ..', friendly_name, concatenate(map(repr, matching_periods)), 'period' if len(matching_periods) == 1 else 'periods') else: logger.info('Deleting %s ..', friendly_name) if not self.dry_run: removal_command = list(self.removal_command) removal_command.append(backup.pathname) command = location.context.prepare(command=removal_command, group_by=(location.ssh_alias, location.mount_point), ionice=self.io_scheduling_class) rotation_commands.append(command) if not prepare: timer = Timer() command.wait() logger.verbose('Deleted %s in %s.', friendly_name, timer) if len(backups_to_preserve) == len(sorted_backups): logger.info('Nothing to do! (all backups preserved)') return rotation_commands
rotate_backups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, location, load_config=True, prepare=False):\n rotation_commands = []\n location = coerce_location(location)\n if load_config:\n location = self.load_config_file(location)\n sorted_backups = self.collect_backups(location)\n if not sorted_backups:\n logger.info('No backups found in %s.', location)\n return\n if not self.dry_run:\n location.ensure_writable()\n most_recent_backup = sorted_backups[-1]\n backups_by_frequency = self.group_backups(sorted_backups)\n self.apply_rotation_scheme(backups_by_frequency, most_recent_backup.\n timestamp)\n backups_to_preserve = self.find_preservation_criteria(backups_by_frequency)\n for backup in sorted_backups:\n friendly_name = backup.pathname\n if not location.is_remote:\n friendly_name = format_path(backup.pathname)\n if backup in backups_to_preserve:\n matching_periods = backups_to_preserve[backup]\n logger.info('Preserving %s (matches %s retention %s) ..',\n friendly_name, concatenate(map(repr, matching_periods)), \n 'period' if len(matching_periods) == 1 else 'periods')\n else:\n logger.info('Deleting %s ..', friendly_name)\n if not self.dry_run:\n removal_command = list(self.removal_command)\n removal_command.append(backup.pathname)\n command = location.context.prepare(command=removal_command,\n group_by=(location.ssh_alias, location.mount_point),\n ionice=self.io_scheduling_class)\n rotation_commands.append(command)\n if not prepare:\n timer = Timer()\n command.wait()\n logger.verbose('Deleted %s in %s.', friendly_name, timer)\n if len(backups_to_preserve) == len(sorted_backups):\n logger.info('Nothing to do! (all backups preserved)')\n return rotation_commands\n", "role": "user" }, { "content": "rotate_backups", "role": "assistant" } ]
def x(self, location): location = coerce_location(location) for configured_location, rotation_scheme, options in load_config_file(self .config_file, expand=False): if configured_location.match(location): logger.verbose('Loading configuration for %s ..', location) if rotation_scheme: self.rotation_scheme = rotation_scheme for name, value in options.items(): if value: setattr(self, name, value) return Location(context=configured_location.context, directory= location.directory) logger.verbose('No configuration found for %s.', location) return location
load_config_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, location):\n location = coerce_location(location)\n for configured_location, rotation_scheme, options in load_config_file(self\n .config_file, expand=False):\n if configured_location.match(location):\n logger.verbose('Loading configuration for %s ..', location)\n if rotation_scheme:\n self.rotation_scheme = rotation_scheme\n for name, value in options.items():\n if value:\n setattr(self, name, value)\n return Location(context=configured_location.context, directory=\n location.directory)\n logger.verbose('No configuration found for %s.', location)\n return location\n", "role": "user" }, { "content": "load_config_file", "role": "assistant" } ]
def x(self, location): backups = [] location = coerce_location(location) logger.info('Scanning %s for backups ..', location) location.ensure_readable() for entry in natsort(location.context.list_entries(location.directory)): match = TIMESTAMP_PATTERN.search(entry) if match: if self.exclude_list and any(fnmatch.fnmatch(entry, p) for p in self.exclude_list): logger.verbose('Excluded %s (it matched the exclude list).', entry) elif self.include_list and not any(fnmatch.fnmatch(entry, p) for p in self.include_list): logger.verbose( "Excluded %s (it didn't match the include list).", entry) else: try: backups.append(Backup(pathname=os.path.join(location. directory, entry), timestamp=datetime.datetime(*( int(group, 10) for group in match.groups('0'))))) except ValueError as e: logger.notice('Ignoring %s due to invalid date (%s).', entry, e) else: logger.debug('Failed to match time stamp in filename: %s', entry) if backups: logger.info('Found %i timestamped backups in %s.', len(backups), location) return sorted(backups)
collect_backups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, location):\n backups = []\n location = coerce_location(location)\n logger.info('Scanning %s for backups ..', location)\n location.ensure_readable()\n for entry in natsort(location.context.list_entries(location.directory)):\n match = TIMESTAMP_PATTERN.search(entry)\n if match:\n if self.exclude_list and any(fnmatch.fnmatch(entry, p) for p in\n self.exclude_list):\n logger.verbose('Excluded %s (it matched the exclude list).',\n entry)\n elif self.include_list and not any(fnmatch.fnmatch(entry, p) for\n p in self.include_list):\n logger.verbose(\n \"Excluded %s (it didn't match the include list).\", entry)\n else:\n try:\n backups.append(Backup(pathname=os.path.join(location.\n directory, entry), timestamp=datetime.datetime(*(\n int(group, 10) for group in match.groups('0')))))\n except ValueError as e:\n logger.notice('Ignoring %s due to invalid date (%s).',\n entry, e)\n else:\n logger.debug('Failed to match time stamp in filename: %s', entry)\n if backups:\n logger.info('Found %i timestamped backups in %s.', len(backups),\n location)\n return sorted(backups)\n", "role": "user" }, { "content": "collect_backups", "role": "assistant" } ]
def x(self, backups): backups_by_frequency = dict((frequency, collections.defaultdict(list)) for frequency in SUPPORTED_FREQUENCIES) for b in backups: backups_by_frequency['minutely'][b.year, b.month, b.day, b.hour, b. minute].append(b) backups_by_frequency['hourly'][b.year, b.month, b.day, b.hour].append(b ) backups_by_frequency['daily'][b.year, b.month, b.day].append(b) backups_by_frequency['weekly'][b.year, b.week].append(b) backups_by_frequency['monthly'][b.year, b.month].append(b) backups_by_frequency['yearly'][b.year].append(b) return backups_by_frequency
group_backups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, backups):\n backups_by_frequency = dict((frequency, collections.defaultdict(list)) for\n frequency in SUPPORTED_FREQUENCIES)\n for b in backups:\n backups_by_frequency['minutely'][b.year, b.month, b.day, b.hour, b.\n minute].append(b)\n backups_by_frequency['hourly'][b.year, b.month, b.day, b.hour].append(b\n )\n backups_by_frequency['daily'][b.year, b.month, b.day].append(b)\n backups_by_frequency['weekly'][b.year, b.week].append(b)\n backups_by_frequency['monthly'][b.year, b.month].append(b)\n backups_by_frequency['yearly'][b.year].append(b)\n return backups_by_frequency\n", "role": "user" }, { "content": "group_backups", "role": "assistant" } ]
def x(self, backups_by_frequency, most_recent_backup): if not self.rotation_scheme: raise ValueError( 'Refusing to use empty rotation scheme! (all backups would be deleted)' ) for frequency, backups in backups_by_frequency.items(): if frequency not in self.rotation_scheme: backups.clear() else: for period, backups_in_period in backups.items(): index = -1 if self.prefer_recent else 0 selected_backup = sorted(backups_in_period)[index] backups[period] = [selected_backup] retention_period = self.rotation_scheme[frequency] if retention_period != 'always': if self.strict: minimum_date = most_recent_backup - SUPPORTED_FREQUENCIES[ frequency] * retention_period for period, backups_in_period in list(backups.items()): for backup in backups_in_period: if backup.timestamp < minimum_date: backups_in_period.remove(backup) if not backups_in_period: backups.pop(period) items_to_preserve = sorted(backups.items())[-retention_period:] backups_by_frequency[frequency] = dict(items_to_preserve)
apply_rotation_scheme
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, backups_by_frequency, most_recent_backup):\n if not self.rotation_scheme:\n raise ValueError(\n 'Refusing to use empty rotation scheme! (all backups would be deleted)'\n )\n for frequency, backups in backups_by_frequency.items():\n if frequency not in self.rotation_scheme:\n backups.clear()\n else:\n for period, backups_in_period in backups.items():\n index = -1 if self.prefer_recent else 0\n selected_backup = sorted(backups_in_period)[index]\n backups[period] = [selected_backup]\n retention_period = self.rotation_scheme[frequency]\n if retention_period != 'always':\n if self.strict:\n minimum_date = most_recent_backup - SUPPORTED_FREQUENCIES[\n frequency] * retention_period\n for period, backups_in_period in list(backups.items()):\n for backup in backups_in_period:\n if backup.timestamp < minimum_date:\n backups_in_period.remove(backup)\n if not backups_in_period:\n backups.pop(period)\n items_to_preserve = sorted(backups.items())[-retention_period:]\n backups_by_frequency[frequency] = dict(items_to_preserve)\n", "role": "user" }, { "content": "apply_rotation_scheme", "role": "assistant" } ]
def x(self, backups_by_frequency): backups_to_preserve = collections.defaultdict(list) for frequency, delta in ORDERED_FREQUENCIES: for period in backups_by_frequency[frequency].values(): for backup in period: backups_to_preserve[backup].append(frequency) return backups_to_preserve
find_preservation_criteria
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, backups_by_frequency):\n backups_to_preserve = collections.defaultdict(list)\n for frequency, delta in ORDERED_FREQUENCIES:\n for period in backups_by_frequency[frequency].values():\n for backup in period:\n backups_to_preserve[backup].append(frequency)\n return backups_to_preserve\n", "role": "user" }, { "content": "find_preservation_criteria", "role": "assistant" } ]
def x(self): try: return self.context.capture('stat', '--format=%m', self.directory, silent=True) except ExternalCommandFailed: return None
mount_point
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n return self.context.capture('stat', '--format=%m', self.directory,\n silent=True)\n except ExternalCommandFailed:\n return None\n", "role": "user" }, { "content": "mount_point", "role": "assistant" } ]
def x(self): if not self.context.is_directory(self.directory): if self.context.have_superuser_privileges: msg = "The directory %s doesn't exist!" raise ValueError(msg % self) else: raise ValueError(compact( """ The directory {location} isn't accessible, most likely because it doesn't exist or because of permissions. If you're sure the directory exists you can use the --use-sudo option. """ , location=self))
ensure_exists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.context.is_directory(self.directory):\n if self.context.have_superuser_privileges:\n msg = \"The directory %s doesn't exist!\"\n raise ValueError(msg % self)\n else:\n raise ValueError(compact(\n \"\"\"\n The directory {location} isn't accessible, most likely\n because it doesn't exist or because of permissions. If\n you're sure the directory exists you can use the\n --use-sudo option.\n \"\"\"\n , location=self))\n", "role": "user" }, { "content": "ensure_exists", "role": "assistant" } ]
def x(self): self.ensure_exists() if not self.context.is_readable(self.directory): if self.context.have_superuser_privileges: msg = "The directory %s isn't readable!" raise ValueError(msg % self) else: raise ValueError(compact( """ The directory {location} isn't readable, most likely because of permissions. Consider using the --use-sudo option. """ , location=self))
ensure_readable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.ensure_exists()\n if not self.context.is_readable(self.directory):\n if self.context.have_superuser_privileges:\n msg = \"The directory %s isn't readable!\"\n raise ValueError(msg % self)\n else:\n raise ValueError(compact(\n \"\"\"\n The directory {location} isn't readable, most likely\n because of permissions. Consider using the --use-sudo\n option.\n \"\"\"\n , location=self))\n", "role": "user" }, { "content": "ensure_readable", "role": "assistant" } ]
def x(self): self.ensure_exists() if not self.context.is_writable(self.directory): if self.context.have_superuser_privileges: msg = "The directory %s isn't writable!" raise ValueError(msg % self) else: raise ValueError(compact( """ The directory {location} isn't writable, most likely due to permissions. Consider using the --use-sudo option. """ , location=self))
ensure_writable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.ensure_exists()\n if not self.context.is_writable(self.directory):\n if self.context.have_superuser_privileges:\n msg = \"The directory %s isn't writable!\"\n raise ValueError(msg % self)\n else:\n raise ValueError(compact(\n \"\"\"\n The directory {location} isn't writable, most likely due\n to permissions. Consider using the --use-sudo option.\n \"\"\"\n , location=self))\n", "role": "user" }, { "content": "ensure_writable", "role": "assistant" } ]
def x(self, location): if self.ssh_alias != location.ssh_alias: return False elif self.have_wildcards: return fnmatch.fnmatch(location.directory, self.directory) else: self = os.path.normpath(self.directory) other = os.path.normpath(location.directory) return self == other
match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, location):\n if self.ssh_alias != location.ssh_alias:\n return False\n elif self.have_wildcards:\n return fnmatch.fnmatch(location.directory, self.directory)\n else:\n self = os.path.normpath(self.directory)\n other = os.path.normpath(location.directory)\n return self == other\n", "role": "user" }, { "content": "match", "role": "assistant" } ]
def x(filename, formatting, log_level): logger = logging.getLogger() if logger.handlers: logger.removeHandler(logger.handlers[0]) handler = logging.FileHandler(filename) logger.addHandler(handler) formatter = logging.Formatter(*formatting) handler.setFormatter(formatter) logger.setLevel(log_level) handler.setLevel(log_level) return logger
setup_file_logger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, formatting, log_level):\n logger = logging.getLogger()\n if logger.handlers:\n logger.removeHandler(logger.handlers[0])\n handler = logging.FileHandler(filename)\n logger.addHandler(handler)\n formatter = logging.Formatter(*formatting)\n handler.setFormatter(formatter)\n logger.setLevel(log_level)\n handler.setLevel(log_level)\n return logger\n", "role": "user" }, { "content": "setup_file_logger", "role": "assistant" } ]
def x(self, message, comma=True): if comma: message += ',' sys.stdout.write(message + '\n') sys.stdout.flush()
output_to_bar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message, comma=True):\n if comma:\n message += ','\n sys.stdout.write(message + '\\n')\n sys.stdout.flush()\n", "role": "user" }, { "content": "output_to_bar", "role": "assistant" } ]
def x(self): logging.debug('Reloading config file as files have been modified.') self.config.plugin, self.config.general = self.config.reload() logging.debug('Reloading plugins as files have been modified.') self.loader = plugin_manager.PluginLoader(self._plugin_path, self. config.plugin) self._plugin_mod_time = os.path.getmtime(self._plugin_path) self._config_mod_time = os.path.getmtime(self._config_file_path)
reload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logging.debug('Reloading config file as files have been modified.')\n self.config.plugin, self.config.general = self.config.reload()\n logging.debug('Reloading plugins as files have been modified.')\n self.loader = plugin_manager.PluginLoader(self._plugin_path, self.\n config.plugin)\n self._plugin_mod_time = os.path.getmtime(self._plugin_path)\n self._config_mod_time = os.path.getmtime(self._config_file_path)\n", "role": "user" }, { "content": "reload", "role": "assistant" } ]
def x(self): for obj in self.loader.objects: self.output_dict[obj.output_options['name']] = None self.thread_manager.add_thread(obj.main, obj.options['interval'])
run_plugins
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for obj in self.loader.objects:\n self.output_dict[obj.output_options['name']] = None\n self.thread_manager.add_thread(obj.main, obj.options['interval'])\n", "role": "user" }, { "content": "run_plugins", "role": "assistant" } ]
def x(self): self.run_plugins() while True: if self._config_mod_time != os.path.getmtime(self._config_file_path ) or self._plugin_mod_time != os.path.getmtime(self._plugin_path): self.thread_manager.kill_all_threads() self.output_dict.clear() self.reload() self.run_plugins() self.output_to_bar(json.dumps(self._remove_empty_output())) time.sleep(self.config.general['interval'])
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.run_plugins()\n while True:\n if self._config_mod_time != os.path.getmtime(self._config_file_path\n ) or self._plugin_mod_time != os.path.getmtime(self._plugin_path):\n self.thread_manager.kill_all_threads()\n self.output_dict.clear()\n self.reload()\n self.run_plugins()\n self.output_to_bar(json.dumps(self._remove_empty_output()))\n time.sleep(self.config.general['interval'])\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self): output = [] for key in self.output_dict: if self.output_dict[key ] is not None and 'full_text' in self.output_dict[key]: output.append(self.output_dict[key]) return output
remove_empty_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n output = []\n for key in self.output_dict:\n if self.output_dict[key\n ] is not None and 'full_text' in self.output_dict[key]:\n output.append(self.output_dict[key])\n return output\n", "role": "user" }, { "content": "remove_empty_output", "role": "assistant" } ]