source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(value): if isinstance(value, (list, tuple, set)): value = ','.join(value) return value
list_to_csv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if isinstance(value, (list, tuple, set)):\n value = ','.join(value)\n return value\n", "role": "user" }, { "content": "list_to_csv", "role": "assistant" } ]
def x(attachment): if isinstance(attachment, tuple): result = {'Name': attachment[0], 'Content': attachment[1], 'ContentType': attachment[2]} if len(attachment) == 4: result['ContentID'] = attachment[3] elif isinstance(attachment, MIMEBase): payload = attachment.get_payload() content_type = attachment.get_content_type() if content_type == 'message/rfc822' and not isinstance(payload, str): payload = b64encode(payload[0].get_payload(decode=True)).decode() result = {'Name': attachment.get_filename() or 'attachment.txt', 'Content': payload, 'ContentType': content_type} content_id = attachment.get('Content-ID') if content_id: if content_id.startswith('<') and content_id.endswith('>'): content_id = content_id[1:-1] if (attachment.get('Content-Disposition') or '').startswith( 'inline'): content_id = 'cid:%s' % content_id result['ContentID'] = content_id elif isinstance(attachment, str): content_type = guess_content_type(attachment) filename = os.path.basename(attachment) with open(attachment, 'rb') as fd: data = fd.read() result = {'Name': filename, 'Content': b64encode(data).decode( 'utf-8'), 'ContentType': content_type} else: result = attachment return result
prepare_attachments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(attachment):\n if isinstance(attachment, tuple):\n result = {'Name': attachment[0], 'Content': attachment[1],\n 'ContentType': attachment[2]}\n if len(attachment) == 4:\n result['ContentID'] = attachment[3]\n elif isinstance(attachment, MIMEBase):\n payload = attachment.get_payload()\n content_type = attachment.get_content_type()\n if content_type == 'message/rfc822' and not isinstance(payload, str):\n payload = b64encode(payload[0].get_payload(decode=True)).decode()\n result = {'Name': attachment.get_filename() or 'attachment.txt',\n 'Content': payload, 'ContentType': content_type}\n content_id = attachment.get('Content-ID')\n if content_id:\n if content_id.startswith('<') and content_id.endswith('>'):\n content_id = content_id[1:-1]\n if (attachment.get('Content-Disposition') or '').startswith(\n 'inline'):\n content_id = 'cid:%s' % content_id\n result['ContentID'] = content_id\n elif isinstance(attachment, str):\n content_type = guess_content_type(attachment)\n filename = os.path.basename(attachment)\n with open(attachment, 'rb') as fd:\n data = fd.read()\n result = {'Name': filename, 'Content': b64encode(data).decode(\n 'utf-8'), 'ContentType': content_type}\n else:\n result = attachment\n return result\n", "role": "user" }, { "content": "prepare_attachments", "role": "assistant" } ]
def x(self): data = super(BaseEmail, self).as_dict() data['Headers'] = [{'Name': name, 'Value': value} for name, value in data['Headers'].items()] for field in ('To', 'Cc', 'Bcc'): if field in data: data[field] = list_to_csv(data[field]) data['Attachments'] = [prepare_attachments(attachment) for attachment in data['Attachments']] return data
as_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n data = super(BaseEmail, self).as_dict()\n data['Headers'] = [{'Name': name, 'Value': value} for name, value in\n data['Headers'].items()]\n for field in ('To', 'Cc', 'Bcc'):\n if field in data:\n data[field] = list_to_csv(data[field])\n data['Attachments'] = [prepare_attachments(attachment) for attachment in\n data['Attachments']]\n return data\n", "role": "user" }, { "content": "as_dict", "role": "assistant" } ]
def x(self, content, filename): content_type = guess_content_type(filename) payload = {'Name': filename, 'Content': b64encode(content).decode( 'utf-8'), 'ContentType': content_type} self.attach(payload)
attach_binary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, content, filename):\n content_type = guess_content_type(filename)\n payload = {'Name': filename, 'Content': b64encode(content).decode(\n 'utf-8'), 'ContentType': content_type}\n self.attach(payload)\n", "role": "user" }, { "content": "attach_binary", "role": "assistant" } ]
def x(cls, message, manager): text, html, attachments = deconstruct_multipart(message) subject = prepare_header(message['Subject']) sender = prepare_header(message['From']) to = prepare_header(message['To']) cc = prepare_header(message['Cc']) bcc = prepare_header(message['Bcc']) reply_to = prepare_header(message['Reply-To']) tag = getattr(message, 'tag', None) return cls(manager=manager, From=sender, To=to, TextBody=text, HtmlBody =html, Subject=subject, Cc=cc, Bcc=bcc, ReplyTo=reply_to, Attachments=attachments, Tag=tag)
from_mime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, message, manager):\n text, html, attachments = deconstruct_multipart(message)\n subject = prepare_header(message['Subject'])\n sender = prepare_header(message['From'])\n to = prepare_header(message['To'])\n cc = prepare_header(message['Cc'])\n bcc = prepare_header(message['Bcc'])\n reply_to = prepare_header(message['Reply-To'])\n tag = getattr(message, 'tag', None)\n return cls(manager=manager, From=sender, To=to, TextBody=text, HtmlBody\n =html, Subject=subject, Cc=cc, Bcc=bcc, ReplyTo=reply_to,\n Attachments=attachments, Tag=tag)\n", "role": "user" }, { "content": "from_mime", "role": "assistant" } ]
def x(self, **extra): return [self._construct_email(email, **extra) for email in self.emails]
as_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **extra):\n return [self._construct_email(email, **extra) for email in self.emails]\n", "role": "user" }, { "content": "as_dict", "role": "assistant" } ]
def x(self, email, **extra): if isinstance(email, dict): email = Email(manager=self._manager, **email) elif isinstance(email, (MIMEText, MIMEMultipart)): email = Email.from_mime(email, self._manager) elif not isinstance(email, Email): raise ValueError email._update(extra) return email.as_dict()
construct_email
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, email, **extra):\n if isinstance(email, dict):\n email = Email(manager=self._manager, **email)\n elif isinstance(email, (MIMEText, MIMEMultipart)):\n email = Email.from_mime(email, self._manager)\n elif not isinstance(email, Email):\n raise ValueError\n email._update(extra)\n return email.as_dict()\n", "role": "user" }, { "content": "construct_email", "role": "assistant" } ]
def x(self, **extra): emails = self.as_dict(**extra) responses = [self._manager._send_batch(*batch) for batch in chunks( emails, self.MAX_SIZE)] return sum(responses, [])
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **extra):\n emails = self.as_dict(**extra)\n responses = [self._manager._send_batch(*batch) for batch in chunks(\n emails, self.MAX_SIZE)]\n return sum(responses, [])\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(self, message=None, From=None, To=None, Cc=None, Bcc=None, Subject= None, Tag=None, HtmlBody=None, TextBody=None, Metadata=None, ReplyTo= None, Headers=None, TrackOpens=None, TrackLinks='None', Attachments=None): assert not (message and (From or To) ), 'You should specify either message or From and To parameters' assert TrackLinks in ('None', 'HtmlAndText', 'HtmlOnly', 'TextOnly') if message is None: message = self.Email(From=From, To=To, Cc=Cc, Bcc=Bcc, Subject= Subject, Tag=Tag, HtmlBody=HtmlBody, TextBody=TextBody, Metadata=Metadata, ReplyTo=ReplyTo, Headers=Headers, TrackOpens =TrackOpens, TrackLinks=TrackLinks, Attachments=Attachments) elif isinstance(message, (MIMEText, MIMEMultipart)): message = Email.from_mime(message, self) elif not isinstance(message, Email): raise TypeError( 'message should be either Email or MIMEText or MIMEMultipart instance' ) return message.send()
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message=None, From=None, To=None, Cc=None, Bcc=None, Subject=\n None, Tag=None, HtmlBody=None, TextBody=None, Metadata=None, ReplyTo=\n None, Headers=None, TrackOpens=None, TrackLinks='None', Attachments=None):\n assert not (message and (From or To)\n ), 'You should specify either message or From and To parameters'\n assert TrackLinks in ('None', 'HtmlAndText', 'HtmlOnly', 'TextOnly')\n if message is None:\n message = self.Email(From=From, To=To, Cc=Cc, Bcc=Bcc, Subject=\n Subject, Tag=Tag, HtmlBody=HtmlBody, TextBody=TextBody,\n Metadata=Metadata, ReplyTo=ReplyTo, Headers=Headers, TrackOpens\n =TrackOpens, TrackLinks=TrackLinks, Attachments=Attachments)\n elif isinstance(message, (MIMEText, MIMEMultipart)):\n message = Email.from_mime(message, self)\n elif not isinstance(message, Email):\n raise TypeError(\n 'message should be either Email or MIMEText or MIMEMultipart instance'\n )\n return message.send()\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(self, From, To, Cc=None, Bcc=None, Subject=None, Tag=None, HtmlBody= None, TextBody=None, Metadata=None, ReplyTo=None, Headers=None, TrackOpens=None, TrackLinks='None', Attachments=None): return Email(manager=self, From=From, To=To, Cc=Cc, Bcc=Bcc, Subject= Subject, Tag=Tag, HtmlBody=HtmlBody, TextBody=TextBody, Metadata= Metadata, ReplyTo=ReplyTo, Headers=Headers, TrackOpens=TrackOpens, TrackLinks=TrackLinks, Attachments=Attachments)
Email
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, From, To, Cc=None, Bcc=None, Subject=None, Tag=None, HtmlBody=\n None, TextBody=None, Metadata=None, ReplyTo=None, Headers=None,\n TrackOpens=None, TrackLinks='None', Attachments=None):\n return Email(manager=self, From=From, To=To, Cc=Cc, Bcc=Bcc, Subject=\n Subject, Tag=Tag, HtmlBody=HtmlBody, TextBody=TextBody, Metadata=\n Metadata, ReplyTo=ReplyTo, Headers=Headers, TrackOpens=TrackOpens,\n TrackLinks=TrackLinks, Attachments=Attachments)\n", "role": "user" }, { "content": "Email", "role": "assistant" } ]
def x(self, TemplateId, TemplateModel, From, To, TemplateAlias=None, Cc= None, Bcc=None, Subject=None, Tag=None, ReplyTo=None, Headers=None, TrackOpens=None, TrackLinks='None', Attachments=None, InlineCss=True): return EmailTemplate(manager=self, TemplateId=TemplateId, TemplateAlias =TemplateAlias, TemplateModel=TemplateModel, From=From, To=To, Cc= Cc, Bcc=Bcc, Subject=Subject, Tag=Tag, ReplyTo=ReplyTo, Headers= Headers, TrackOpens=TrackOpens, TrackLinks=TrackLinks, Attachments= Attachments, InlineCss=InlineCss)
EmailTemplate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, TemplateId, TemplateModel, From, To, TemplateAlias=None, Cc=\n None, Bcc=None, Subject=None, Tag=None, ReplyTo=None, Headers=None,\n TrackOpens=None, TrackLinks='None', Attachments=None, InlineCss=True):\n return EmailTemplate(manager=self, TemplateId=TemplateId, TemplateAlias\n =TemplateAlias, TemplateModel=TemplateModel, From=From, To=To, Cc=\n Cc, Bcc=Bcc, Subject=Subject, Tag=Tag, ReplyTo=ReplyTo, Headers=\n Headers, TrackOpens=TrackOpens, TrackLinks=TrackLinks, Attachments=\n Attachments, InlineCss=InlineCss)\n", "role": "user" }, { "content": "EmailTemplate", "role": "assistant" } ]
def x(self): response = self._manager.activate(self.ID) self._update(response['Bounce']) return response['Message']
activate
[ { "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._manager.activate(self.ID)\n self._update(response['Bounce'])\n return response['Message']\n", "role": "user" }, { "content": "activate", "role": "assistant" } ]
def x(self, count=500, offset=0, type=None, inactive=None, emailFilter=None, tag=None, messageID=None, fromdate=None, todate=None): responses = self.call_many('GET', '/bounces/', count=count, offset= offset, type=type, inactive=inactive, emailFilter=emailFilter, tag= tag, messageID=messageID, fromdate=fromdate, todate=todate) return self.expand_responses(responses, 'Bounces')
all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, count=500, offset=0, type=None, inactive=None, emailFilter=None,\n tag=None, messageID=None, fromdate=None, todate=None):\n responses = self.call_many('GET', '/bounces/', count=count, offset=\n offset, type=type, inactive=inactive, emailFilter=emailFilter, tag=\n tag, messageID=messageID, fromdate=fromdate, todate=todate)\n return self.expand_responses(responses, 'Bounces')\n", "role": "user" }, { "content": "all", "role": "assistant" } ]
def x(self, kwargs, count, offset): kwargs.update({self.count_key: count, self.offset_key: offset}) return kwargs
update_kwargs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, kwargs, count, offset):\n kwargs.update({self.count_key: count, self.offset_key: offset})\n return kwargs\n", "role": "user" }, { "content": "update_kwargs", "role": "assistant" } ]
def x(self, tag=None, fromdate=None, todate=None): return self.call('GET', '/stats/outbound', tag=tag, fromdate=fromdate, todate=todate)
overview
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag=None, fromdate=None, todate=None):\n return self.call('GET', '/stats/outbound', tag=tag, fromdate=fromdate,\n todate=todate)\n", "role": "user" }, { "content": "overview", "role": "assistant" } ]
def x(self, tag=None, fromdate=None, todate=None): return self.call('GET', '/stats/outbound/sends', tag=tag, fromdate= fromdate, todate=todate)
sends
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag=None, fromdate=None, todate=None):\n return self.call('GET', '/stats/outbound/sends', tag=tag, fromdate=\n fromdate, todate=todate)\n", "role": "user" }, { "content": "sends", "role": "assistant" } ]
def x(self, tag=None, fromdate=None, todate=None): return self.call('GET', '/stats/outbound/bounces', tag=tag, fromdate= fromdate, todate=todate)
bounces
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag=None, fromdate=None, todate=None):\n return self.call('GET', '/stats/outbound/bounces', tag=tag, fromdate=\n fromdate, todate=todate)\n", "role": "user" }, { "content": "bounces", "role": "assistant" } ]
def x(self, tag=None, fromdate=None, todate=None): return self.call('GET', '/stats/outbound/spam', tag=tag, fromdate= fromdate, todate=todate)
spam
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag=None, fromdate=None, todate=None):\n return self.call('GET', '/stats/outbound/spam', tag=tag, fromdate=\n fromdate, todate=todate)\n", "role": "user" }, { "content": "spam", "role": "assistant" } ]
def x(self, tag=None, fromdate=None, todate=None): return self.call('GET', '/stats/outbound/tracked', tag=tag, fromdate= fromdate, todate=todate)
tracked
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag=None, fromdate=None, todate=None):\n return self.call('GET', '/stats/outbound/tracked', tag=tag, fromdate=\n fromdate, todate=todate)\n", "role": "user" }, { "content": "tracked", "role": "assistant" } ]
def x(self, tag=None, fromdate=None, todate=None): return self.call('GET', '/stats/outbound/opens', tag=tag, fromdate= fromdate, todate=todate)
opens
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag=None, fromdate=None, todate=None):\n return self.call('GET', '/stats/outbound/opens', tag=tag, fromdate=\n fromdate, todate=todate)\n", "role": "user" }, { "content": "opens", "role": "assistant" } ]
def x(self, tag=None, fromdate=None, todate=None): return self.call('GET', '/stats/outbound/opens/platforms', tag=tag, fromdate=fromdate, todate=todate)
opens_platforms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag=None, fromdate=None, todate=None):\n return self.call('GET', '/stats/outbound/opens/platforms', tag=tag,\n fromdate=fromdate, todate=todate)\n", "role": "user" }, { "content": "opens_platforms", "role": "assistant" } ]
def x(self, tag=None, fromdate=None, todate=None): return self.call('GET', '/stats/outbound/opens/emailclients', tag=tag, fromdate=fromdate, todate=todate)
emailclients
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag=None, fromdate=None, todate=None):\n return self.call('GET', '/stats/outbound/opens/emailclients', tag=tag,\n fromdate=fromdate, todate=todate)\n", "role": "user" }, { "content": "emailclients", "role": "assistant" } ]
def x(self, tag=None, fromdate=None, todate=None): return self.call('GET', '/stats/outbound/opens/readtimes', tag=tag, fromdate=fromdate, todate=todate)
readtimes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag=None, fromdate=None, todate=None):\n return self.call('GET', '/stats/outbound/opens/readtimes', tag=tag,\n fromdate=fromdate, todate=todate)\n", "role": "user" }, { "content": "readtimes", "role": "assistant" } ]
def x(self, tag=None, fromdate=None, todate=None): return self.call('GET', '/stats/outbound/clicks', tag=tag, fromdate= fromdate, todate=todate)
clicks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag=None, fromdate=None, todate=None):\n return self.call('GET', '/stats/outbound/clicks', tag=tag, fromdate=\n fromdate, todate=todate)\n", "role": "user" }, { "content": "clicks", "role": "assistant" } ]
def x(self, tag=None, fromdate=None, todate=None): return self.call('GET', '/stats/outbound/clicks/browserfamilies', tag= tag, fromdate=fromdate, todate=todate)
browserfamilies
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag=None, fromdate=None, todate=None):\n return self.call('GET', '/stats/outbound/clicks/browserfamilies', tag=\n tag, fromdate=fromdate, todate=todate)\n", "role": "user" }, { "content": "browserfamilies", "role": "assistant" } ]
def x(self, tag=None, fromdate=None, todate=None): return self.call('GET', '/stats/outbound/clicks/platforms', tag=tag, fromdate=fromdate, todate=todate)
clicks_platforms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag=None, fromdate=None, todate=None):\n return self.call('GET', '/stats/outbound/clicks/platforms', tag=tag,\n fromdate=fromdate, todate=todate)\n", "role": "user" }, { "content": "clicks_platforms", "role": "assistant" } ]
def x(self, tag=None, fromdate=None, todate=None): return self.call('GET', '/stats/outbound/clicks/location', tag=tag, fromdate=fromdate, todate=todate)
location
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag=None, fromdate=None, todate=None):\n return self.call('GET', '/stats/outbound/clicks/location', tag=tag,\n fromdate=fromdate, todate=todate)\n", "role": "user" }, { "content": "location", "role": "assistant" } ]
def x(self, filename=None): if filename is None: el = self.xml else: el = self._get_class_element_by_filename(filename) return float(el.attrib['line-rate'])
line_rate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename=None):\n if filename is None:\n el = self.xml\n else:\n el = self._get_class_element_by_filename(filename)\n return float(el.attrib['line-rate'])\n", "role": "user" }, { "content": "line_rate", "role": "assistant" } ]
def x(self, filename=None): if filename is None: el = self.xml else: el = self._get_class_element_by_filename(filename) return float(el.attrib['branch-rate'])
branch_rate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename=None):\n if filename is None:\n el = self.xml\n else:\n el = self._get_class_element_by_filename(filename)\n return float(el.attrib['branch-rate'])\n", "role": "user" }, { "content": "branch_rate", "role": "assistant" } ]
def x(self, filename): el = self._get_class_element_by_filename(filename) lines = el.xpath('./lines/line[@hits=0]') return [int(l.attrib['number']) for l in lines]
missed_statements
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n el = self._get_class_element_by_filename(filename)\n lines = el.xpath('./lines/line[@hits=0]')\n return [int(l.attrib['number']) for l in lines]\n", "role": "user" }, { "content": "missed_statements", "role": "assistant" } ]
def x(self, filename): line_elements = self._get_lines_by_filename(filename) lines_w_status = [] for line in line_elements: lineno = int(line.attrib['number']) status = line.attrib['hits'] != '0' lines_w_status.append((lineno, status)) return lines_w_status
line_statuses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n line_elements = self._get_lines_by_filename(filename)\n lines_w_status = []\n for line in line_elements:\n lineno = int(line.attrib['number'])\n status = line.attrib['hits'] != '0'\n lines_w_status.append((lineno, status))\n return lines_w_status\n", "role": "user" }, { "content": "line_statuses", "role": "assistant" } ]
def x(self, filename): statuses = self.line_statuses(filename) statuses = extrapolate_coverage(statuses) return [lno for lno, status in statuses if status is False]
missed_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n statuses = self.line_statuses(filename)\n statuses = extrapolate_coverage(statuses)\n return [lno for lno, status in statuses if status is False]\n", "role": "user" }, { "content": "missed_lines", "role": "assistant" } ]
def x(self, filename): lines = [] try: with self.filesystem.open(filename) as f: line_statuses = dict(self.line_statuses(filename)) for lineno, source in enumerate(f, start=1): line_status = line_statuses.get(lineno) line = Line(lineno, source, line_status, None) lines.append(line) except self.filesystem.FileNotFound as file_not_found: lines.append(Line(0, '%s not found' % file_not_found.path, None, None)) return lines
file_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n lines = []\n try:\n with self.filesystem.open(filename) as f:\n line_statuses = dict(self.line_statuses(filename))\n for lineno, source in enumerate(f, start=1):\n line_status = line_statuses.get(lineno)\n line = Line(lineno, source, line_status, None)\n lines.append(line)\n except self.filesystem.FileNotFound as file_not_found:\n lines.append(Line(0, '%s not found' % file_not_found.path, None, None))\n return lines\n", "role": "user" }, { "content": "file_source", "role": "assistant" } ]
def x(self, filename=None): if filename is not None: return len(self.missed_statements(filename)) total = 0 for filename in self.files(): total += len(self.missed_statements(filename)) return total
total_misses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename=None):\n if filename is not None:\n return len(self.missed_statements(filename))\n total = 0\n for filename in self.files():\n total += len(self.missed_statements(filename))\n return total\n", "role": "user" }, { "content": "total_misses", "role": "assistant" } ]
def x(self, filename=None): if filename is not None: return len(self.hit_statements(filename)) total = 0 for filename in self.files(): total += len(self.hit_statements(filename)) return total
total_hits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename=None):\n if filename is not None:\n return len(self.hit_statements(filename))\n total = 0\n for filename in self.files():\n total += len(self.hit_statements(filename))\n return total\n", "role": "user" }, { "content": "total_hits", "role": "assistant" } ]
def x(self, filename=None): if filename is not None: statements = self._get_lines_by_filename(filename) return len(statements) total = 0 for filename in self.files(): statements = self._get_lines_by_filename(filename) total += len(statements) return total
total_statements
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename=None):\n if filename is not None:\n statements = self._get_lines_by_filename(filename)\n return len(statements)\n total = 0\n for filename in self.files():\n statements = self._get_lines_by_filename(filename)\n total += len(statements)\n return total\n", "role": "user" }, { "content": "total_statements", "role": "assistant" } ]
def x(self): already_seen = set() filenames = [] for el in self.xml.xpath('//class'): filename = el.attrib['filename'] if filename in already_seen: continue already_seen.add(filename) filenames.append(filename) return filenames
files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n already_seen = set()\n filenames = []\n for el in self.xml.xpath('//class'):\n filename = el.attrib['filename']\n if filename in already_seen:\n continue\n already_seen.add(filename)\n filenames.append(filename)\n return filenames\n", "role": "user" }, { "content": "files", "role": "assistant" } ]
def x(self, filename): with self.filesystem.open(filename) as f: return f.readlines()
source_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n with self.filesystem.open(filename) as f:\n return f.readlines()\n", "role": "user" }, { "content": "source_lines", "role": "assistant" } ]
def x(self): for filename in self.files(): if self.diff_total_misses(filename) > 0: return False return True
has_better_coverage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for filename in self.files():\n if self.diff_total_misses(filename) > 0:\n return False\n return True\n", "role": "user" }, { "content": "has_better_coverage", "role": "assistant" } ]
def x(self): for filename in self.files(): for hunk in self.file_source_hunks(filename): for line in hunk: if line.reason is None: continue if line.status is False: return False return True
has_all_changes_covered
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for filename in self.files():\n for hunk in self.file_source_hunks(filename):\n for line in hunk:\n if line.reason is None:\n continue\n if line.status is False:\n return False\n return True\n", "role": "user" }, { "content": "has_all_changes_covered", "role": "assistant" } ]
def x(self, attr_name, filename): if filename is not None: files = [filename] else: files = self.files() total_count = 0.0 for filename in files: if self.cobertura1.has_file(filename): method = getattr(self.cobertura1, attr_name) count1 = method(filename) else: count1 = 0.0 method = getattr(self.cobertura2, attr_name) count2 = method(filename) total_count += count2 - count1 return total_count
diff_attr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attr_name, filename):\n if filename is not None:\n files = [filename]\n else:\n files = self.files()\n total_count = 0.0\n for filename in files:\n if self.cobertura1.has_file(filename):\n method = getattr(self.cobertura1, attr_name)\n count1 = method(filename)\n else:\n count1 = 0.0\n method = getattr(self.cobertura2, attr_name)\n count2 = method(filename)\n total_count += count2 - count1\n return total_count\n", "role": "user" }, { "content": "diff_attr", "role": "assistant" } ]
def x(self, filename): line_changed = [] for line in self.file_source(filename): if line.status is not None: is_new = not line.status line_changed.append((line.number, is_new)) return line_changed
diff_missed_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n line_changed = []\n for line in self.file_source(filename):\n if line.status is not None:\n is_new = not line.status\n line_changed.append((line.number, is_new))\n return line_changed\n", "role": "user" }, { "content": "diff_missed_lines", "role": "assistant" } ]
def x(self, filename): if self.cobertura1.has_file(filename ) and self.cobertura1.filesystem.has_file(filename): lines1 = self.cobertura1.source_lines(filename) line_statuses1 = dict(self.cobertura1.line_statuses(filename)) else: lines1 = [] line_statuses1 = {} lines2 = self.cobertura2.source_lines(filename) line_statuses2 = dict(self.cobertura2.line_statuses(filename)) lineno_map = reconcile_lines(lines2, lines1) lines = [] for lineno, source in enumerate(lines2, start=1): status = None reason = None if lineno not in lineno_map: status = line_statuses2.get(lineno) reason = 'line-edit' else: other_lineno = lineno_map[lineno] line_status1 = line_statuses1.get(other_lineno) line_status2 = line_statuses2.get(lineno) if line_status1 is line_status2: status = None reason = None elif line_status1 is True and line_status2 is False: status = False reason = 'cov-down' elif line_status1 is False and line_status2 is True: status = True reason = 'cov-up' line = Line(lineno, source, status, reason) lines.append(line) return lines
file_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n if self.cobertura1.has_file(filename\n ) and self.cobertura1.filesystem.has_file(filename):\n lines1 = self.cobertura1.source_lines(filename)\n line_statuses1 = dict(self.cobertura1.line_statuses(filename))\n else:\n lines1 = []\n line_statuses1 = {}\n lines2 = self.cobertura2.source_lines(filename)\n line_statuses2 = dict(self.cobertura2.line_statuses(filename))\n lineno_map = reconcile_lines(lines2, lines1)\n lines = []\n for lineno, source in enumerate(lines2, start=1):\n status = None\n reason = None\n if lineno not in lineno_map:\n status = line_statuses2.get(lineno)\n reason = 'line-edit'\n else:\n other_lineno = lineno_map[lineno]\n line_status1 = line_statuses1.get(other_lineno)\n line_status2 = line_statuses2.get(lineno)\n if line_status1 is line_status2:\n status = None\n reason = None\n elif line_status1 is True and line_status2 is False:\n status = False\n reason = 'cov-down'\n elif line_status1 is False and line_status2 is True:\n status = True\n reason = 'cov-up'\n line = Line(lineno, source, status, reason)\n lines.append(line)\n return lines\n", "role": "user" }, { "content": "file_source", "role": "assistant" } ]
def x(self, filename): lines = self.file_source(filename) hunks = hunkify_lines(lines) return hunks
file_source_hunks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n lines = self.file_source(filename)\n hunks = hunkify_lines(lines)\n return hunks\n", "role": "user" }, { "content": "file_source_hunks", "role": "assistant" } ]
def x(self): while self.monitor_running.is_set(): if time.time() - self.last_flush > self.batch_time: if not self.queue.empty(): logger.info('Queue Flush: time without flush exceeded') self.flush_queue() time.sleep(self.batch_time)
monitor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n while self.monitor_running.is_set():\n if time.time() - self.last_flush > self.batch_time:\n if not self.queue.empty():\n logger.info('Queue Flush: time without flush exceeded')\n self.flush_queue()\n time.sleep(self.batch_time)\n", "role": "user" }, { "content": "monitor", "role": "assistant" } ]
def x(self, records, partition_key=None): for record in records: self.put_record(record, partition_key)
put_records
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, records, partition_key=None):\n for record in records:\n self.put_record(record, partition_key)\n", "role": "user" }, { "content": "put_records", "role": "assistant" } ]
def x(self, data, partition_key=None): data = encode_data(data) if not partition_key: partition_key = uuid.uuid4().hex record = {'Data': data, 'PartitionKey': partition_key} if self.queue.qsize() >= self.batch_size: logger.info('Queue Flush: batch size reached') self.pool.submit(self.flush_queue) logger.debug('Putting record "{}"'.format(record['Data'][:100])) self.queue.put(record)
put_record
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, partition_key=None):\n data = encode_data(data)\n if not partition_key:\n partition_key = uuid.uuid4().hex\n record = {'Data': data, 'PartitionKey': partition_key}\n if self.queue.qsize() >= self.batch_size:\n logger.info('Queue Flush: batch size reached')\n self.pool.submit(self.flush_queue)\n logger.debug('Putting record \"{}\"'.format(record['Data'][:100]))\n self.queue.put(record)\n", "role": "user" }, { "content": "put_record", "role": "assistant" } ]
def x(self): logger.info('Closing producer') self.flush_queue() self.monitor_running.clear() self.pool.shutdown() logger.info('Producer closed')
close
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.info('Closing producer')\n self.flush_queue()\n self.monitor_running.clear()\n self.pool.shutdown()\n logger.info('Producer closed')\n", "role": "user" }, { "content": "close", "role": "assistant" } ]
def x(self): records = [] while not self.queue.empty() and len(records) < self.batch_size: records.append(self.queue.get()) if records: self.send_records(records) self.last_flush = time.time()
flush_queue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n records = []\n while not self.queue.empty() and len(records) < self.batch_size:\n records.append(self.queue.get())\n if records:\n self.send_records(records)\n self.last_flush = time.time()\n", "role": "user" }, { "content": "flush_queue", "role": "assistant" } ]
def x(self, records, attempt=0): if attempt > self.max_retries: logger.warning('Writing {} records to file'.format(len(records))) with open('failed_records.dlq', 'ab') as f: for r in records: f.write(r.get('Data')) return if attempt: time.sleep(2 ** attempt * 0.1) response = self.kinesis_client.put_records(StreamName=self.stream_name, Records=records) failed_record_count = response['FailedRecordCount'] if failed_record_count: logger.warning('Retrying failed records') failed_records = [] for i, record in enumerate(response['Records']): if record.get('ErrorCode'): failed_records.append(records[i]) attempt += 1 self.send_records(failed_records, attempt=attempt)
send_records
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, records, attempt=0):\n if attempt > self.max_retries:\n logger.warning('Writing {} records to file'.format(len(records)))\n with open('failed_records.dlq', 'ab') as f:\n for r in records:\n f.write(r.get('Data'))\n return\n if attempt:\n time.sleep(2 ** attempt * 0.1)\n response = self.kinesis_client.put_records(StreamName=self.stream_name,\n Records=records)\n failed_record_count = response['FailedRecordCount']\n if failed_record_count:\n logger.warning('Retrying failed records')\n failed_records = []\n for i, record in enumerate(response['Records']):\n if record.get('ErrorCode'):\n failed_records.append(records[i])\n attempt += 1\n self.send_records(failed_records, attempt=attempt)\n", "role": "user" }, { "content": "send_records", "role": "assistant" } ]
def x(number_list): if not number_list: return number_list ranges = [] range_start = prev_num = number_list[0] for num in number_list[1:]: if num != prev_num + 1: ranges.append((range_start, prev_num)) range_start = num prev_num = num ranges.append((range_start, prev_num)) return ranges
rangify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(number_list):\n if not number_list:\n return number_list\n ranges = []\n range_start = prev_num = number_list[0]\n for num in number_list[1:]:\n if num != prev_num + 1:\n ranges.append((range_start, prev_num))\n range_start = num\n prev_num = num\n ranges.append((range_start, prev_num))\n return ranges\n", "role": "user" }, { "content": "rangify", "role": "assistant" } ]
def x(lines_w_status): lines = [] prev_lineno = 0 prev_status = True for lineno, status in lines_w_status: while lineno - prev_lineno > 1: prev_lineno += 1 if prev_status is status: lines.append((prev_lineno, status)) else: lines.append((prev_lineno, None)) lines.append((lineno, status)) prev_lineno = lineno prev_status = status return lines
extrapolate_coverage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lines_w_status):\n lines = []\n prev_lineno = 0\n prev_status = True\n for lineno, status in lines_w_status:\n while lineno - prev_lineno > 1:\n prev_lineno += 1\n if prev_status is status:\n lines.append((prev_lineno, status))\n else:\n lines.append((prev_lineno, None))\n lines.append((lineno, status))\n prev_lineno = lineno\n prev_status = status\n return lines\n", "role": "user" }, { "content": "extrapolate_coverage", "role": "assistant" } ]
def x(lines1, lines2): differ = difflib.Differ() diff = differ.compare(lines1, lines2) SAME = ' ' ADDED = '+ ' REMOVED = '- ' INFO = '? ' lineno_map = {} lineno1_offset = 0 lineno2 = 1 for diffline in diff: if diffline.startswith(INFO): continue if diffline.startswith(SAME): lineno1 = lineno2 + lineno1_offset lineno_map[lineno1] = lineno2 elif diffline.startswith(ADDED): lineno1_offset -= 1 elif diffline.startswith(REMOVED): lineno1_offset += 1 continue lineno2 += 1 return lineno_map
reconcile_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lines1, lines2):\n differ = difflib.Differ()\n diff = differ.compare(lines1, lines2)\n SAME = ' '\n ADDED = '+ '\n REMOVED = '- '\n INFO = '? '\n lineno_map = {}\n lineno1_offset = 0\n lineno2 = 1\n for diffline in diff:\n if diffline.startswith(INFO):\n continue\n if diffline.startswith(SAME):\n lineno1 = lineno2 + lineno1_offset\n lineno_map[lineno1] = lineno2\n elif diffline.startswith(ADDED):\n lineno1_offset -= 1\n elif diffline.startswith(REMOVED):\n lineno1_offset += 1\n continue\n lineno2 += 1\n return lineno_map\n", "role": "user" }, { "content": "reconcile_lines", "role": "assistant" } ]
def x(lines, context=3): ranges = [] range_start = None for i, line in enumerate(lines): if line.status is not None: if range_start is None: range_start = i continue elif range_start is not None: range_stop = i ranges.append((range_start, range_stop)) range_start = None else: if range_start is not None: range_stop = i ranges.append((range_start, range_stop)) ranges_w_context = [] for range_start, range_stop in ranges: range_start = range_start - context range_start = range_start if range_start >= 0 else 0 range_stop = range_stop + context ranges_w_context.append((range_start, range_stop)) merged_ranges = ranges_w_context[:1] for range_start, range_stop in ranges_w_context[1:]: prev_start, prev_stop = merged_ranges[-1] if range_start <= prev_stop: range_start = prev_start merged_ranges[-1] = range_start, range_stop else: merged_ranges.append((range_start, range_stop)) hunks = [] for range_start, range_stop in merged_ranges: hunk = lines[range_start:range_stop] hunks.append(hunk) return hunks
hunkify_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lines, context=3):\n ranges = []\n range_start = None\n for i, line in enumerate(lines):\n if line.status is not None:\n if range_start is None:\n range_start = i\n continue\n elif range_start is not None:\n range_stop = i\n ranges.append((range_start, range_stop))\n range_start = None\n else:\n if range_start is not None:\n range_stop = i\n ranges.append((range_start, range_stop))\n ranges_w_context = []\n for range_start, range_stop in ranges:\n range_start = range_start - context\n range_start = range_start if range_start >= 0 else 0\n range_stop = range_stop + context\n ranges_w_context.append((range_start, range_stop))\n merged_ranges = ranges_w_context[:1]\n for range_start, range_stop in ranges_w_context[1:]:\n prev_start, prev_stop = merged_ranges[-1]\n if range_start <= prev_stop:\n range_start = prev_start\n merged_ranges[-1] = range_start, range_stop\n else:\n merged_ranges.append((range_start, range_stop))\n hunks = []\n for range_start, range_stop in merged_ranges:\n hunk = lines[range_start:range_stop]\n hunks.append(hunk)\n return hunks\n", "role": "user" }, { "content": "hunkify_lines", "role": "assistant" } ]
def x(cobertura_file, format, output, source, source_prefix): cobertura = Cobertura(cobertura_file, source=source) Reporter = reporters[format] reporter = Reporter(cobertura) report = reporter.generate() if not isinstance(report, bytes): report = report.encode('utf-8') isatty = True if output is None else output.isatty() click.echo(report, file=output, nl=isatty)
show
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobertura_file, format, output, source, source_prefix):\n cobertura = Cobertura(cobertura_file, source=source)\n Reporter = reporters[format]\n reporter = Reporter(cobertura)\n report = reporter.generate()\n if not isinstance(report, bytes):\n report = report.encode('utf-8')\n isatty = True if output is None else output.isatty()\n click.echo(report, file=output, nl=isatty)\n", "role": "user" }, { "content": "show", "role": "assistant" } ]
def x(cobertura_file1, cobertura_file2, color, format, output, source1, source2, source_prefix1, source_prefix2, source): cobertura1 = Cobertura(cobertura_file1, source=source1, source_prefix= source_prefix1) cobertura2 = Cobertura(cobertura_file2, source=source2, source_prefix= source_prefix2) Reporter = delta_reporters[format] reporter_args = [cobertura1, cobertura2] reporter_kwargs = {'show_source': source} isatty = True if output is None else output.isatty() if format == 'text': color = isatty if color is None else color is True reporter_kwargs['color'] = color reporter = Reporter(*reporter_args, **reporter_kwargs) report = reporter.generate() if not isinstance(report, bytes): report = report.encode('utf-8') click.echo(report, file=output, nl=isatty, color=color) exit_code = get_exit_code(reporter.differ, source) raise SystemExit(exit_code)
diff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobertura_file1, cobertura_file2, color, format, output, source1,\n source2, source_prefix1, source_prefix2, source):\n cobertura1 = Cobertura(cobertura_file1, source=source1, source_prefix=\n source_prefix1)\n cobertura2 = Cobertura(cobertura_file2, source=source2, source_prefix=\n source_prefix2)\n Reporter = delta_reporters[format]\n reporter_args = [cobertura1, cobertura2]\n reporter_kwargs = {'show_source': source}\n isatty = True if output is None else output.isatty()\n if format == 'text':\n color = isatty if color is None else color is True\n reporter_kwargs['color'] = color\n reporter = Reporter(*reporter_args, **reporter_kwargs)\n report = reporter.generate()\n if not isinstance(report, bytes):\n report = report.encode('utf-8')\n click.echo(report, file=output, nl=isatty, color=color)\n exit_code = get_exit_code(reporter.differ, source)\n raise SystemExit(exit_code)\n", "role": "user" }, { "content": "diff", "role": "assistant" } ]
def x(self, filename): filename = self.real_filename(filename) if not os.path.exists(filename): raise self.FileNotFound(filename) with codecs.open(filename, encoding='utf-8') as f: yield f
open
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n filename = self.real_filename(filename)\n if not os.path.exists(filename):\n raise self.FileNotFound(filename)\n with codecs.open(filename, encoding='utf-8') as f:\n yield f\n", "role": "user" }, { "content": "open", "role": "assistant" } ]
def x(self, topic_name, _msg_content=None, **kwargs): if isinstance(topic_name, unicode): topic_name = unicodedata.normalize('NFKD', topic_name).encode('ascii', 'ignore') if _msg_content is not None: res = self.topic_svc.call(args=(topic_name, _msg_content)) else: res = self.topic_svc.call(args=(topic_name, kwargs)) return res is None
topic_inject
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, topic_name, _msg_content=None, **kwargs):\n if isinstance(topic_name, unicode):\n topic_name = unicodedata.normalize('NFKD', topic_name).encode('ascii',\n 'ignore')\n if _msg_content is not None:\n res = self.topic_svc.call(args=(topic_name, _msg_content))\n else:\n res = self.topic_svc.call(args=(topic_name, kwargs))\n return res is None\n", "role": "user" }, { "content": "topic_inject", "role": "assistant" } ]
def x(self, param_name, _value=None, **kwargs): if isinstance(param_name, unicode): param_name = unicodedata.normalize('NFKD', param_name).encode('ascii', 'ignore') _value = _value or {} if kwargs: res = self.param_svc.call(args=(param_name, kwargs)) elif _value is not None: res = self.param_svc.call(args=(param_name, _value)) else: res = 'WRONG SET' return res is None
param_set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param_name, _value=None, **kwargs):\n if isinstance(param_name, unicode):\n param_name = unicodedata.normalize('NFKD', param_name).encode('ascii',\n 'ignore')\n _value = _value or {}\n if kwargs:\n res = self.param_svc.call(args=(param_name, kwargs))\n elif _value is not None:\n res = self.param_svc.call(args=(param_name, _value))\n else:\n res = 'WRONG SET'\n return res is None\n", "role": "user" }, { "content": "param_set", "role": "assistant" } ]
def x(self): subprocess.check_call( "git commit CHANGELOG.rst pyros/_version.py CHANGELOG.rst -m 'v{0}'" .format(__version__), shell=True) subprocess.check_call('git push', shell=True) print( 'You should verify travis checks, and you can publish this release with :' ) print(' python setup.py publish') sys.exit()
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n subprocess.check_call(\n \"git commit CHANGELOG.rst pyros/_version.py CHANGELOG.rst -m 'v{0}'\"\n .format(__version__), shell=True)\n subprocess.check_call('git push', shell=True)\n print(\n 'You should verify travis checks, and you can publish this release with :'\n )\n print(' python setup.py publish')\n sys.exit()\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(interface, config, logfile, ros_args): logging.info( 'pyros started with : interface {interface} config {config} logfile {logfile} ros_args {ros_args}' .format(interface=interface, config=config, logfile=logfile, ros_args=ros_args)) if interface == 'ros': node_proc = pyros_rosinterface_launch(node_name= 'pyros_rosinterface', pyros_config=config, ros_argv=ros_args) else: node_proc = None client_conn = node_proc.start()
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(interface, config, logfile, ros_args):\n logging.info(\n 'pyros started with : interface {interface} config {config} logfile {logfile} ros_args {ros_args}'\n .format(interface=interface, config=config, logfile=logfile,\n ros_args=ros_args))\n if interface == 'ros':\n node_proc = pyros_rosinterface_launch(node_name=\n 'pyros_rosinterface', pyros_config=config, ros_argv=ros_args)\n else:\n node_proc = None\n client_conn = node_proc.start()\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(prefix: str, kwargs: Dict[str, Any]) ->None: if '!' in prefix and '@' in prefix: kwargs['nick'], remainder = prefix.split('!', 1) kwargs['user'], kwargs['host'] = remainder.split('@', 1) else: kwargs['host'] = prefix
nickmask
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prefix: str, kwargs: Dict[str, Any]) ->None:\n if '!' in prefix and '@' in prefix:\n kwargs['nick'], remainder = prefix.split('!', 1)\n kwargs['user'], kwargs['host'] = remainder.split('@', 1)\n else:\n kwargs['host'] = prefix\n", "role": "user" }, { "content": "nickmask", "role": "assistant" } ]
def x(msg: str) ->Tuple[str, str, List[str]]: match = RE_IRCLINE.match(msg) if not match: raise ValueError('Invalid line') prefix = match.group('prefix') or '' command = match.group('command') params = (match.group('params') or '').split() message = match.group('message') or '' if message: params.append(message) return prefix, command, params
split_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg: str) ->Tuple[str, str, List[str]]:\n match = RE_IRCLINE.match(msg)\n if not match:\n raise ValueError('Invalid line')\n prefix = match.group('prefix') or ''\n command = match.group('command')\n params = (match.group('params') or '').split()\n message = match.group('message') or ''\n if message:\n params.append(message)\n return prefix, command, params\n", "role": "user" }, { "content": "split_line", "role": "assistant" } ]
def x(field: str, kwargs: Dict[str, Any], present: Optional[Any]=None, missing: Any='') ->str: if kwargs.get(field): return field if present is None else str(present) return str(missing)
b
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(field: str, kwargs: Dict[str, Any], present: Optional[Any]=None,\n missing: Any='') ->str:\n if kwargs.get(field):\n return field if present is None else str(present)\n return str(missing)\n", "role": "user" }, { "content": "b", "role": "assistant" } ]
def x(field: str, kwargs: Dict[str, Any], default: Optional[Any]=None) ->str: if default is not None: return str(kwargs.get(field, default)) return str(kwargs[field])
f
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(field: str, kwargs: Dict[str, Any], default: Optional[Any]=None) ->str:\n if default is not None:\n return str(kwargs.get(field, default))\n return str(kwargs[field])\n", "role": "user" }, { "content": "f", "role": "assistant" } ]
def x(field: str, kwargs: Dict[str, Any], default: Optional[Any]=None, sep: str=',') ->str: if default is not None: value = kwargs.get(field, default) else: value = kwargs[field] if isinstance(value, str): return value elif isinstance(value, collections.abc.Iterable): return sep.join(str(f) for f in value) else: return str(value)
pack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(field: str, kwargs: Dict[str, Any], default: Optional[Any]=None, sep:\n str=',') ->str:\n if default is not None:\n value = kwargs.get(field, default)\n else:\n value = kwargs[field]\n if isinstance(value, str):\n return value\n elif isinstance(value, collections.abc.Iterable):\n return sep.join(str(f) for f in value)\n else:\n return str(value)\n", "role": "user" }, { "content": "pack", "role": "assistant" } ]
async def connect(self) ->None: """Open a connection to the defined server.""" def x() ->Protocol: return Protocol(client=self) _, protocol = await self.loop.create_connection(protocol_factory, host= self.host, port=self.port, ssl=self.ssl) if self.protocol: self.protocol.close() self.protocol = protocol protocol.client = self self.trigger('client_connect')
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def connect(self) ->None:\n \"\"\"Open a connection to the defined server.\"\"\"\n\n def x() ->Protocol:\n return Protocol(client=self)\n _, protocol = await self.loop.create_connection(protocol_factory, host=\n self.host, port=self.port, ssl=self.ssl)\n if self.protocol:\n self.protocol.close()\n self.protocol = protocol\n protocol.client = self\n self.trigger('client_connect')\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self, event: str, **kwargs: Any) ->None: event = event.upper() for func in self._event_handlers[event]: self.loop.create_task(func(**kwargs)) async_event = self._events[event] async_event.set() async_event.clear()
trigger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event: str, **kwargs: Any) ->None:\n event = event.upper()\n for func in self._event_handlers[event]:\n self.loop.create_task(func(**kwargs))\n async_event = self._events[event]\n async_event.set()\n async_event.clear()\n", "role": "user" }, { "content": "trigger", "role": "assistant" } ]
def x(self, event: str, func: Optional[Callable]=None) ->Callable: if func is None: return functools.partial(self.on, event) wrapped = func if not asyncio.iscoroutinefunction(wrapped): wrapped = asyncio.coroutine(wrapped) self._event_handlers[event.upper()].append(wrapped) return func
on
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event: str, func: Optional[Callable]=None) ->Callable:\n if func is None:\n return functools.partial(self.on, event)\n wrapped = func\n if not asyncio.iscoroutinefunction(wrapped):\n wrapped = asyncio.coroutine(wrapped)\n self._event_handlers[event.upper()].append(wrapped)\n return func\n", "role": "user" }, { "content": "on", "role": "assistant" } ]
def x(self, command: str, **kwargs: Any) ->None: packed_command = pack_command(command, **kwargs).strip() self.send_raw(packed_command)
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command: str, **kwargs: Any) ->None:\n packed_command = pack_command(command, **kwargs).strip()\n self.send_raw(packed_command)\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(self, nick, target, message, **kwargs): for regex, (func, pattern) in self.routes.items(): match = regex.match(message) if match: self.client.loop.create_task(func(nick, target, message, match, **kwargs))
handle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, nick, target, message, **kwargs):\n for regex, (func, pattern) in self.routes.items():\n match = regex.match(message)\n if match:\n self.client.loop.create_task(func(nick, target, message, match,\n **kwargs))\n", "role": "user" }, { "content": "handle", "role": "assistant" } ]
def x(): fcodes = collections.OrderedDict((('f.i', protocol.FLG_FORMAT_FDI), ( 'fi', protocol.FLG_FORMAT_FI), ('f.i.c', protocol.FLG_FORMAT_FDIDC), ('f.ic', protocol.FLG_FORMAT_FDIC), ('fi.c', protocol. FLG_FORMAT_FIDC), ('fic', protocol.FLG_FORMAT_FIC))) def x(): parser = argparse.ArgumentParser() parser.add_argument('uri', metavar='URI', nargs='?', default='/', help='[owserver:]//hostname:port/path') parser.set_defaults(t_flags=protocol.FLG_TEMP_C) tempg = parser.add_mutually_exclusive_group() tempg.add_argument('-C', '--Celsius', const=protocol.FLG_TEMP_C, help='Celsius(default) temperature scale', dest='t_flags', action='store_const') tempg.add_argument('-F', '--Fahrenheit', const=protocol.FLG_TEMP_F, help='Fahrenheit temperature scale', dest='t_flags', action= 'store_const') tempg.add_argument('-K', '--Kelvin', const=protocol.FLG_TEMP_K, help='Kelvin temperature scale', dest='t_flags', action= 'store_const') tempg.add_argument('-R', '--Rankine', const=protocol.FLG_TEMP_R, help='Rankine temperature scale', dest='t_flags', action= 'store_const') parser.set_defaults(format='f.i') parser.add_argument('-f', '--format', choices=fcodes, help= 'format for 1-wire unique serial IDs display') tempg = parser.add_mutually_exclusive_group() tempg.add_argument('--hex', action='store_true', help= 'write data in hex format') tempg.add_argument('-b', '--binary', action='store_true', help= 'output binary data') parser.add_argument('-d', '--debug', action='store_true', help= 'debug output') return parser def x(data): if args.binary: if sys.version_info < (3,): sys.stdout.write(data) else: sys.stdout.buffer.write(data) else: if args.hex: data = hexlify(data) else: try: data = data.decode('ascii') except UnicodeDecodeError: data = repr(data) print(data) parser = make_parser() args = parser.parse_args() urlc = urlsplit(args.uri, scheme='owserver', allow_fragments=False) assert urlc.fragment == '' if urlc.scheme != 'owserver': parser.error("Invalid URI scheme '{0}:'".format(urlc.scheme)) if urlc.query: parser.error("Invalid URI, query component '?{0}' not allowed". format(urlc.query)) try: host = urlc.hostname or 'localhost' port = urlc.port or 4304 except ValueError as error: parser.error("Invalid URI: invalid net location '//{0}/'".format( urlc.netloc)) try: owproxy = protocol.proxy(host, port, flags=args.t_flags | fcodes[ args.format], verbose=args.debug) except protocol.ConnError as error: print("Unable to open connection to '{0}:{1}'\nSystem error: {2}". format(host, port, error), file=sys.stderr) sys.exit(1) except protocol.ProtocolError as error: print("'{0}:{1}' not an owserver?\nProtocol error: {2}".format(host, port, error), file=sys.stderr) sys.exit(1) try: if urlc.path.endswith('/'): for path in owproxy.dir(urlc.path, bus=True): print(path) else: data = owproxy.read(urlc.path) print_data(data) except protocol.OwnetError as error: print('Remote server error: {2}'.format(host, port, error), file= sys.stderr) sys.exit(1) except protocol.ProtocolError as error: print("'{0}:{1}' buggy?\nProtocol error: {2}".format(host, port, error), file=sys.stderr) sys.exit(1)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n fcodes = collections.OrderedDict((('f.i', protocol.FLG_FORMAT_FDI), (\n 'fi', protocol.FLG_FORMAT_FI), ('f.i.c', protocol.FLG_FORMAT_FDIDC),\n ('f.ic', protocol.FLG_FORMAT_FDIC), ('fi.c', protocol.\n FLG_FORMAT_FIDC), ('fic', protocol.FLG_FORMAT_FIC)))\n\n def x():\n parser = argparse.ArgumentParser()\n parser.add_argument('uri', metavar='URI', nargs='?', default='/',\n help='[owserver:]//hostname:port/path')\n parser.set_defaults(t_flags=protocol.FLG_TEMP_C)\n tempg = parser.add_mutually_exclusive_group()\n tempg.add_argument('-C', '--Celsius', const=protocol.FLG_TEMP_C,\n help='Celsius(default) temperature scale', dest='t_flags',\n action='store_const')\n tempg.add_argument('-F', '--Fahrenheit', const=protocol.FLG_TEMP_F,\n help='Fahrenheit temperature scale', dest='t_flags', action=\n 'store_const')\n tempg.add_argument('-K', '--Kelvin', const=protocol.FLG_TEMP_K,\n help='Kelvin temperature scale', dest='t_flags', action=\n 'store_const')\n tempg.add_argument('-R', '--Rankine', const=protocol.FLG_TEMP_R,\n help='Rankine temperature scale', dest='t_flags', action=\n 'store_const')\n parser.set_defaults(format='f.i')\n parser.add_argument('-f', '--format', choices=fcodes, help=\n 'format for 1-wire unique serial IDs display')\n tempg = parser.add_mutually_exclusive_group()\n tempg.add_argument('--hex', action='store_true', help=\n 'write data in hex format')\n tempg.add_argument('-b', '--binary', action='store_true', help=\n 'output binary data')\n parser.add_argument('-d', '--debug', action='store_true', help=\n 'debug output')\n return parser\n\n def x(data):\n if args.binary:\n if sys.version_info < (3,):\n sys.stdout.write(data)\n else:\n sys.stdout.buffer.write(data)\n else:\n if args.hex:\n data = hexlify(data)\n else:\n try:\n data = data.decode('ascii')\n except UnicodeDecodeError:\n data = repr(data)\n print(data)\n parser = make_parser()\n args = parser.parse_args()\n urlc = urlsplit(args.uri, scheme='owserver', allow_fragments=False)\n assert urlc.fragment == ''\n if urlc.scheme != 'owserver':\n parser.error(\"Invalid URI scheme '{0}:'\".format(urlc.scheme))\n if urlc.query:\n parser.error(\"Invalid URI, query component '?{0}' not allowed\".\n format(urlc.query))\n try:\n host = urlc.hostname or 'localhost'\n port = urlc.port or 4304\n except ValueError as error:\n parser.error(\"Invalid URI: invalid net location '//{0}/'\".format(\n urlc.netloc))\n try:\n owproxy = protocol.proxy(host, port, flags=args.t_flags | fcodes[\n args.format], verbose=args.debug)\n except protocol.ConnError as error:\n print(\"Unable to open connection to '{0}:{1}'\\nSystem error: {2}\".\n format(host, port, error), file=sys.stderr)\n sys.exit(1)\n except protocol.ProtocolError as error:\n print(\"'{0}:{1}' not an owserver?\\nProtocol error: {2}\".format(host,\n port, error), file=sys.stderr)\n sys.exit(1)\n try:\n if urlc.path.endswith('/'):\n for path in owproxy.dir(urlc.path, bus=True):\n print(path)\n else:\n data = owproxy.read(urlc.path)\n print_data(data)\n except protocol.OwnetError as error:\n print('Remote server error: {2}'.format(host, port, error), file=\n sys.stderr)\n sys.exit(1)\n except protocol.ProtocolError as error:\n print(\"'{0}:{1}' buggy?\\nProtocol error: {2}\".format(host, port,\n error), file=sys.stderr)\n sys.exit(1)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): parser = argparse.ArgumentParser() parser.add_argument('uri', metavar='URI', nargs='?', default='/', help= '[owserver:]//hostname:port/path') args = parser.parse_args() urlc = urlsplit(args.uri, scheme='owserver', allow_fragments=False) assert urlc.fragment == '' if urlc.scheme != 'owserver': parser.error("Invalid URI scheme '{0}:'".format(urlc.scheme)) if urlc.query: parser.error("Invalid URI, query component '?{0}' not allowed". format(urlc.query)) try: host = urlc.hostname or 'localhost' port = urlc.port or 4304 except ValueError as error: parser.error("Invalid URI: invalid net location '//{0}/'".format( urlc.netloc)) try: owproxy = protocol.proxy(host, port, persistent=True) except protocol.ConnError as error: print("Unable to open connection to '{0}:{1}'\n{2}".format(host, port, error), file=sys.stderr) sys.exit(1) except protocol.ProtocolError as error: print("Protocol error, '{0}:{1}' not an owserver?\n{2}".format(host, port, error), file=sys.stderr) sys.exit(1) stress(owproxy, urlc.path)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n parser = argparse.ArgumentParser()\n parser.add_argument('uri', metavar='URI', nargs='?', default='/', help=\n '[owserver:]//hostname:port/path')\n args = parser.parse_args()\n urlc = urlsplit(args.uri, scheme='owserver', allow_fragments=False)\n assert urlc.fragment == ''\n if urlc.scheme != 'owserver':\n parser.error(\"Invalid URI scheme '{0}:'\".format(urlc.scheme))\n if urlc.query:\n parser.error(\"Invalid URI, query component '?{0}' not allowed\".\n format(urlc.query))\n try:\n host = urlc.hostname or 'localhost'\n port = urlc.port or 4304\n except ValueError as error:\n parser.error(\"Invalid URI: invalid net location '//{0}/'\".format(\n urlc.netloc))\n try:\n owproxy = protocol.proxy(host, port, persistent=True)\n except protocol.ConnError as error:\n print(\"Unable to open connection to '{0}:{1}'\\n{2}\".format(host,\n port, error), file=sys.stderr)\n sys.exit(1)\n except protocol.ProtocolError as error:\n print(\"Protocol error, '{0}:{1}' not an owserver?\\n{2}\".format(host,\n port, error), file=sys.stderr)\n sys.exit(1)\n stress(owproxy, urlc.path)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self, path, params=None): url = u'%s/%s/productCode/%s' % (self.endpoint, path, self.product_code) if params: for key, value in params.items(): url = u'%s/%s/%s' % (url, key, value) return url
build_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, params=None):\n url = u'%s/%s/productCode/%s' % (self.endpoint, path, self.product_code)\n if params:\n for key, value in params.items():\n url = u'%s/%s/%s' % (url, key, value)\n return url\n", "role": "user" }, { "content": "build_url", "role": "assistant" } ]
def x(self, path, params=None, data=None, method=None): url = self.build_url(path, params) client_log.debug('Requesting: %s' % url) method = method or 'GET' body = None headers = {} if data: method = 'POST' body = urlencode(data) headers = {'content-type': 'application/x-www-form-urlencoded; charset=UTF-8'} client_log.debug('Request Method: %s' % method) client_log.debug('Request Body(Data): %s' % data) client_log.debug('Request Body(Raw): %s' % body) h = httplib2.Http(cache=self.cache, timeout=self.timeout) headers['Authorization'] = 'Basic %s' % base64.standard_b64encode(self. username + ':' + self.password).strip() response, content = h.request(url, method, body=body, headers=headers) status = response.status client_log.debug('Response Status: %d' % status) client_log.debug('Response Content: %s' % content) if status != 200 and status != 302: exception_class = CheddarError if status == 401: exception_class = AccessDenied elif status == 400: exception_class = BadRequest elif status == 404: exception_class = NotFound elif status == 412: exception_class = PreconditionFailed elif status == 500: exception_class = CheddarFailure elif status == 502: exception_class = NaughtyGateway elif status == 422: exception_class = UnprocessableEntity raise exception_class(response, content) response.content = content return response
make_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, params=None, data=None, method=None):\n url = self.build_url(path, params)\n client_log.debug('Requesting: %s' % url)\n method = method or 'GET'\n body = None\n headers = {}\n if data:\n method = 'POST'\n body = urlencode(data)\n headers = {'content-type':\n 'application/x-www-form-urlencoded; charset=UTF-8'}\n client_log.debug('Request Method: %s' % method)\n client_log.debug('Request Body(Data): %s' % data)\n client_log.debug('Request Body(Raw): %s' % body)\n h = httplib2.Http(cache=self.cache, timeout=self.timeout)\n headers['Authorization'] = 'Basic %s' % base64.standard_b64encode(self.\n username + ':' + self.password).strip()\n response, content = h.request(url, method, body=body, headers=headers)\n status = response.status\n client_log.debug('Response Status: %d' % status)\n client_log.debug('Response Content: %s' % content)\n if status != 200 and status != 302:\n exception_class = CheddarError\n if status == 401:\n exception_class = AccessDenied\n elif status == 400:\n exception_class = BadRequest\n elif status == 404:\n exception_class = NotFound\n elif status == 412:\n exception_class = PreconditionFailed\n elif status == 500:\n exception_class = CheddarFailure\n elif status == 502:\n exception_class = NaughtyGateway\n elif status == 422:\n exception_class = UnprocessableEntity\n raise exception_class(response, content)\n response.content = content\n return response\n", "role": "user" }, { "content": "make_request", "role": "assistant" } ]
def x(): parser = argparse.ArgumentParser() parser.add_argument('uri', metavar='URI', nargs='?', default='/', help= '[owserver:]//server:port/entity') parser.set_defaults(t_flags=protocol.FLG_TEMP_C) tempg = parser.add_mutually_exclusive_group() tempg.add_argument('-C', '--Celsius', const=protocol.FLG_TEMP_C, help= 'Celsius(default) temperature scale', dest='t_flags', action= 'store_const') tempg.add_argument('-F', '--Fahrenheit', const=protocol.FLG_TEMP_F, help='Fahrenheit temperature scale', dest='t_flags', action= 'store_const') tempg.add_argument('-K', '--Kelvin', const=protocol.FLG_TEMP_K, help= 'Kelvin temperature scale', dest='t_flags', action='store_const') tempg.add_argument('-R', '--Rankine', const=protocol.FLG_TEMP_R, help= 'Rankine temperature scale', dest='t_flags', action='store_const') fcodes = collections.OrderedDict((('f.i', protocol.FLG_FORMAT_FDI), ( 'fi', protocol.FLG_FORMAT_FI), ('f.i.c', protocol.FLG_FORMAT_FDIDC), ('f.ic', protocol.FLG_FORMAT_FDIC), ('fi.c', protocol. FLG_FORMAT_FIDC), ('fic', protocol.FLG_FORMAT_FIC))) parser.set_defaults(format='f.i') parser.add_argument('-f', '--format', choices=fcodes, help= 'format for 1-wire unique serial IDs display') parser.add_argument('--nosys', '--only-sensors', action='store_false', dest='bus', help='do not descend system directories') args = parser.parse_args() urlc = urlsplit(args.uri, scheme='owserver', allow_fragments=False) if urlc.scheme != 'owserver': parser.error("Invalid URI scheme '{}:'".format(urlc.scheme)) assert not urlc.fragment if urlc.query: parser.error("Invalid URI '{}', no query component allowed".format( args.uri)) host = urlc.hostname or 'localhost' port = urlc.port or 4304 try: proxy = protocol.proxy(host, port, flags=args.t_flags | fcodes[args .format], persistent=True) except (protocol.ConnError, protocol.ProtocolError) as error: parser.exit(status=1, message=str(error) + '\n') def x(path): try: if not path.endswith('/'): val = proxy.read(path) print('{:40} {!r}'.format(path, val)) else: for entity in proxy.dir(path, bus=args.bus): walk(entity) except protocol.OwnetError as error: print('Unable to walk {}: server says {}'.format(path, error), file=sys.stderr) except protocol.ConnError as error: print('Unable to walk {}: {}'.format(path, error), file=sys.stderr) with proxy: walk(urlc.path)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n parser = argparse.ArgumentParser()\n parser.add_argument('uri', metavar='URI', nargs='?', default='/', help=\n '[owserver:]//server:port/entity')\n parser.set_defaults(t_flags=protocol.FLG_TEMP_C)\n tempg = parser.add_mutually_exclusive_group()\n tempg.add_argument('-C', '--Celsius', const=protocol.FLG_TEMP_C, help=\n 'Celsius(default) temperature scale', dest='t_flags', action=\n 'store_const')\n tempg.add_argument('-F', '--Fahrenheit', const=protocol.FLG_TEMP_F,\n help='Fahrenheit temperature scale', dest='t_flags', action=\n 'store_const')\n tempg.add_argument('-K', '--Kelvin', const=protocol.FLG_TEMP_K, help=\n 'Kelvin temperature scale', dest='t_flags', action='store_const')\n tempg.add_argument('-R', '--Rankine', const=protocol.FLG_TEMP_R, help=\n 'Rankine temperature scale', dest='t_flags', action='store_const')\n fcodes = collections.OrderedDict((('f.i', protocol.FLG_FORMAT_FDI), (\n 'fi', protocol.FLG_FORMAT_FI), ('f.i.c', protocol.FLG_FORMAT_FDIDC),\n ('f.ic', protocol.FLG_FORMAT_FDIC), ('fi.c', protocol.\n FLG_FORMAT_FIDC), ('fic', protocol.FLG_FORMAT_FIC)))\n parser.set_defaults(format='f.i')\n parser.add_argument('-f', '--format', choices=fcodes, help=\n 'format for 1-wire unique serial IDs display')\n parser.add_argument('--nosys', '--only-sensors', action='store_false',\n dest='bus', help='do not descend system directories')\n args = parser.parse_args()\n urlc = urlsplit(args.uri, scheme='owserver', allow_fragments=False)\n if urlc.scheme != 'owserver':\n parser.error(\"Invalid URI scheme '{}:'\".format(urlc.scheme))\n assert not urlc.fragment\n if urlc.query:\n parser.error(\"Invalid URI '{}', no query component allowed\".format(\n args.uri))\n host = urlc.hostname or 'localhost'\n port = urlc.port or 4304\n try:\n proxy = protocol.proxy(host, port, flags=args.t_flags | fcodes[args\n .format], persistent=True)\n except (protocol.ConnError, protocol.ProtocolError) as error:\n parser.exit(status=1, message=str(error) + '\\n')\n\n def x(path):\n try:\n if not path.endswith('/'):\n val = proxy.read(path)\n print('{:40} {!r}'.format(path, val))\n else:\n for entity in proxy.dir(path, bus=args.bus):\n walk(entity)\n except protocol.OwnetError as error:\n print('Unable to walk {}: server says {}'.format(path, error),\n file=sys.stderr)\n except protocol.ConnError as error:\n print('Unable to walk {}: {}'.format(path, error), file=sys.stderr)\n with proxy:\n walk(urlc.path)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(host='localhost', port=4304, flags=0, persistent=False, verbose=False): try: gai = socket.getaddrinfo(host, port, 0, socket.SOCK_STREAM, socket. IPPROTO_TCP) except socket.gaierror as err: raise ConnError(*err.args) assert gai for family, _type, _proto, _, sockaddr in gai: assert _type is socket.SOCK_STREAM and _proto is socket.IPPROTO_TCP owp = _Proxy(family, sockaddr, flags, verbose) try: owp.ping() except ConnError as err: lasterr = err.args continue else: break else: raise ConnError(*lasterr) owp._init_errcodes() if persistent: owp = clone(owp, persistent=True) assert not isinstance(owp, _PersistentProxy) or owp.conn is None return owp
proxy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(host='localhost', port=4304, flags=0, persistent=False, verbose=False):\n try:\n gai = socket.getaddrinfo(host, port, 0, socket.SOCK_STREAM, socket.\n IPPROTO_TCP)\n except socket.gaierror as err:\n raise ConnError(*err.args)\n assert gai\n for family, _type, _proto, _, sockaddr in gai:\n assert _type is socket.SOCK_STREAM and _proto is socket.IPPROTO_TCP\n owp = _Proxy(family, sockaddr, flags, verbose)\n try:\n owp.ping()\n except ConnError as err:\n lasterr = err.args\n continue\n else:\n break\n else:\n raise ConnError(*lasterr)\n owp._init_errcodes()\n if persistent:\n owp = clone(owp, persistent=True)\n assert not isinstance(owp, _PersistentProxy) or owp.conn is None\n return owp\n", "role": "user" }, { "content": "proxy", "role": "assistant" } ]
def x(proxy, persistent=True): if not isinstance(proxy, _Proxy): raise TypeError('argument is not a Proxy object') if persistent: pclass = _PersistentProxy else: pclass = _Proxy return pclass(proxy._family, proxy._sockaddr, proxy.flags & ~ FLG_PERSISTENCE, proxy.verbose, proxy.errmess)
clone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(proxy, persistent=True):\n if not isinstance(proxy, _Proxy):\n raise TypeError('argument is not a Proxy object')\n if persistent:\n pclass = _PersistentProxy\n else:\n pclass = _Proxy\n return pclass(proxy._family, proxy._sockaddr, proxy.flags & ~\n FLG_PERSISTENCE, proxy.verbose, proxy.errmess)\n", "role": "user" }, { "content": "clone", "role": "assistant" } ]
def x(self): if self.verbose: print(self.socket.getsockname(), 'xx', self.peername) try: self.socket.shutdown(socket.SHUT_RDWR) except IOError as err: assert err.errno is _ENOTCONN, 'unexpected IOError: %s' % err pass
shutdown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.verbose:\n print(self.socket.getsockname(), 'xx', self.peername)\n try:\n self.socket.shutdown(socket.SHUT_RDWR)\n except IOError as err:\n assert err.errno is _ENOTCONN, 'unexpected IOError: %s' % err\n pass\n", "role": "user" }, { "content": "shutdown", "role": "assistant" } ]
def x(self, msgtype, payload, flags, size=0, offset=0, timeout=0): if timeout < 0: raise ValueError('timeout cannot be negative!') tohead = _ToServerHeader(payload=len(payload), type=msgtype, flags= flags, size=size, offset=offset) tstartcom = monotonic() self._send_msg(tohead, payload) while True: fromhead, data = self._read_msg() if fromhead.payload >= 0: return fromhead.ret, fromhead.flags, data assert msgtype != MSG_NOP if timeout: tcom = monotonic() - tstartcom if tcom > timeout: raise OwnetTimeout(tcom, timeout)
req
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msgtype, payload, flags, size=0, offset=0, timeout=0):\n if timeout < 0:\n raise ValueError('timeout cannot be negative!')\n tohead = _ToServerHeader(payload=len(payload), type=msgtype, flags=\n flags, size=size, offset=offset)\n tstartcom = monotonic()\n self._send_msg(tohead, payload)\n while True:\n fromhead, data = self._read_msg()\n if fromhead.payload >= 0:\n return fromhead.ret, fromhead.flags, data\n assert msgtype != MSG_NOP\n if timeout:\n tcom = monotonic() - tstartcom\n if tcom > timeout:\n raise OwnetTimeout(tcom, timeout)\n", "role": "user" }, { "content": "req", "role": "assistant" } ]
def x(self, header, payload): if self.verbose: print('->', repr(header)) print('..', repr(payload)) assert header.payload == len(payload) try: sent = self.socket.send(header + payload) except IOError as err: raise ConnError(*err.args) if sent < len(header + payload): raise ShortWrite(sent, len(header + payload)) assert sent == len(header + payload), sent
send_msg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, header, payload):\n if self.verbose:\n print('->', repr(header))\n print('..', repr(payload))\n assert header.payload == len(payload)\n try:\n sent = self.socket.send(header + payload)\n except IOError as err:\n raise ConnError(*err.args)\n if sent < len(header + payload):\n raise ShortWrite(sent, len(header + payload))\n assert sent == len(header + payload), sent\n", "role": "user" }, { "content": "send_msg", "role": "assistant" } ]
def x(self): def x(nbytes): try: buf = self.socket.recv(nbytes) except IOError as err: raise ConnError(*err.args) if not buf: raise ShortRead(0, nbytes) while len(buf) < nbytes: try: tmp = self.socket.recv(nbytes - len(buf)) except IOError as err: raise ConnError(*err.args) if not tmp: if self.verbose: print('ee', repr(buf)) raise ShortRead(len(buf), nbytes) buf += tmp assert len(buf) == nbytes, (buf, len(buf), nbytes) return buf data = _recv_socket(_FromServerHeader.header_size) header = _FromServerHeader(data) if self.verbose: print('<-', repr(header)) if header.version != 0: raise MalformedHeader('bad version', header) if header.payload > MAX_PAYLOAD: raise MalformedHeader('huge payload, unwilling to read', header) if header.payload > 0: payload = _recv_socket(header.payload) if self.verbose: print('..', repr(payload)) assert header.size <= header.payload payload = payload[:header.size] else: payload = bytes() return header, payload
read_msg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n def x(nbytes):\n try:\n buf = self.socket.recv(nbytes)\n except IOError as err:\n raise ConnError(*err.args)\n if not buf:\n raise ShortRead(0, nbytes)\n while len(buf) < nbytes:\n try:\n tmp = self.socket.recv(nbytes - len(buf))\n except IOError as err:\n raise ConnError(*err.args)\n if not tmp:\n if self.verbose:\n print('ee', repr(buf))\n raise ShortRead(len(buf), nbytes)\n buf += tmp\n assert len(buf) == nbytes, (buf, len(buf), nbytes)\n return buf\n data = _recv_socket(_FromServerHeader.header_size)\n header = _FromServerHeader(data)\n if self.verbose:\n print('<-', repr(header))\n if header.version != 0:\n raise MalformedHeader('bad version', header)\n if header.payload > MAX_PAYLOAD:\n raise MalformedHeader('huge payload, unwilling to read', header)\n if header.payload > 0:\n payload = _recv_socket(header.payload)\n if self.verbose:\n print('..', repr(payload))\n assert header.size <= header.payload\n payload = payload[:header.size]\n else:\n payload = bytes()\n return header, payload\n", "role": "user" }, { "content": "read_msg", "role": "assistant" } ]
def x(self, msgtype, payload, flags=0, size=0, offset=0, timeout=0): flags |= self.flags assert not flags & FLG_PERSISTENCE with self._new_connection() as conn: ret, _, data = conn.req(msgtype, payload, flags, size, offset, timeout) return ret, data
sendmess
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msgtype, payload, flags=0, size=0, offset=0, timeout=0):\n flags |= self.flags\n assert not flags & FLG_PERSISTENCE\n with self._new_connection() as conn:\n ret, _, data = conn.req(msgtype, payload, flags, size, offset, timeout)\n return ret, data\n", "role": "user" }, { "content": "sendmess", "role": "assistant" } ]
def x(self): ret, data = self.sendmess(MSG_NOP, bytes()) if data or ret > 0: raise ProtocolError('invalid reply to ping message') if ret < 0: raise OwnetError(-ret, self.errmess[-ret])
ping
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ret, data = self.sendmess(MSG_NOP, bytes())\n if data or ret > 0:\n raise ProtocolError('invalid reply to ping message')\n if ret < 0:\n raise OwnetError(-ret, self.errmess[-ret])\n", "role": "user" }, { "content": "ping", "role": "assistant" } ]
def x(self, path, timeout=0): ret, data = self.sendmess(MSG_PRESENCE, str2bytez(path), timeout=timeout) assert ret <= 0 and not data, (ret, data) if ret < 0: return False else: return True
present
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, timeout=0):\n ret, data = self.sendmess(MSG_PRESENCE, str2bytez(path), timeout=timeout)\n assert ret <= 0 and not data, (ret, data)\n if ret < 0:\n return False\n else:\n return True\n", "role": "user" }, { "content": "present", "role": "assistant" } ]
def x(self, path='/', slash=True, bus=False, timeout=0): if slash: msg = MSG_DIRALLSLASH else: msg = MSG_DIRALL if bus: flags = self.flags | FLG_BUS_RET else: flags = self.flags & ~FLG_BUS_RET ret, data = self.sendmess(msg, str2bytez(path), flags, timeout=timeout) if ret < 0: raise OwnetError(-ret, self.errmess[-ret], path) if data: return bytes2str(data).split(',') else: return []
dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path='/', slash=True, bus=False, timeout=0):\n if slash:\n msg = MSG_DIRALLSLASH\n else:\n msg = MSG_DIRALL\n if bus:\n flags = self.flags | FLG_BUS_RET\n else:\n flags = self.flags & ~FLG_BUS_RET\n ret, data = self.sendmess(msg, str2bytez(path), flags, timeout=timeout)\n if ret < 0:\n raise OwnetError(-ret, self.errmess[-ret], path)\n if data:\n return bytes2str(data).split(',')\n else:\n return []\n", "role": "user" }, { "content": "dir", "role": "assistant" } ]
def x(self, path, size=MAX_PAYLOAD, offset=0, timeout=0): if size > MAX_PAYLOAD: raise ValueError('size cannot exceed %d' % MAX_PAYLOAD) ret, data = self.sendmess(MSG_READ, str2bytez(path), size=size, offset= offset, timeout=timeout) if ret < 0: raise OwnetError(-ret, self.errmess[-ret], path) return data
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, size=MAX_PAYLOAD, offset=0, timeout=0):\n if size > MAX_PAYLOAD:\n raise ValueError('size cannot exceed %d' % MAX_PAYLOAD)\n ret, data = self.sendmess(MSG_READ, str2bytez(path), size=size, offset=\n offset, timeout=timeout)\n if ret < 0:\n raise OwnetError(-ret, self.errmess[-ret], path)\n return data\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(self, path, data, offset=0, timeout=0): if not isinstance(data, (bytes, bytearray)): raise TypeError("'data' argument must be binary") ret, rdata = self.sendmess(MSG_WRITE, str2bytez(path) + data, size=len( data), offset=offset, timeout=timeout) assert not rdata, (ret, rdata) if ret < 0: raise OwnetError(-ret, self.errmess[-ret], path)
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, data, offset=0, timeout=0):\n if not isinstance(data, (bytes, bytearray)):\n raise TypeError(\"'data' argument must be binary\")\n ret, rdata = self.sendmess(MSG_WRITE, str2bytez(path) + data, size=len(\n data), offset=offset, timeout=timeout)\n assert not rdata, (ret, rdata)\n if ret < 0:\n raise OwnetError(-ret, self.errmess[-ret], path)\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self, msgtype, payload, flags=0, size=0, offset=0, timeout=0): conn = self.conn or self._new_connection() self.conn = None flags |= self.flags assert flags & FLG_PERSISTENCE ret, rflags, data = conn.req(msgtype, payload, flags, size, offset, timeout ) if rflags & FLG_PERSISTENCE: self.conn = conn else: conn.shutdown() return ret, data
sendmess
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msgtype, payload, flags=0, size=0, offset=0, timeout=0):\n conn = self.conn or self._new_connection()\n self.conn = None\n flags |= self.flags\n assert flags & FLG_PERSISTENCE\n ret, rflags, data = conn.req(msgtype, payload, flags, size, offset, timeout\n )\n if rflags & FLG_PERSISTENCE:\n self.conn = conn\n else:\n conn.shutdown()\n return ret, data\n", "role": "user" }, { "content": "sendmess", "role": "assistant" } ]
def x(self, filter_data=None): customers = [] try: response = self.client.make_request(path='customers/get', data= filter_data) except NotFound: response = None if response: customer_parser = CustomersParser() customers_data = customer_parser.parse_xml(response.content) for customer_data in customers_data: customers.append(Customer(product=self, **customer_data)) return customers
get_customers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filter_data=None):\n customers = []\n try:\n response = self.client.make_request(path='customers/get', data=\n filter_data)\n except NotFound:\n response = None\n if response:\n customer_parser = CustomersParser()\n customers_data = customer_parser.parse_xml(response.content)\n for customer_data in customers_data:\n customers.append(Customer(product=self, **customer_data))\n return customers\n", "role": "user" }, { "content": "get_customers", "role": "assistant" } ]
def x(self): response = self.client.make_request(path= 'customers/delete-all/confirm/%d' % int(time()), method='POST')
delete_all_customers
[ { "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.client.make_request(path=\n 'customers/delete-all/confirm/%d' % int(time()), method='POST')\n", "role": "user" }, { "content": "delete_all_customers", "role": "assistant" } ]
def x(self): time_to_start = None if self.initial_bill_count_unit == 'months': time_to_start = relativedelta(months=self.initial_bill_count) else: time_to_start = relativedelta(days=self.initial_bill_count) initial_bill_date = datetime.utcnow().date() + time_to_start return initial_bill_date
initial_bill_date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n time_to_start = None\n if self.initial_bill_count_unit == 'months':\n time_to_start = relativedelta(months=self.initial_bill_count)\n else:\n time_to_start = relativedelta(days=self.initial_bill_count)\n initial_bill_date = datetime.utcnow().date() + time_to_start\n return initial_bill_date\n", "role": "user" }, { "content": "initial_bill_date", "role": "assistant" } ]
def x(self, code, each_amount, quantity=1, description=None): each_amount = Decimal(each_amount) each_amount = each_amount.quantize(Decimal('.01')) data = {'chargeCode': code, 'eachAmount': '%.2f' % each_amount, 'quantity': quantity} if description: data['description'] = description response = self.product.client.make_request(path='customers/add-charge', params={'code': self.code}, data=data) return self.load_data_from_xml(response.content)
charge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, code, each_amount, quantity=1, description=None):\n each_amount = Decimal(each_amount)\n each_amount = each_amount.quantize(Decimal('.01'))\n data = {'chargeCode': code, 'eachAmount': '%.2f' % each_amount,\n 'quantity': quantity}\n if description:\n data['description'] = description\n response = self.product.client.make_request(path='customers/add-charge',\n params={'code': self.code}, data=data)\n return self.load_data_from_xml(response.content)\n", "role": "user" }, { "content": "charge", "role": "assistant" } ]
def x(self, charges): data = {} for n, charge in enumerate(charges): each_amount = Decimal(charge['each_amount']) each_amount = each_amount.quantize(Decimal('.01')) data['charges[%d][chargeCode]' % n] = charge['code'] data['charges[%d][quantity]' % n] = charge.get('quantity', 1) data['charges[%d][eachAmount]' % n] = '%.2f' % each_amount if 'description' in charge.keys(): data['charges[%d][description]' % n] = charge['description'] response = self.product.client.make_request(path='invoices/new', params ={'code': self.code}, data=data) return self.load_data_from_xml(response.content)
create_one_time_invoice
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, charges):\n data = {}\n for n, charge in enumerate(charges):\n each_amount = Decimal(charge['each_amount'])\n each_amount = each_amount.quantize(Decimal('.01'))\n data['charges[%d][chargeCode]' % n] = charge['code']\n data['charges[%d][quantity]' % n] = charge.get('quantity', 1)\n data['charges[%d][eachAmount]' % n] = '%.2f' % each_amount\n if 'description' in charge.keys():\n data['charges[%d][description]' % n] = charge['description']\n response = self.product.client.make_request(path='invoices/new', params\n ={'code': self.code}, data=data)\n return self.load_data_from_xml(response.content)\n", "role": "user" }, { "content": "create_one_time_invoice", "role": "assistant" } ]
def x(self, quantity): data = {} data['quantity'] = self._normalize_quantity(quantity) response = self.subscription.customer.product.client.make_request(path= 'customers/set-item-quantity', params={'code': self.subscription. customer.code, 'itemCode': self.code}, data=data, method='POST') return self.subscription.customer.load_data_from_xml(response.content)
set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, quantity):\n data = {}\n data['quantity'] = self._normalize_quantity(quantity)\n response = self.subscription.customer.product.client.make_request(path=\n 'customers/set-item-quantity', params={'code': self.subscription.\n customer.code, 'itemCode': self.code}, data=data, method='POST')\n return self.subscription.customer.load_data_from_xml(response.content)\n", "role": "user" }, { "content": "set", "role": "assistant" } ]
def x(self, other, settings): if not self._is_compatible_with(other): return False first, middle, last = self._compare_components(other, settings) return first and middle and last
deep_compare
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other, settings):\n if not self._is_compatible_with(other):\n return False\n first, middle, last = self._compare_components(other, settings)\n return first and middle and last\n", "role": "user" }, { "content": "deep_compare", "role": "assistant" } ]
def x(self, other, settings): if not self._is_compatible_with(other): return 0 first, middle, last = self._compare_components(other, settings, True) f_weight, m_weight, l_weight = self._determine_weights(other, settings) total_weight = f_weight + m_weight + l_weight result = (first * f_weight + middle * m_weight + last * l_weight ) / total_weight return result
ratio_deep_compare
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other, settings):\n if not self._is_compatible_with(other):\n return 0\n first, middle, last = self._compare_components(other, settings, True)\n f_weight, m_weight, l_weight = self._determine_weights(other, settings)\n total_weight = f_weight + m_weight + l_weight\n result = (first * f_weight + middle * m_weight + last * l_weight\n ) / total_weight\n return result\n", "role": "user" }, { "content": "ratio_deep_compare", "role": "assistant" } ]
def x(self, other): title = self._compare_title(other) suffix = self._compare_suffix(other) return title and suffix
is_compatible_with
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n title = self._compare_title(other)\n suffix = self._compare_suffix(other)\n return title and suffix\n", "role": "user" }, { "content": "is_compatible_with", "role": "assistant" } ]
def x(self, other): if not self.title or not other.title: return True titles = set(self.title_list + other.title_list) return not (titles & MALE_TITLES and titles & FEMALE_TITLES)
compare_title
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n if not self.title or not other.title:\n return True\n titles = set(self.title_list + other.title_list)\n return not (titles & MALE_TITLES and titles & FEMALE_TITLES)\n", "role": "user" }, { "content": "compare_title", "role": "assistant" } ]
def x(self, other): if not self.suffix or not other.suffix: return True suffix_set = set(self.suffix_list + other.suffix_list) unique_suffixes = suffix_set & UNIQUE_SUFFIXES for key in EQUIVALENT_SUFFIXES: if key in unique_suffixes: unique_suffixes.remove(key) unique_suffixes.add(EQUIVALENT_SUFFIXES[key]) return len(unique_suffixes) < 2
compare_suffix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n if not self.suffix or not other.suffix:\n return True\n suffix_set = set(self.suffix_list + other.suffix_list)\n unique_suffixes = suffix_set & UNIQUE_SUFFIXES\n for key in EQUIVALENT_SUFFIXES:\n if key in unique_suffixes:\n unique_suffixes.remove(key)\n unique_suffixes.add(EQUIVALENT_SUFFIXES[key])\n return len(unique_suffixes) < 2\n", "role": "user" }, { "content": "compare_suffix", "role": "assistant" } ]