source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, topics):
if self.sock == NC.INVALID_SOCKET:
return NC.ERR_NO_CONN
self.logger.info('SUBSCRIBE: %s', ', '.join([t for t, q in topics]))
return self.send_subscribe(False, [(utf8encode(topic), qos) for topic,
qos in topics])
|
subscribe_multi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topics):\n if self.sock == NC.INVALID_SOCKET:\n return NC.ERR_NO_CONN\n self.logger.info('SUBSCRIBE: %s', ', '.join([t for t, q in topics]))\n return self.send_subscribe(False, [(utf8encode(topic), qos) for topic,\n qos in topics])\n",
"role": "user"
},
{
"content": "subscribe_multi",
"role": "assistant"
}
] |
def x(self, topic):
if self.sock == NC.INVALID_SOCKET:
return NC.ERR_NO_CONN
self.logger.info('UNSUBSCRIBE: %s', topic)
return self.send_unsubscribe(False, [utf8encode(topic)])
|
unsubscribe
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topic):\n if self.sock == NC.INVALID_SOCKET:\n return NC.ERR_NO_CONN\n self.logger.info('UNSUBSCRIBE: %s', topic)\n return self.send_unsubscribe(False, [utf8encode(topic)])\n",
"role": "user"
},
{
"content": "unsubscribe",
"role": "assistant"
}
] |
def x(self, topics):
if self.sock == NC.INVALID_SOCKET:
return NC.ERR_NO_CONN
self.logger.info('UNSUBSCRIBE: %s', ', '.join(topics))
return self.send_unsubscribe(False, [utf8encode(topic) for topic in topics]
)
|
unsubscribe_multi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topics):\n if self.sock == NC.INVALID_SOCKET:\n return NC.ERR_NO_CONN\n self.logger.info('UNSUBSCRIBE: %s', ', '.join(topics))\n return self.send_unsubscribe(False, [utf8encode(topic) for topic in topics]\n )\n",
"role": "user"
},
{
"content": "unsubscribe_multi",
"role": "assistant"
}
] |
def x(self, dup, topics):
pkt = MqttPkt()
pktlen = 2 + sum([(2 + len(topic) + 1) for topic, qos in topics])
pkt.command = NC.CMD_SUBSCRIBE | dup << 3 | 1 << 1
pkt.remaining_length = pktlen
ret = pkt.alloc()
if ret != NC.ERR_SUCCESS:
return ret
mid = self.mid_generate()
pkt.write_uint16(mid)
for topic, qos in topics:
pkt.write_string(topic)
pkt.write_byte(qos)
return self.packet_queue(pkt)
|
send_subscribe
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dup, topics):\n pkt = MqttPkt()\n pktlen = 2 + sum([(2 + len(topic) + 1) for topic, qos in topics])\n pkt.command = NC.CMD_SUBSCRIBE | dup << 3 | 1 << 1\n pkt.remaining_length = pktlen\n ret = pkt.alloc()\n if ret != NC.ERR_SUCCESS:\n return ret\n mid = self.mid_generate()\n pkt.write_uint16(mid)\n for topic, qos in topics:\n pkt.write_string(topic)\n pkt.write_byte(qos)\n return self.packet_queue(pkt)\n",
"role": "user"
},
{
"content": "send_subscribe",
"role": "assistant"
}
] |
def x(self, dup, topics):
pkt = MqttPkt()
pktlen = 2 + sum([(2 + len(topic)) for topic in topics])
pkt.command = NC.CMD_UNSUBSCRIBE | dup << 3 | 1 << 1
pkt.remaining_length = pktlen
ret = pkt.alloc()
if ret != NC.ERR_SUCCESS:
return ret
mid = self.mid_generate()
pkt.write_uint16(mid)
for topic in topics:
pkt.write_string(topic)
return self.packet_queue(pkt)
|
send_unsubscribe
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dup, topics):\n pkt = MqttPkt()\n pktlen = 2 + sum([(2 + len(topic)) for topic in topics])\n pkt.command = NC.CMD_UNSUBSCRIBE | dup << 3 | 1 << 1\n pkt.remaining_length = pktlen\n ret = pkt.alloc()\n if ret != NC.ERR_SUCCESS:\n return ret\n mid = self.mid_generate()\n pkt.write_uint16(mid)\n for topic in topics:\n pkt.write_string(topic)\n return self.packet_queue(pkt)\n",
"role": "user"
},
{
"content": "send_unsubscribe",
"role": "assistant"
}
] |
def x(self):
self.logger.info('CONNACK reveived')
ret, flags = self.in_packet.read_byte()
if ret != NC.ERR_SUCCESS:
self.logger.error('error read byte')
return ret
session_present = flags & 1
ret, retcode = self.in_packet.read_byte()
if ret != NC.ERR_SUCCESS:
return ret
evt = event.EventConnack(retcode, session_present)
self.push_event(evt)
if retcode == NC.CONNECT_ACCEPTED:
self.state = NC.CS_CONNECTED
return NC.ERR_SUCCESS
elif retcode >= 1 and retcode <= 5:
return NC.ERR_CONN_REFUSED
else:
return NC.ERR_PROTOCOL
|
handle_connack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.logger.info('CONNACK reveived')\n ret, flags = self.in_packet.read_byte()\n if ret != NC.ERR_SUCCESS:\n self.logger.error('error read byte')\n return ret\n session_present = flags & 1\n ret, retcode = self.in_packet.read_byte()\n if ret != NC.ERR_SUCCESS:\n return ret\n evt = event.EventConnack(retcode, session_present)\n self.push_event(evt)\n if retcode == NC.CONNECT_ACCEPTED:\n self.state = NC.CS_CONNECTED\n return NC.ERR_SUCCESS\n elif retcode >= 1 and retcode <= 5:\n return NC.ERR_CONN_REFUSED\n else:\n return NC.ERR_PROTOCOL\n",
"role": "user"
},
{
"content": "handle_connack",
"role": "assistant"
}
] |
def x(self):
self.logger.debug('PINGRESP received')
self.push_event(event.EventPingResp())
return NC.ERR_SUCCESS
|
handle_pingresp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.logger.debug('PINGRESP received')\n self.push_event(event.EventPingResp())\n return NC.ERR_SUCCESS\n",
"role": "user"
},
{
"content": "handle_pingresp",
"role": "assistant"
}
] |
def x(self):
self.logger.info('SUBACK received')
ret, mid = self.in_packet.read_uint16()
if ret != NC.ERR_SUCCESS:
return ret
qos_count = self.in_packet.remaining_length - self.in_packet.pos
granted_qos = bytearray(qos_count)
if granted_qos is None:
return NC.ERR_NO_MEM
i = 0
while self.in_packet.pos < self.in_packet.remaining_length:
ret, byte = self.in_packet.read_byte()
if ret != NC.ERR_SUCCESS:
granted_qos = None
return ret
granted_qos[i] = byte
i += 1
evt = event.EventSuback(mid, list(granted_qos))
self.push_event(evt)
granted_qos = None
return NC.ERR_SUCCESS
|
handle_suback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.logger.info('SUBACK received')\n ret, mid = self.in_packet.read_uint16()\n if ret != NC.ERR_SUCCESS:\n return ret\n qos_count = self.in_packet.remaining_length - self.in_packet.pos\n granted_qos = bytearray(qos_count)\n if granted_qos is None:\n return NC.ERR_NO_MEM\n i = 0\n while self.in_packet.pos < self.in_packet.remaining_length:\n ret, byte = self.in_packet.read_byte()\n if ret != NC.ERR_SUCCESS:\n granted_qos = None\n return ret\n granted_qos[i] = byte\n i += 1\n evt = event.EventSuback(mid, list(granted_qos))\n self.push_event(evt)\n granted_qos = None\n return NC.ERR_SUCCESS\n",
"role": "user"
},
{
"content": "handle_suback",
"role": "assistant"
}
] |
def x(self):
self.logger.info('UNSUBACK received')
ret, mid = self.in_packet.read_uint16()
if ret != NC.ERR_SUCCESS:
return ret
evt = event.EventUnsuback(mid)
self.push_event(evt)
return NC.ERR_SUCCESS
|
handle_unsuback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.logger.info('UNSUBACK received')\n ret, mid = self.in_packet.read_uint16()\n if ret != NC.ERR_SUCCESS:\n return ret\n evt = event.EventUnsuback(mid)\n self.push_event(evt)\n return NC.ERR_SUCCESS\n",
"role": "user"
},
{
"content": "handle_unsuback",
"role": "assistant"
}
] |
def x(self):
self.logger.debug('PUBLISH received')
header = self.in_packet.command
message = NyamukMsgAll()
message.direction = NC.DIRECTION_IN
message.dup = (header & 8) >> 3
message.msg.qos = (header & 6) >> 1
message.msg.retain = header & 1
ret, ba_data = self.in_packet.read_string()
message.msg.topic = ba_data.decode('utf8')
if ret != NC.ERR_SUCCESS:
return ret
if message.msg.qos > 0:
ret, word = self.in_packet.read_uint16()
message.msg.mid = word
if ret != NC.ERR_SUCCESS:
return ret
message.msg.payloadlen = (self.in_packet.remaining_length - self.
in_packet.pos)
if message.msg.payloadlen > 0:
ret, message.msg.payload = self.in_packet.read_bytes(message.msg.
payloadlen)
if ret != NC.ERR_SUCCESS:
return ret
self.logger.debug('Received PUBLISH(dup = %d,qos=%d,retain=%s', message
.dup, message.msg.qos, message.msg.retain)
self.logger.debug('\tmid=%d, topic=%s, payloadlen=%d', message.msg.mid,
message.msg.topic, message.msg.payloadlen)
message.timestamp = time.time()
qos = message.msg.qos
if qos in (0, 1, 2):
evt = event.EventPublish(message.msg)
self.push_event(evt)
return NC.ERR_SUCCESS
else:
return NC.ERR_PROTOCOL
return NC.ERR_SUCCESS
|
handle_publish
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.logger.debug('PUBLISH received')\n header = self.in_packet.command\n message = NyamukMsgAll()\n message.direction = NC.DIRECTION_IN\n message.dup = (header & 8) >> 3\n message.msg.qos = (header & 6) >> 1\n message.msg.retain = header & 1\n ret, ba_data = self.in_packet.read_string()\n message.msg.topic = ba_data.decode('utf8')\n if ret != NC.ERR_SUCCESS:\n return ret\n if message.msg.qos > 0:\n ret, word = self.in_packet.read_uint16()\n message.msg.mid = word\n if ret != NC.ERR_SUCCESS:\n return ret\n message.msg.payloadlen = (self.in_packet.remaining_length - self.\n in_packet.pos)\n if message.msg.payloadlen > 0:\n ret, message.msg.payload = self.in_packet.read_bytes(message.msg.\n payloadlen)\n if ret != NC.ERR_SUCCESS:\n return ret\n self.logger.debug('Received PUBLISH(dup = %d,qos=%d,retain=%s', message\n .dup, message.msg.qos, message.msg.retain)\n self.logger.debug('\\tmid=%d, topic=%s, payloadlen=%d', message.msg.mid,\n message.msg.topic, message.msg.payloadlen)\n message.timestamp = time.time()\n qos = message.msg.qos\n if qos in (0, 1, 2):\n evt = event.EventPublish(message.msg)\n self.push_event(evt)\n return NC.ERR_SUCCESS\n else:\n return NC.ERR_PROTOCOL\n return NC.ERR_SUCCESS\n",
"role": "user"
},
{
"content": "handle_publish",
"role": "assistant"
}
] |
def x(self, mid, topic, payload, qos, retain, dup):
self.logger.debug('Send PUBLISH')
if self.sock == NC.INVALID_SOCKET:
return NC.ERR_NO_CONN
return self._do_send_publish(mid, utf8encode(topic), utf8encode(payload
), qos, retain, dup)
|
send_publish
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mid, topic, payload, qos, retain, dup):\n self.logger.debug('Send PUBLISH')\n if self.sock == NC.INVALID_SOCKET:\n return NC.ERR_NO_CONN\n return self._do_send_publish(mid, utf8encode(topic), utf8encode(payload\n ), qos, retain, dup)\n",
"role": "user"
},
{
"content": "send_publish",
"role": "assistant"
}
] |
def x(self):
self.logger.info('PUBACK received')
ret, mid = self.in_packet.read_uint16()
if ret != NC.ERR_SUCCESS:
return ret
evt = event.EventPuback(mid)
self.push_event(evt)
return NC.ERR_SUCCESS
|
handle_puback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.logger.info('PUBACK received')\n ret, mid = self.in_packet.read_uint16()\n if ret != NC.ERR_SUCCESS:\n return ret\n evt = event.EventPuback(mid)\n self.push_event(evt)\n return NC.ERR_SUCCESS\n",
"role": "user"
},
{
"content": "handle_puback",
"role": "assistant"
}
] |
def x(self):
self.logger.info('PUBREC received')
ret, mid = self.in_packet.read_uint16()
if ret != NC.ERR_SUCCESS:
return ret
evt = event.EventPubrec(mid)
self.push_event(evt)
return NC.ERR_SUCCESS
|
handle_pubrec
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.logger.info('PUBREC received')\n ret, mid = self.in_packet.read_uint16()\n if ret != NC.ERR_SUCCESS:\n return ret\n evt = event.EventPubrec(mid)\n self.push_event(evt)\n return NC.ERR_SUCCESS\n",
"role": "user"
},
{
"content": "handle_pubrec",
"role": "assistant"
}
] |
def x(self):
self.logger.info('PUBREL received')
ret, mid = self.in_packet.read_uint16()
if ret != NC.ERR_SUCCESS:
return ret
evt = event.EventPubrel(mid)
self.push_event(evt)
return NC.ERR_SUCCESS
|
handle_pubrel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.logger.info('PUBREL received')\n ret, mid = self.in_packet.read_uint16()\n if ret != NC.ERR_SUCCESS:\n return ret\n evt = event.EventPubrel(mid)\n self.push_event(evt)\n return NC.ERR_SUCCESS\n",
"role": "user"
},
{
"content": "handle_pubrel",
"role": "assistant"
}
] |
def x(self):
self.logger.info('PUBCOMP received')
ret, mid = self.in_packet.read_uint16()
if ret != NC.ERR_SUCCESS:
return ret
evt = event.EventPubcomp(mid)
self.push_event(evt)
return NC.ERR_SUCCESS
|
handle_pubcomp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.logger.info('PUBCOMP received')\n ret, mid = self.in_packet.read_uint16()\n if ret != NC.ERR_SUCCESS:\n return ret\n evt = event.EventPubcomp(mid)\n self.push_event(evt)\n return NC.ERR_SUCCESS\n",
"role": "user"
},
{
"content": "handle_pubcomp",
"role": "assistant"
}
] |
def x(self, mid):
if self.sock == NC.INVALID_SOCKET:
return NC.ERR_NO_CONN
self.logger.info('Send PUBREC (msgid=%s)', mid)
pkt = MqttPkt()
pkt.command = NC.CMD_PUBREC
pkt.remaining_length = 2
ret = pkt.alloc()
if ret != NC.ERR_SUCCESS:
return ret
pkt.write_uint16(mid)
return self.packet_queue(pkt)
|
pubrec
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mid):\n if self.sock == NC.INVALID_SOCKET:\n return NC.ERR_NO_CONN\n self.logger.info('Send PUBREC (msgid=%s)', mid)\n pkt = MqttPkt()\n pkt.command = NC.CMD_PUBREC\n pkt.remaining_length = 2\n ret = pkt.alloc()\n if ret != NC.ERR_SUCCESS:\n return ret\n pkt.write_uint16(mid)\n return self.packet_queue(pkt)\n",
"role": "user"
},
{
"content": "pubrec",
"role": "assistant"
}
] |
def x(self):
byte = 0
remaining_bytes = bytearray(5)
i = 0
remaining_length = self.remaining_length
self.payload = None
self.remaining_count = 0
loop_flag = True
while loop_flag:
byte = remaining_length % 128
remaining_length = remaining_length / 128
if remaining_length > 0:
byte = byte | 128
remaining_bytes[self.remaining_count] = byte
self.remaining_count += 1
if not (remaining_length > 0 and self.remaining_count < 5):
loop_flag = False
if self.remaining_count == 5:
return NC.ERR_PAYLOAD_SIZE
self.packet_length = self.remaining_length + 1 + self.remaining_count
self.payload = bytearray(self.packet_length)
self.payload[0] = self.command
i = 0
while i < self.remaining_count:
self.payload[i + 1] = remaining_bytes[i]
i += 1
self.pos = 1 + self.remaining_count
return NC.ERR_SUCCESS
|
alloc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n byte = 0\n remaining_bytes = bytearray(5)\n i = 0\n remaining_length = self.remaining_length\n self.payload = None\n self.remaining_count = 0\n loop_flag = True\n while loop_flag:\n byte = remaining_length % 128\n remaining_length = remaining_length / 128\n if remaining_length > 0:\n byte = byte | 128\n remaining_bytes[self.remaining_count] = byte\n self.remaining_count += 1\n if not (remaining_length > 0 and self.remaining_count < 5):\n loop_flag = False\n if self.remaining_count == 5:\n return NC.ERR_PAYLOAD_SIZE\n self.packet_length = self.remaining_length + 1 + self.remaining_count\n self.payload = bytearray(self.packet_length)\n self.payload[0] = self.command\n i = 0\n while i < self.remaining_count:\n self.payload[i + 1] = remaining_bytes[i]\n i += 1\n self.pos = 1 + self.remaining_count\n return NC.ERR_SUCCESS\n",
"role": "user"
},
{
"content": "alloc",
"role": "assistant"
}
] |
def x(self, nyamuk, keepalive, clean_session, retain=0, dup=0, version=3):
will = 0
will_topic = None
byte = 0
client_id = utf8encode(nyamuk.client_id)
username = utf8encode(nyamuk.username
) if nyamuk.username is not None else None
password = utf8encode(nyamuk.password
) if nyamuk.password is not None else None
payload_len = 2 + len(client_id)
if nyamuk.will is not None:
will = 1
will_topic = utf8encode(nyamuk.will.topic)
payload_len = payload_len + 2 + len(will_topic
) + 2 + nyamuk.will.payloadlen
if username is not None:
payload_len = payload_len + 2 + len(username)
if password != None:
payload_len = payload_len + 2 + len(password)
self.command = NC.CMD_CONNECT
self.remaining_length = 12 + payload_len
rc = self.alloc()
if rc != NC.ERR_SUCCESS:
return rc
self.write_string(getattr(NC, 'PROTOCOL_NAME_{0}'.format(version)))
self.write_byte(getattr(NC, 'PROTOCOL_VERSION_{0}'.format(version)))
byte = (clean_session & 1) << 1
if will:
byte = byte | (nyamuk.will.retain & 1) << 5 | (nyamuk.will.qos & 3
) << 3 | (will & 1) << 2
if nyamuk.username is not None:
byte = byte | 1 << 7
if nyamuk.password is not None:
byte = byte | 1 << 6
self.write_byte(byte)
self.write_uint16(keepalive)
self.write_string(client_id)
if will:
self.write_string(will_topic)
self.write_string(nyamuk.will.payload)
if username is not None:
self.write_string(username)
if password is not None:
self.write_string(password)
nyamuk.keep_alive = keepalive
return NC.ERR_SUCCESS
|
connect_build
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nyamuk, keepalive, clean_session, retain=0, dup=0, version=3):\n will = 0\n will_topic = None\n byte = 0\n client_id = utf8encode(nyamuk.client_id)\n username = utf8encode(nyamuk.username\n ) if nyamuk.username is not None else None\n password = utf8encode(nyamuk.password\n ) if nyamuk.password is not None else None\n payload_len = 2 + len(client_id)\n if nyamuk.will is not None:\n will = 1\n will_topic = utf8encode(nyamuk.will.topic)\n payload_len = payload_len + 2 + len(will_topic\n ) + 2 + nyamuk.will.payloadlen\n if username is not None:\n payload_len = payload_len + 2 + len(username)\n if password != None:\n payload_len = payload_len + 2 + len(password)\n self.command = NC.CMD_CONNECT\n self.remaining_length = 12 + payload_len\n rc = self.alloc()\n if rc != NC.ERR_SUCCESS:\n return rc\n self.write_string(getattr(NC, 'PROTOCOL_NAME_{0}'.format(version)))\n self.write_byte(getattr(NC, 'PROTOCOL_VERSION_{0}'.format(version)))\n byte = (clean_session & 1) << 1\n if will:\n byte = byte | (nyamuk.will.retain & 1) << 5 | (nyamuk.will.qos & 3\n ) << 3 | (will & 1) << 2\n if nyamuk.username is not None:\n byte = byte | 1 << 7\n if nyamuk.password is not None:\n byte = byte | 1 << 6\n self.write_byte(byte)\n self.write_uint16(keepalive)\n self.write_string(client_id)\n if will:\n self.write_string(will_topic)\n self.write_string(nyamuk.will.payload)\n if username is not None:\n self.write_string(username)\n if password is not None:\n self.write_string(password)\n nyamuk.keep_alive = keepalive\n return NC.ERR_SUCCESS\n",
"role": "user"
},
{
"content": "connect_build",
"role": "assistant"
}
] |
def x(self, string):
self.write_uint16(len(string))
self.write_bytes(string, len(string))
|
write_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string):\n self.write_uint16(len(string))\n self.write_bytes(string, len(string))\n",
"role": "user"
},
{
"content": "write_string",
"role": "assistant"
}
] |
def x(self, word):
self.write_byte(nyamuk_net.MOSQ_MSB(word))
self.write_byte(nyamuk_net.MOSQ_LSB(word))
|
write_uint16
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, word):\n self.write_byte(nyamuk_net.MOSQ_MSB(word))\n self.write_byte(nyamuk_net.MOSQ_LSB(word))\n",
"role": "user"
},
{
"content": "write_uint16",
"role": "assistant"
}
] |
def x(self, byte):
self.payload[self.pos] = byte
self.pos = self.pos + 1
|
write_byte
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, byte):\n self.payload[self.pos] = byte\n self.pos = self.pos + 1\n",
"role": "user"
},
{
"content": "write_byte",
"role": "assistant"
}
] |
def x(self, data, n):
for pos in xrange(0, n):
self.payload[self.pos + pos] = data[pos]
self.pos += n
|
write_bytes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, n):\n for pos in xrange(0, n):\n self.payload[self.pos + pos] = data[pos]\n self.pos += n\n",
"role": "user"
},
{
"content": "write_bytes",
"role": "assistant"
}
] |
def x(self):
if self.pos + 1 > self.remaining_length:
return NC.ERR_PROTOCOL, None
byte = self.payload[self.pos]
self.pos += 1
return NC.ERR_SUCCESS, byte
|
read_byte
|
[
{
"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.pos + 1 > self.remaining_length:\n return NC.ERR_PROTOCOL, None\n byte = self.payload[self.pos]\n self.pos += 1\n return NC.ERR_SUCCESS, byte\n",
"role": "user"
},
{
"content": "read_byte",
"role": "assistant"
}
] |
def x(self):
if self.pos + 2 > self.remaining_length:
return NC.ERR_PROTOCOL
msb = self.payload[self.pos]
self.pos += 1
lsb = self.payload[self.pos]
self.pos += 1
word = (msb << 8) + lsb
return NC.ERR_SUCCESS, word
|
read_uint16
|
[
{
"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.pos + 2 > self.remaining_length:\n return NC.ERR_PROTOCOL\n msb = self.payload[self.pos]\n self.pos += 1\n lsb = self.payload[self.pos]\n self.pos += 1\n word = (msb << 8) + lsb\n return NC.ERR_SUCCESS, word\n",
"role": "user"
},
{
"content": "read_uint16",
"role": "assistant"
}
] |
def x(self, count):
if self.pos + count > self.remaining_length:
return NC.ERR_PROTOCOL, None
ba = bytearray(count)
for x in xrange(0, count):
ba[x] = self.payload[self.pos]
self.pos += 1
return NC.ERR_SUCCESS, ba
|
read_bytes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, count):\n if self.pos + count > self.remaining_length:\n return NC.ERR_PROTOCOL, None\n ba = bytearray(count)\n for x in xrange(0, count):\n ba[x] = self.payload[self.pos]\n self.pos += 1\n return NC.ERR_SUCCESS, ba\n",
"role": "user"
},
{
"content": "read_bytes",
"role": "assistant"
}
] |
def x(self):
rc, length = self.read_uint16()
if rc != NC.ERR_SUCCESS:
return rc, None
if self.pos + length > self.remaining_length:
return NC.ERR_PROTOCOL, None
ba = bytearray(length)
if ba is None:
return NC.ERR_NO_MEM, None
for x in xrange(0, length):
ba[x] = self.payload[self.pos]
self.pos += 1
return NC.ERR_SUCCESS, ba
|
read_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n rc, length = self.read_uint16()\n if rc != NC.ERR_SUCCESS:\n return rc, None\n if self.pos + length > self.remaining_length:\n return NC.ERR_PROTOCOL, None\n ba = bytearray(length)\n if ba is None:\n return NC.ERR_NO_MEM, None\n for x in xrange(0, length):\n ba[x] = self.payload[self.pos]\n self.pos += 1\n return NC.ERR_SUCCESS, ba\n",
"role": "user"
},
{
"content": "read_string",
"role": "assistant"
}
] |
def x(self):
if len(self.event_list) > 0:
evt = self.event_list.pop(0)
return evt
return None
|
pop_event
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if len(self.event_list) > 0:\n evt = self.event_list.pop(0)\n return evt\n return None\n",
"role": "user"
},
{
"content": "pop_event",
"role": "assistant"
}
] |
def x(self):
self.last_mid += 1
if self.last_mid == 0:
self.last_mid += 1
return self.last_mid
|
mid_generate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.last_mid += 1\n if self.last_mid == 0:\n self.last_mid += 1\n return self.last_mid\n",
"role": "user"
},
{
"content": "mid_generate",
"role": "assistant"
}
] |
def x(self, pkt):
pkt.pos = 0
pkt.to_process = pkt.packet_length
self.out_packet.append(pkt)
return NC.ERR_SUCCESS
|
packet_queue
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pkt):\n pkt.pos = 0\n pkt.to_process = pkt.packet_length\n self.out_packet.append(pkt)\n return NC.ERR_SUCCESS\n",
"role": "user"
},
{
"content": "packet_queue",
"role": "assistant"
}
] |
def x(self):
bytes_written = 0
if self.sock == NC.INVALID_SOCKET:
return NC.ERR_NO_CONN, bytes_written
while len(self.out_packet) > 0:
pkt = self.out_packet[0]
write_length, status = nyamuk_net.write(self.sock, pkt.payload)
if write_length > 0:
pkt.to_process -= write_length
pkt.pos += write_length
bytes_written += write_length
if pkt.to_process > 0:
return NC.ERR_SUCCESS, bytes_written
elif status == errno.EAGAIN or status == errno.EWOULDBLOCK:
return NC.ERR_SUCCESS, bytes_written
elif status == errno.ECONNRESET:
return NC.ERR_CONN_LOST, bytes_written
else:
return NC.ERR_UNKNOWN, bytes_written
"""
if pkt.command & 0xF6 == NC.CMD_PUBLISH and self.on_publish is not None:
self.in_callback = True
self.on_publish(pkt.mid)
self.in_callback = False
"""
del self.out_packet[0]
self.last_msg_out = time.time()
return NC.ERR_SUCCESS, bytes_written
|
packet_write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n bytes_written = 0\n if self.sock == NC.INVALID_SOCKET:\n return NC.ERR_NO_CONN, bytes_written\n while len(self.out_packet) > 0:\n pkt = self.out_packet[0]\n write_length, status = nyamuk_net.write(self.sock, pkt.payload)\n if write_length > 0:\n pkt.to_process -= write_length\n pkt.pos += write_length\n bytes_written += write_length\n if pkt.to_process > 0:\n return NC.ERR_SUCCESS, bytes_written\n elif status == errno.EAGAIN or status == errno.EWOULDBLOCK:\n return NC.ERR_SUCCESS, bytes_written\n elif status == errno.ECONNRESET:\n return NC.ERR_CONN_LOST, bytes_written\n else:\n return NC.ERR_UNKNOWN, bytes_written\n \"\"\"\n if pkt.command & 0xF6 == NC.CMD_PUBLISH and self.on_publish is not None:\n self.in_callback = True\n self.on_publish(pkt.mid)\n self.in_callback = False\n \"\"\"\n del self.out_packet[0]\n self.last_msg_out = time.time()\n return NC.ERR_SUCCESS, bytes_written\n",
"role": "user"
},
{
"content": "packet_write",
"role": "assistant"
}
] |
def x(self):
if self.sock != NC.INVALID_SOCKET:
self.sock.close()
self.sock = NC.INVALID_SOCKET
|
socket_close
|
[
{
"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.sock != NC.INVALID_SOCKET:\n self.sock.close()\n self.sock = NC.INVALID_SOCKET\n",
"role": "user"
},
{
"content": "socket_close",
"role": "assistant"
}
] |
def x(self, mid, topic, payload, qos, retain, dup):
pkt = MqttPkt()
payloadlen = len(payload)
packetlen = 2 + len(topic) + payloadlen
if qos > 0:
packetlen += 2
pkt.mid = mid
pkt.command = NC.CMD_PUBLISH | (dup & 1) << 3 | qos << 1 | retain
pkt.remaining_length = packetlen
ret = pkt.alloc()
if ret != NC.ERR_SUCCESS:
return ret, None
pkt.write_string(topic)
if qos > 0:
pkt.write_uint16(mid)
if payloadlen > 0:
pkt.write_bytes(payload, payloadlen)
return NC.ERR_SUCCESS, pkt
|
build_publish_pkt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mid, topic, payload, qos, retain, dup):\n pkt = MqttPkt()\n payloadlen = len(payload)\n packetlen = 2 + len(topic) + payloadlen\n if qos > 0:\n packetlen += 2\n pkt.mid = mid\n pkt.command = NC.CMD_PUBLISH | (dup & 1) << 3 | qos << 1 | retain\n pkt.remaining_length = packetlen\n ret = pkt.alloc()\n if ret != NC.ERR_SUCCESS:\n return ret, None\n pkt.write_string(topic)\n if qos > 0:\n pkt.write_uint16(mid)\n if payloadlen > 0:\n pkt.write_bytes(payload, payloadlen)\n return NC.ERR_SUCCESS, pkt\n",
"role": "user"
},
{
"content": "build_publish_pkt",
"role": "assistant"
}
] |
def x(self, cmd):
pkt = MqttPkt()
pkt.command = cmd
pkt.remaining_length = 0
ret = pkt.alloc()
if ret != NC.ERR_SUCCESS:
return ret
return self.packet_queue(pkt)
|
send_simple_command
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd):\n pkt = MqttPkt()\n pkt.command = cmd\n pkt.remaining_length = 0\n ret = pkt.alloc()\n if ret != NC.ERR_SUCCESS:\n return ret\n return self.packet_queue(pkt)\n",
"role": "user"
},
{
"content": "send_simple_command",
"role": "assistant"
}
] |
def x(self):
if self._real_ip is None:
response = get(ICANHAZIP)
self._real_ip = self._get_response_text(response)
return self._real_ip
|
real_ip
|
[
{
"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._real_ip is None:\n response = get(ICANHAZIP)\n self._real_ip = self._get_response_text(response)\n return self._real_ip\n",
"role": "user"
},
{
"content": "real_ip",
"role": "assistant"
}
] |
def x(self):
response = get(ICANHAZIP, proxies={'http': self.local_http_proxy})
if response.ok:
return self._get_response_text(response)
raise TorIpError('Failed to get the current Tor IP')
|
get_current_ip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = get(ICANHAZIP, proxies={'http': self.local_http_proxy})\n if response.ok:\n return self._get_response_text(response)\n raise TorIpError('Failed to get the current Tor IP')\n",
"role": "user"
},
{
"content": "get_current_ip",
"role": "assistant"
}
] |
def x(self):
attempts = 0
while True:
if attempts == self.new_ip_max_attempts:
raise TorIpError('Failed to obtain a new usable Tor IP')
attempts += 1
try:
current_ip = self.get_current_ip()
except (RequestException, TorIpError):
self._obtain_new_ip()
continue
if not self._ip_is_usable(current_ip):
self._obtain_new_ip()
continue
self._manage_used_ips(current_ip)
break
return current_ip
|
get_new_ip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n attempts = 0\n while True:\n if attempts == self.new_ip_max_attempts:\n raise TorIpError('Failed to obtain a new usable Tor IP')\n attempts += 1\n try:\n current_ip = self.get_current_ip()\n except (RequestException, TorIpError):\n self._obtain_new_ip()\n continue\n if not self._ip_is_usable(current_ip):\n self._obtain_new_ip()\n continue\n self._manage_used_ips(current_ip)\n break\n return current_ip\n",
"role": "user"
},
{
"content": "get_new_ip",
"role": "assistant"
}
] |
def x(self, current_ip):
try:
ipaddress.ip_address(current_ip)
except ValueError:
return False
if current_ip == self.real_ip:
return False
if not self._ip_is_safe(current_ip):
return False
return True
|
ip_is_usable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, current_ip):\n try:\n ipaddress.ip_address(current_ip)\n except ValueError:\n return False\n if current_ip == self.real_ip:\n return False\n if not self._ip_is_safe(current_ip):\n return False\n return True\n",
"role": "user"
},
{
"content": "ip_is_usable",
"role": "assistant"
}
] |
def x(self, current_ip):
self.used_ips.append(current_ip)
if self.reuse_threshold:
if len(self.used_ips) > self.reuse_threshold:
del self.used_ips[0]
|
manage_used_ips
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, current_ip):\n self.used_ips.append(current_ip)\n if self.reuse_threshold:\n if len(self.used_ips) > self.reuse_threshold:\n del self.used_ips[0]\n",
"role": "user"
},
{
"content": "manage_used_ips",
"role": "assistant"
}
] |
def x(self):
with Controller.from_port(address=self.tor_address, port=self.tor_port
) as controller:
controller.authenticate(password=self.tor_password)
controller.signal(Signal.NEWNYM)
sleep(0.5)
|
obtain_new_ip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with Controller.from_port(address=self.tor_address, port=self.tor_port\n ) as controller:\n controller.authenticate(password=self.tor_password)\n controller.signal(Signal.NEWNYM)\n sleep(0.5)\n",
"role": "user"
},
{
"content": "obtain_new_ip",
"role": "assistant"
}
] |
def x(command_dict):
for local_com in ['if ', 'for ', 'else ']:
if list(command_dict.keys())[0].startswith(local_com):
return True
return False
|
is_local_subsection
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command_dict):\n for local_com in ['if ', 'for ', 'else ']:\n if list(command_dict.keys())[0].startswith(local_com):\n return True\n return False\n",
"role": "user"
},
{
"content": "is_local_subsection",
"role": "assistant"
}
] |
def x(req):
if req.status_code == 404:
return ''
if req.status_code != 200:
raise DapiCommError('Response of the server was {code}'.format(code
=req.status_code))
return req.text
|
process_req_txt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(req):\n if req.status_code == 404:\n return ''\n if req.status_code != 200:\n raise DapiCommError('Response of the server was {code}'.format(code\n =req.status_code))\n return req.text\n",
"role": "user"
},
{
"content": "process_req_txt",
"role": "assistant"
}
] |
def x(link):
exception = False
try:
req = requests.get(_api_url() + link, timeout=5)
except requests.exceptions.RequestException:
exception = True
attempts = 1
while exception or str(req.status_code).startswith('5'):
if attempts > 5:
raise DapiCommError('Could not connect to the API endpoint, sorry.'
)
exception = False
try:
req = requests.get(_api_url(attempts % 2) + link, timeout=5 *
attempts)
except requests.exceptions.RequestException:
exception = True
attempts += 1
return req
|
get_from_dapi_or_mirror
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(link):\n exception = False\n try:\n req = requests.get(_api_url() + link, timeout=5)\n except requests.exceptions.RequestException:\n exception = True\n attempts = 1\n while exception or str(req.status_code).startswith('5'):\n if attempts > 5:\n raise DapiCommError('Could not connect to the API endpoint, sorry.'\n )\n exception = False\n try:\n req = requests.get(_api_url(attempts % 2) + link, timeout=5 *\n attempts)\n except requests.exceptions.RequestException:\n exception = True\n attempts += 1\n return req\n",
"role": "user"
},
{
"content": "get_from_dapi_or_mirror",
"role": "assistant"
}
] |
def x(link):
if link.startswith(_api_url()):
link = link[len(_api_url()):]
if link.startswith(_api_url(mirror=True)):
link = link[len(_api_url(mirror=True)):]
return link
|
remove_api_url_from_link
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(link):\n if link.startswith(_api_url()):\n link = link[len(_api_url()):]\n if link.startswith(_api_url(mirror=True)):\n link = link[len(_api_url(mirror=True)):]\n return link\n",
"role": "user"
},
{
"content": "remove_api_url_from_link",
"role": "assistant"
}
] |
def x(link):
link = _remove_api_url_from_link(link)
req = _get_from_dapi_or_mirror(link)
return _process_req(req)
|
data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(link):\n link = _remove_api_url_from_link(link)\n req = _get_from_dapi_or_mirror(link)\n return _process_req(req)\n",
"role": "user"
},
{
"content": "data",
"role": "assistant"
}
] |
def x(what):
page = data(what)
results = page['results']
count = page['count']
while page['next']:
page = data(page['next'])
results += page['results']
count += page['count']
return {'results': results, 'count': count}
|
unpaginated
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(what):\n page = data(what)\n results = page['results']\n count = page['count']\n while page['next']:\n page = data(page['next'])\n results += page['results']\n count += page['count']\n return {'results': results, 'count': count}\n",
"role": "user"
},
{
"content": "unpaginated",
"role": "assistant"
}
] |
def x(q, **kwargs):
data = {'q': q}
for key, value in kwargs.items():
if value:
if type(value) == bool:
data[key] = 'on'
else:
data[key] = value
return _unpaginated('search/?' + urlencode(data))
|
search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(q, **kwargs):\n data = {'q': q}\n for key, value in kwargs.items():\n if value:\n if type(value) == bool:\n data[key] = 'on'\n else:\n data[key] = value\n return _unpaginated('search/?' + urlencode(data))\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x():
lines = []
u = users()
count = u['count']
if not count:
raise DapiCommError('Could not find any users on DAPI.')
for user in u['results']:
line = user['username']
if user['full_name']:
line += ' (' + user['full_name'] + ')'
lines.append(line)
return lines
|
format_users
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n lines = []\n u = users()\n count = u['count']\n if not count:\n raise DapiCommError('Could not find any users on DAPI.')\n for user in u['results']:\n line = user['username']\n if user['full_name']:\n line += ' (' + user['full_name'] + ')'\n lines.append(line)\n return lines\n",
"role": "user"
},
{
"content": "format_users",
"role": "assistant"
}
] |
def x(simple=False, skip_installed=False):
lines = []
m = metadaps()
if not m['count']:
logger.info('Could not find any daps')
return
for mdap in sorted(m['results'], key=lambda mdap: mdap['package_name']):
if skip_installed and mdap['package_name'] in get_installed_daps():
continue
if simple:
logger.info(mdap['package_name'])
else:
for line in _format_dap_with_description(mdap):
lines.append(line)
return lines
|
format_daps
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simple=False, skip_installed=False):\n lines = []\n m = metadaps()\n if not m['count']:\n logger.info('Could not find any daps')\n return\n for mdap in sorted(m['results'], key=lambda mdap: mdap['package_name']):\n if skip_installed and mdap['package_name'] in get_installed_daps():\n continue\n if simple:\n logger.info(mdap['package_name'])\n else:\n for line in _format_dap_with_description(mdap):\n lines.append(line)\n return lines\n",
"role": "user"
},
{
"content": "format_daps",
"role": "assistant"
}
] |
def x(name, version=''):
m = metadap(name)
if not m:
raise DapiCommError('DAP {dap} not found.'.format(dap=name))
if not version:
d = m['latest_stable'] or m['latest']
if d:
d = data(d)
else:
d = dap(name, version)
if not d:
raise DapiCommError("DAP {dap} doesn't have version {version}."
.format(dap=name, version=version))
return m, d
|
get_metadap_dap
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, version=''):\n m = metadap(name)\n if not m:\n raise DapiCommError('DAP {dap} not found.'.format(dap=name))\n if not version:\n d = m['latest_stable'] or m['latest']\n if d:\n d = data(d)\n else:\n d = dap(name, version)\n if not d:\n raise DapiCommError(\"DAP {dap} doesn't have version {version}.\"\n .format(dap=name, version=version))\n return m, d\n",
"role": "user"
},
{
"content": "get_metadap_dap",
"role": "assistant"
}
] |
def x(name, version='', full=False):
lines = []
m, d = _get_metadap_dap(name, version)
if d:
labels = BASIC_LABELS + ['average_rank']
if full:
labels.extend(EXTRA_LABELS)
label_width = dapi.DapFormatter.calculate_offset(labels)
lines += dapi.DapFormatter.format_meta_lines(d, labels=labels,
offset=label_width)
lines.append(dapi.DapFormatter.format_dapi_score(m, offset=label_width)
)
if 'assistants' in d:
assistants = sorted([a for a in d['assistants'] if a.startswith
('assistants')])
lines.append('')
for line in dapi.DapFormatter.format_assistants_lines(assistants):
lines.append(line)
if full:
snippets = sorted([a for a in d['assistants'] if a.
startswith('snippets')])
lines.append('')
lines += dapi.DapFormatter.format_snippets(snippets)
if d.get('supported_platforms', ''):
lines.append('')
lines += dapi.DapFormatter.format_platforms(d[
'supported_platforms'])
lines.append('')
return lines
|
format_dap_from_dapi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, version='', full=False):\n lines = []\n m, d = _get_metadap_dap(name, version)\n if d:\n labels = BASIC_LABELS + ['average_rank']\n if full:\n labels.extend(EXTRA_LABELS)\n label_width = dapi.DapFormatter.calculate_offset(labels)\n lines += dapi.DapFormatter.format_meta_lines(d, labels=labels,\n offset=label_width)\n lines.append(dapi.DapFormatter.format_dapi_score(m, offset=label_width)\n )\n if 'assistants' in d:\n assistants = sorted([a for a in d['assistants'] if a.startswith\n ('assistants')])\n lines.append('')\n for line in dapi.DapFormatter.format_assistants_lines(assistants):\n lines.append(line)\n if full:\n snippets = sorted([a for a in d['assistants'] if a.\n startswith('snippets')])\n lines.append('')\n lines += dapi.DapFormatter.format_snippets(snippets)\n if d.get('supported_platforms', ''):\n lines.append('')\n lines += dapi.DapFormatter.format_platforms(d[\n 'supported_platforms'])\n lines.append('')\n return lines\n",
"role": "user"
},
{
"content": "format_dap_from_dapi",
"role": "assistant"
}
] |
def x(dap, full=False, **kwargs):
lines = []
label_width = dapi.DapFormatter.calculate_offset(BASIC_LABELS)
lines.append(dapi.DapFormatter.format_meta(dap.meta, labels=
BASIC_LABELS, offset=label_width, **kwargs))
lines.append('')
lines.append(dapi.DapFormatter.format_assistants(dap.assistants))
if full:
lines.append('')
lines.append(dapi.DapFormatter.format_snippets(dap.snippets))
if 'supported_platforms' in dap.meta:
lines.append('')
lines.append(dapi.DapFormatter.format_platforms(dap.meta[
'supported_platforms']))
lines.append()
return lines
|
format_local_dap
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dap, full=False, **kwargs):\n lines = []\n label_width = dapi.DapFormatter.calculate_offset(BASIC_LABELS)\n lines.append(dapi.DapFormatter.format_meta(dap.meta, labels=\n BASIC_LABELS, offset=label_width, **kwargs))\n lines.append('')\n lines.append(dapi.DapFormatter.format_assistants(dap.assistants))\n if full:\n lines.append('')\n lines.append(dapi.DapFormatter.format_snippets(dap.snippets))\n if 'supported_platforms' in dap.meta:\n lines.append('')\n lines.append(dapi.DapFormatter.format_platforms(dap.meta[\n 'supported_platforms']))\n lines.append()\n return lines\n",
"role": "user"
},
{
"content": "format_local_dap",
"role": "assistant"
}
] |
def x(name, full=False):
dap_data = get_installed_daps_detailed().get(name)
if not dap_data:
raise DapiLocalError(
'DAP "{dap}" is not installed, can not query for info.'.format(
dap=name))
locations = [os.path.join(data['location'], '') for data in dap_data]
for location in locations:
dap = dapi.Dap(None, fake=True, mimic_filename=name)
meta_path = os.path.join(location, 'meta', name + '.yaml')
with open(meta_path, 'r') as fh:
dap.meta = dap._load_meta(fh)
dap.files = _get_assistants_snippets(location, name)
dap._find_bad_meta()
format_local_dap(dap, full=full, custom_location=os.path.dirname(
location))
|
format_installed_dap
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, full=False):\n dap_data = get_installed_daps_detailed().get(name)\n if not dap_data:\n raise DapiLocalError(\n 'DAP \"{dap}\" is not installed, can not query for info.'.format(\n dap=name))\n locations = [os.path.join(data['location'], '') for data in dap_data]\n for location in locations:\n dap = dapi.Dap(None, fake=True, mimic_filename=name)\n meta_path = os.path.join(location, 'meta', name + '.yaml')\n with open(meta_path, 'r') as fh:\n dap.meta = dap._load_meta(fh)\n dap.files = _get_assistants_snippets(location, name)\n dap._find_bad_meta()\n format_local_dap(dap, full=full, custom_location=os.path.dirname(\n location))\n",
"role": "user"
},
{
"content": "format_installed_dap",
"role": "assistant"
}
] |
def x(simple=False):
lines = []
if simple:
for pkg in sorted(get_installed_daps()):
lines.append(pkg)
else:
for pkg, instances in sorted(get_installed_daps_detailed().items()):
versions = []
for instance in instances:
location = utils.unexpanduser(instance['location'])
version = instance['version']
if not versions:
version = utils.bold(version)
versions.append('{v}:{p}'.format(v=version, p=location))
pkg = utils.bold(pkg)
lines.append('{pkg} ({versions})'.format(pkg=pkg, versions=' '.
join(versions)))
return lines
|
format_installed_dap_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simple=False):\n lines = []\n if simple:\n for pkg in sorted(get_installed_daps()):\n lines.append(pkg)\n else:\n for pkg, instances in sorted(get_installed_daps_detailed().items()):\n versions = []\n for instance in instances:\n location = utils.unexpanduser(instance['location'])\n version = instance['version']\n if not versions:\n version = utils.bold(version)\n versions.append('{v}:{p}'.format(v=version, p=location))\n pkg = utils.bold(pkg)\n lines.append('{pkg} ({versions})'.format(pkg=pkg, versions=' '.\n join(versions)))\n return lines\n",
"role": "user"
},
{
"content": "format_installed_dap_list",
"role": "assistant"
}
] |
def x(path, name):
result = []
subdirs = {'assistants': 2, 'snippets': 1}
for loc in subdirs:
for root, dirs, files in os.walk(os.path.join(path, loc)):
for filename in [utils.strip_prefix(os.path.join(root, f), path
) for f in files]:
stripped = os.path.sep.join(filename.split(os.path.sep)[
subdirs[loc]:])
if stripped.startswith(os.path.join(name, '')
) or stripped == name + '.yaml':
result.append(os.path.join('fakeroot', filename))
return result
|
get_assistants_snippets
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, name):\n result = []\n subdirs = {'assistants': 2, 'snippets': 1}\n for loc in subdirs:\n for root, dirs, files in os.walk(os.path.join(path, loc)):\n for filename in [utils.strip_prefix(os.path.join(root, f), path\n ) for f in files]:\n stripped = os.path.sep.join(filename.split(os.path.sep)[\n subdirs[loc]:])\n if stripped.startswith(os.path.join(name, '')\n ) or stripped == name + '.yaml':\n result.append(os.path.join('fakeroot', filename))\n return result\n",
"role": "user"
},
{
"content": "get_assistants_snippets",
"role": "assistant"
}
] |
def x(q, **kwargs):
m = search(q, **kwargs)
count = m['count']
if not count:
raise DapiCommError('Could not find any DAP packages for your query.')
return
for mdap in m['results']:
mdap = mdap['content_object']
return _format_dap_with_description(mdap)
|
format_search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(q, **kwargs):\n m = search(q, **kwargs)\n count = m['count']\n if not count:\n raise DapiCommError('Could not find any DAP packages for your query.')\n return\n for mdap in m['results']:\n mdap = mdap['content_object']\n return _format_dap_with_description(mdap)\n",
"role": "user"
},
{
"content": "format_search",
"role": "assistant"
}
] |
def x(location=None, skip_distro=False):
if location:
locations = [location]
else:
locations = _data_dirs()
s = set()
for loc in locations:
if skip_distro and loc == DISTRO_DIRECTORY:
continue
g = glob.glob('{d}/meta/*.yaml'.format(d=loc))
for meta in g:
s.add(meta.split('/')[-1][:-len('.yaml')])
return s
|
get_installed_daps
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(location=None, skip_distro=False):\n if location:\n locations = [location]\n else:\n locations = _data_dirs()\n s = set()\n for loc in locations:\n if skip_distro and loc == DISTRO_DIRECTORY:\n continue\n g = glob.glob('{d}/meta/*.yaml'.format(d=loc))\n for meta in g:\n s.add(meta.split('/')[-1][:-len('.yaml')])\n return s\n",
"role": "user"
},
{
"content": "get_installed_daps",
"role": "assistant"
}
] |
def x():
daps = {}
for loc in _data_dirs():
s = get_installed_daps(loc)
for dap in s:
if dap not in daps:
daps[dap] = []
daps[dap].append({'version': get_installed_version_of(dap, loc),
'location': loc})
return daps
|
get_installed_daps_detailed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n daps = {}\n for loc in _data_dirs():\n s = get_installed_daps(loc)\n for dap in s:\n if dap not in daps:\n daps[dap] = []\n daps[dap].append({'version': get_installed_version_of(dap, loc),\n 'location': loc})\n return daps\n",
"role": "user"
},
{
"content": "get_installed_daps_detailed",
"role": "assistant"
}
] |
def x(name, version='', d='', directory=''):
if not d:
m, d = _get_metadap_dap(name, version)
if directory:
_dir = directory
else:
_dir = tempfile.mkdtemp()
try:
url = d['download']
except TypeError:
raise DapiCommError('DAP {dap} has no version to download.'.format(
dap=name))
filename = url.split('/')[-1]
path = os.path.join(_dir, filename)
urllib.request.urlretrieve(url, path)
dapisum = d['sha256sum']
downloadedsum = hashlib.sha256(open(path, 'rb').read()).hexdigest()
if dapisum != downloadedsum:
os.remove(path)
raise DapiLocalError(
'DAP {dap} has incorrect sha256sum (DAPI: {dapi}, downloaded: {downloaded})'
.format(dap=name, dapi=dapisum, downloaded=downloadedsum))
return path, not bool(directory)
|
download_dap
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, version='', d='', directory=''):\n if not d:\n m, d = _get_metadap_dap(name, version)\n if directory:\n _dir = directory\n else:\n _dir = tempfile.mkdtemp()\n try:\n url = d['download']\n except TypeError:\n raise DapiCommError('DAP {dap} has no version to download.'.format(\n dap=name))\n filename = url.split('/')[-1]\n path = os.path.join(_dir, filename)\n urllib.request.urlretrieve(url, path)\n dapisum = d['sha256sum']\n downloadedsum = hashlib.sha256(open(path, 'rb').read()).hexdigest()\n if dapisum != downloadedsum:\n os.remove(path)\n raise DapiLocalError(\n 'DAP {dap} has incorrect sha256sum (DAPI: {dapi}, downloaded: {downloaded})'\n .format(dap=name, dapi=dapisum, downloaded=downloadedsum))\n return path, not bool(directory)\n",
"role": "user"
},
{
"content": "download_dap",
"role": "assistant"
}
] |
def x(path, update=False, update_allpaths=False, first=True, force=False,
nodeps=False, reinstall=False, __ui__=''):
will_uninstall = False
dap_obj = dapi.Dap(path)
name = dap_obj.meta['package_name']
if name in get_installed_daps():
if not update and not reinstall:
raise DapiLocalError(
"DAP {name} is already installed. Run `da pkg list` to see it's location, or use --reinstall to ignore this check."
.format(name=name))
elif not update_allpaths and name in get_installed_daps(_install_path()
):
will_uninstall = True
elif update_allpaths and name in get_installed_daps():
will_uninstall = True
if update and update_allpaths:
install_locations = []
for pair in get_installed_daps_detailed()[name]:
install_locations.append(pair['location'])
else:
install_locations = [_install_path()]
for location in install_locations:
if os.path.isfile(location):
raise DapiLocalError('{i} is a file, not a directory.'.format(i
=_install_path()))
_dir = tempfile.mkdtemp()
old_level = logger.getEffectiveLevel()
logger.setLevel(logging.ERROR)
ok = dapi.DapChecker.check(dap_obj)
logger.setLevel(old_level)
if not ok:
raise DapiLocalError(
'The DAP you want to install has errors, not installing.')
installed = []
if first:
if not force and not _is_supported_here(dap_obj.meta):
raise DapiLocalError(
'{0} is not supported on this platform (use --force to suppress this check)'
.format(name))
deps = set()
if 'dependencies' in dap_obj.meta and not nodeps:
for dep in dap_obj.meta['dependencies']:
dep = _strip_version_from_dependency(dep)
if dep not in get_installed_daps():
deps |= _get_all_dependencies_of(dep, force=force)
for dep in deps:
if dep not in get_installed_daps():
installed += install_dap(dep, first=False, __ui__=__ui__)
dap_obj.extract(_dir)
if will_uninstall:
uninstall_dap(name, allpaths=update_allpaths, __ui__=__ui__)
_dapdir = os.path.join(_dir, name + '-' + dap_obj.meta['version'])
if not os.path.isdir(_install_path()):
os.makedirs(_install_path())
os.mkdir(os.path.join(_dapdir, 'meta'))
os.rename(os.path.join(_dapdir, 'meta.yaml'), os.path.join(_dapdir,
'meta', name + '.yaml'))
for location in install_locations:
for f in glob.glob(_dapdir + '/*'):
dst = os.path.join(location, os.path.basename(f))
if os.path.isdir(f):
if not os.path.exists(dst):
os.mkdir(dst)
for src_dir, dirs, files in os.walk(f):
dst_dir = src_dir.replace(f, dst)
if not os.path.exists(dst_dir):
os.mkdir(dst_dir)
for file_ in files:
src_file = os.path.join(src_dir, file_)
dst_file = os.path.join(dst_dir, file_)
shutil.copyfile(src_file, dst_file)
else:
shutil.copyfile(f, dst)
try:
shutil.rmtree(_dir)
except:
pass
return [name] + installed
|
install_dap_from_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, update=False, update_allpaths=False, first=True, force=False,\n nodeps=False, reinstall=False, __ui__=''):\n will_uninstall = False\n dap_obj = dapi.Dap(path)\n name = dap_obj.meta['package_name']\n if name in get_installed_daps():\n if not update and not reinstall:\n raise DapiLocalError(\n \"DAP {name} is already installed. Run `da pkg list` to see it's location, or use --reinstall to ignore this check.\"\n .format(name=name))\n elif not update_allpaths and name in get_installed_daps(_install_path()\n ):\n will_uninstall = True\n elif update_allpaths and name in get_installed_daps():\n will_uninstall = True\n if update and update_allpaths:\n install_locations = []\n for pair in get_installed_daps_detailed()[name]:\n install_locations.append(pair['location'])\n else:\n install_locations = [_install_path()]\n for location in install_locations:\n if os.path.isfile(location):\n raise DapiLocalError('{i} is a file, not a directory.'.format(i\n =_install_path()))\n _dir = tempfile.mkdtemp()\n old_level = logger.getEffectiveLevel()\n logger.setLevel(logging.ERROR)\n ok = dapi.DapChecker.check(dap_obj)\n logger.setLevel(old_level)\n if not ok:\n raise DapiLocalError(\n 'The DAP you want to install has errors, not installing.')\n installed = []\n if first:\n if not force and not _is_supported_here(dap_obj.meta):\n raise DapiLocalError(\n '{0} is not supported on this platform (use --force to suppress this check)'\n .format(name))\n deps = set()\n if 'dependencies' in dap_obj.meta and not nodeps:\n for dep in dap_obj.meta['dependencies']:\n dep = _strip_version_from_dependency(dep)\n if dep not in get_installed_daps():\n deps |= _get_all_dependencies_of(dep, force=force)\n for dep in deps:\n if dep not in get_installed_daps():\n installed += install_dap(dep, first=False, __ui__=__ui__)\n dap_obj.extract(_dir)\n if will_uninstall:\n uninstall_dap(name, allpaths=update_allpaths, __ui__=__ui__)\n _dapdir = os.path.join(_dir, name + '-' + dap_obj.meta['version'])\n if not os.path.isdir(_install_path()):\n os.makedirs(_install_path())\n os.mkdir(os.path.join(_dapdir, 'meta'))\n os.rename(os.path.join(_dapdir, 'meta.yaml'), os.path.join(_dapdir,\n 'meta', name + '.yaml'))\n for location in install_locations:\n for f in glob.glob(_dapdir + '/*'):\n dst = os.path.join(location, os.path.basename(f))\n if os.path.isdir(f):\n if not os.path.exists(dst):\n os.mkdir(dst)\n for src_dir, dirs, files in os.walk(f):\n dst_dir = src_dir.replace(f, dst)\n if not os.path.exists(dst_dir):\n os.mkdir(dst_dir)\n for file_ in files:\n src_file = os.path.join(src_dir, file_)\n dst_file = os.path.join(dst_dir, file_)\n shutil.copyfile(src_file, dst_file)\n else:\n shutil.copyfile(f, dst)\n try:\n shutil.rmtree(_dir)\n except:\n pass\n return [name] + installed\n",
"role": "user"
},
{
"content": "install_dap_from_path",
"role": "assistant"
}
] |
def x(dep):
usedmark = ''
for mark in '< > ='.split():
split = dep.split(mark)
if len(split) > 1:
usedmark = mark
break
if usedmark:
return split[0].strip()
else:
return dep.strip()
|
strip_version_from_dependency
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dep):\n usedmark = ''\n for mark in '< > ='.split():\n split = dep.split(mark)\n if len(split) > 1:\n usedmark = mark\n break\n if usedmark:\n return split[0].strip()\n else:\n return dep.strip()\n",
"role": "user"
},
{
"content": "strip_version_from_dependency",
"role": "assistant"
}
] |
def x(name, location=None):
if location:
locations = [location]
else:
locations = _data_dirs()
for loc in locations:
if name not in get_installed_daps(loc):
continue
meta = '{d}/meta/{dap}.yaml'.format(d=loc, dap=name)
data = yaml.load(open(meta), Loader=Loader)
return str(data['version'])
return None
|
get_installed_version_of
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, location=None):\n if location:\n locations = [location]\n else:\n locations = _data_dirs()\n for loc in locations:\n if name not in get_installed_daps(loc):\n continue\n meta = '{d}/meta/{dap}.yaml'.format(d=loc, dap=name)\n data = yaml.load(open(meta), Loader=Loader)\n return str(data['version'])\n return None\n",
"role": "user"
},
{
"content": "get_installed_version_of",
"role": "assistant"
}
] |
def x(name, location=None):
if not location:
detailed_dap_list = get_installed_daps_detailed()
if name not in detailed_dap_list:
return _get_api_dependencies_of(name)
location = detailed_dap_list[name][0]['location']
meta = '{d}/meta/{dap}.yaml'.format(d=location, dap=name)
try:
data = yaml.load(open(meta), Loader=Loader)
except IOError:
return []
return data.get('dependencies', [])
|
get_dependencies_of
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, location=None):\n if not location:\n detailed_dap_list = get_installed_daps_detailed()\n if name not in detailed_dap_list:\n return _get_api_dependencies_of(name)\n location = detailed_dap_list[name][0]['location']\n meta = '{d}/meta/{dap}.yaml'.format(d=location, dap=name)\n try:\n data = yaml.load(open(meta), Loader=Loader)\n except IOError:\n return []\n return data.get('dependencies', [])\n",
"role": "user"
},
{
"content": "get_dependencies_of",
"role": "assistant"
}
] |
def x(name, deps=set(), force=False):
first_deps = _get_api_dependencies_of(name, force=force)
for dep in first_deps:
dep = _strip_version_from_dependency(dep)
if dep in deps:
continue
if dap in get_installed_daps():
continue
deps |= _get_all_dependencies_of(dep, deps)
return deps | set([name])
|
get_all_dependencies_of
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, deps=set(), force=False):\n first_deps = _get_api_dependencies_of(name, force=force)\n for dep in first_deps:\n dep = _strip_version_from_dependency(dep)\n if dep in deps:\n continue\n if dap in get_installed_daps():\n continue\n deps |= _get_all_dependencies_of(dep, deps)\n return deps | set([name])\n",
"role": "user"
},
{
"content": "get_all_dependencies_of",
"role": "assistant"
}
] |
def x(name, version='', force=False):
m, d = _get_metadap_dap(name, version=version)
if not force and not _is_supported_here(d):
raise DapiLocalError(
'{0} is not supported on this platform (use --force to suppress this check).'
.format(name))
return d.get('dependencies', [])
|
get_api_dependencies_of
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, version='', force=False):\n m, d = _get_metadap_dap(name, version=version)\n if not force and not _is_supported_here(d):\n raise DapiLocalError(\n '{0} is not supported on this platform (use --force to suppress this check).'\n .format(name))\n return d.get('dependencies', [])\n",
"role": "user"
},
{
"content": "get_api_dependencies_of",
"role": "assistant"
}
] |
def x(name, version='', update=False, update_allpaths=False, first=True,
force=False, nodeps=False, reinstall=False, __ui__=''):
m, d = _get_metadap_dap(name, version)
if update:
available = d['version']
current = get_installed_version_of(name)
if not current:
raise DapiLocalError('Cannot update not yet installed DAP.')
if dapver.compare(available, current) <= 0:
return []
path, remove_dir = download_dap(name, d=d)
ret = install_dap_from_path(path, update=update, update_allpaths=
update_allpaths, first=first, force=force, nodeps=nodeps, reinstall
=reinstall, __ui__=__ui__)
try:
if remove_dir:
shutil.rmtree(os.dirname(path))
else:
os.remove(path)
except:
pass
return ret
|
install_dap
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, version='', update=False, update_allpaths=False, first=True,\n force=False, nodeps=False, reinstall=False, __ui__=''):\n m, d = _get_metadap_dap(name, version)\n if update:\n available = d['version']\n current = get_installed_version_of(name)\n if not current:\n raise DapiLocalError('Cannot update not yet installed DAP.')\n if dapver.compare(available, current) <= 0:\n return []\n path, remove_dir = download_dap(name, d=d)\n ret = install_dap_from_path(path, update=update, update_allpaths=\n update_allpaths, first=first, force=force, nodeps=nodeps, reinstall\n =reinstall, __ui__=__ui__)\n try:\n if remove_dir:\n shutil.rmtree(os.dirname(path))\n else:\n os.remove(path)\n except:\n pass\n return ret\n",
"role": "user"
},
{
"content": "install_dap",
"role": "assistant"
}
] |
def x():
link = os.path.join(_api_url(), 'meta.txt')
return _process_req_txt(requests.get(link)).split('\n')
|
get_dependency_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n link = os.path.join(_api_url(), 'meta.txt')\n return _process_req_txt(requests.get(link)).split('\\n')\n",
"role": "user"
},
{
"content": "get_dependency_metadata",
"role": "assistant"
}
] |
def x(self):
frame = Gtk.Frame()
frame.set_shadow_type(Gtk.ShadowType.IN)
return frame
|
create_frame
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n frame = Gtk.Frame()\n frame.set_shadow_type(Gtk.ShadowType.IN)\n return frame\n",
"role": "user"
},
{
"content": "create_frame",
"role": "assistant"
}
] |
def x(self, orientation=Gtk.Orientation.HORIZONTAL, spacing=0):
h_box = Gtk.Box(orientation=orientation, spacing=spacing)
h_box.set_homogeneous(False)
return h_box
|
create_box
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, orientation=Gtk.Orientation.HORIZONTAL, spacing=0):\n h_box = Gtk.Box(orientation=orientation, spacing=spacing)\n h_box.set_homogeneous(False)\n return h_box\n",
"role": "user"
},
{
"content": "create_box",
"role": "assistant"
}
] |
def x(self, description, assistants=None):
btn = self.create_button()
label = self.create_label(description)
if assistants is not None:
h_box = self.create_box(orientation=Gtk.Orientation.VERTICAL)
h_box.pack_start(label, False, False, 0)
label_ass = self.create_label(assistants, justify=Gtk.Justification
.LEFT)
label_ass.set_alignment(0, 0)
h_box.pack_start(label_ass, False, False, 12)
btn.add(h_box)
else:
btn.add(label)
return btn
|
button_with_label
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, description, assistants=None):\n btn = self.create_button()\n label = self.create_label(description)\n if assistants is not None:\n h_box = self.create_box(orientation=Gtk.Orientation.VERTICAL)\n h_box.pack_start(label, False, False, 0)\n label_ass = self.create_label(assistants, justify=Gtk.Justification\n .LEFT)\n label_ass.set_alignment(0, 0)\n h_box.pack_start(label_ass, False, False, 12)\n btn.add(h_box)\n else:\n btn.add(label)\n return btn\n",
"role": "user"
},
{
"content": "button_with_label",
"role": "assistant"
}
] |
def x(self, image_name=None, scale_ratio=1, window=None):
size = 48 * scale_ratio
pixbuf = GdkPixbuf.Pixbuf.new_from_file_at_scale(image_name, -1, size, True
)
image = Gtk.Image()
try:
surface = Gdk.cairo_surface_create_from_pixbuf(pixbuf, scale_ratio,
window)
image.set_from_surface(surface)
except AttributeError:
image.set_from_pixbuf(pixbuf)
return image
|
create_image
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, image_name=None, scale_ratio=1, window=None):\n size = 48 * scale_ratio\n pixbuf = GdkPixbuf.Pixbuf.new_from_file_at_scale(image_name, -1, size, True\n )\n image = Gtk.Image()\n try:\n surface = Gdk.cairo_surface_create_from_pixbuf(pixbuf, scale_ratio,\n window)\n image.set_from_surface(surface)\n except AttributeError:\n image.set_from_pixbuf(pixbuf)\n return image\n",
"role": "user"
},
{
"content": "create_image",
"role": "assistant"
}
] |
def x(self, description, image=None, sensitive=True):
btn = self.create_button()
btn.set_sensitive(sensitive)
h_box = self.create_box()
try:
img = self.create_image(image_name=image, scale_ratio=btn.
get_scale_factor(), window=btn.get_window())
except:
img = self.create_image(image_name=image)
h_box.pack_start(img, False, False, 12)
label = self.create_label(description)
h_box.pack_start(label, False, False, 0)
btn.add(h_box)
return btn
|
button_with_image
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, description, image=None, sensitive=True):\n btn = self.create_button()\n btn.set_sensitive(sensitive)\n h_box = self.create_box()\n try:\n img = self.create_image(image_name=image, scale_ratio=btn.\n get_scale_factor(), window=btn.get_window())\n except:\n img = self.create_image(image_name=image)\n h_box.pack_start(img, False, False, 12)\n label = self.create_label(description)\n h_box.pack_start(label, False, False, 0)\n btn.add(h_box)\n return btn\n",
"role": "user"
},
{
"content": "button_with_image",
"role": "assistant"
}
] |
def x(self, description):
act_btn = Gtk.CheckButton(description)
align = self.create_alignment()
act_btn.add(align)
return align
|
checkbutton_with_label
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, description):\n act_btn = Gtk.CheckButton(description)\n align = self.create_alignment()\n act_btn.add(align)\n return align\n",
"role": "user"
},
{
"content": "checkbutton_with_label",
"role": "assistant"
}
] |
def x(self, name, margin=10):
chk_btn = Gtk.CheckButton(name)
chk_btn.set_margin_right(margin)
return chk_btn
|
create_checkbox
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, margin=10):\n chk_btn = Gtk.CheckButton(name)\n chk_btn.set_margin_right(margin)\n return chk_btn\n",
"role": "user"
},
{
"content": "create_checkbox",
"role": "assistant"
}
] |
def x(self, text='', sensitive='False'):
text_entry = Gtk.Entry()
text_entry.set_sensitive(sensitive)
text_entry.set_text(text)
return text_entry
|
create_entry
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text='', sensitive='False'):\n text_entry = Gtk.Entry()\n text_entry.set_sensitive(sensitive)\n text_entry.set_text(text)\n return text_entry\n",
"role": "user"
},
{
"content": "create_entry",
"role": "assistant"
}
] |
def x(self, text='None', uri='None'):
link_btn = Gtk.LinkButton(uri, text)
return link_btn
|
create_link_button
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text='None', uri='None'):\n link_btn = Gtk.LinkButton(uri, text)\n return link_btn\n",
"role": "user"
},
{
"content": "create_link_button",
"role": "assistant"
}
] |
def x(self, style=Gtk.ReliefStyle.NORMAL):
btn = Gtk.Button()
btn.set_relief(style)
return btn
|
create_button
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, style=Gtk.ReliefStyle.NORMAL):\n btn = Gtk.Button()\n btn.set_relief(style)\n return btn\n",
"role": "user"
},
{
"content": "create_button",
"role": "assistant"
}
] |
def x(self, text, image_name):
menu_item = Gtk.ImageMenuItem(text)
img = self.create_image(image_name)
menu_item.set_image(img)
return menu_item
|
create_image_menu_item
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, image_name):\n menu_item = Gtk.ImageMenuItem(text)\n img = self.create_image(image_name)\n menu_item.set_image(img)\n return menu_item\n",
"role": "user"
},
{
"content": "create_image_menu_item",
"role": "assistant"
}
] |
def x(self, name, justify=Gtk.Justification.CENTER, wrap_mode=True, tooltip
=None):
label = Gtk.Label()
name = name.replace('|', '\n')
label.set_markup(name)
label.set_justify(justify)
label.set_line_wrap(wrap_mode)
if tooltip is not None:
label.set_has_tooltip(True)
label.connect('query-tooltip', self.parent.tooltip_queries, tooltip)
return label
|
create_label
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, justify=Gtk.Justification.CENTER, wrap_mode=True, tooltip\n =None):\n label = Gtk.Label()\n name = name.replace('|', '\\n')\n label.set_markup(name)\n label.set_justify(justify)\n label.set_line_wrap(wrap_mode)\n if tooltip is not None:\n label.set_has_tooltip(True)\n label.connect('query-tooltip', self.parent.tooltip_queries, tooltip)\n return label\n",
"role": "user"
},
{
"content": "create_label",
"role": "assistant"
}
] |
def x(self, grid_lang, ass, row, column):
image_name = ass[0].icon_path
label = '<b>' + ass[0].fullname + '</b>'
if not image_name:
btn = self.button_with_label(label)
else:
btn = self.button_with_image(label, image=ass[0].icon_path)
if ass[0].description:
btn.set_has_tooltip(True)
btn.connect('query-tooltip', self.parent.tooltip_queries, self.
get_formatted_description(ass[0].description))
btn.connect('clicked', self.parent.btn_clicked, ass[0].name)
if row == 0 and column == 0:
grid_lang.add(btn)
else:
grid_lang.attach(btn, column, row, 1, 1)
return btn
|
add_button
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, grid_lang, ass, row, column):\n image_name = ass[0].icon_path\n label = '<b>' + ass[0].fullname + '</b>'\n if not image_name:\n btn = self.button_with_label(label)\n else:\n btn = self.button_with_image(label, image=ass[0].icon_path)\n if ass[0].description:\n btn.set_has_tooltip(True)\n btn.connect('query-tooltip', self.parent.tooltip_queries, self.\n get_formatted_description(ass[0].description))\n btn.connect('clicked', self.parent.btn_clicked, ass[0].name)\n if row == 0 and column == 0:\n grid_lang.add(btn)\n else:\n grid_lang.attach(btn, column, row, 1, 1)\n return btn\n",
"role": "user"
},
{
"content": "add_button",
"role": "assistant"
}
] |
def x(self, grid_lang, row, column):
btn = self.button_with_label('<b>Install more...</b>')
if row == 0 and column == 0:
grid_lang.add(btn)
else:
grid_lang.attach(btn, column, row, 1, 1)
btn.connect('clicked', self.parent.install_btn_clicked)
return btn
|
add_install_button
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, grid_lang, row, column):\n btn = self.button_with_label('<b>Install more...</b>')\n if row == 0 and column == 0:\n grid_lang.add(btn)\n else:\n grid_lang.attach(btn, column, row, 1, 1)\n btn.connect('clicked', self.parent.install_btn_clicked)\n return btn\n",
"role": "user"
},
{
"content": "add_install_button",
"role": "assistant"
}
] |
def x(self, sub_assistant, path):
if not sub_assistant[0].icon_path:
menu_item = self.create_menu_item(sub_assistant[0].fullname)
else:
menu_item = self.create_image_menu_item(sub_assistant[0].fullname,
sub_assistant[0].icon_path)
if sub_assistant[0].description:
menu_item.set_has_tooltip(True)
menu_item.connect('query-tooltip', self.parent.tooltip_queries,
self.get_formatted_description(sub_assistant[0].description))
menu_item.connect('select', self.parent.sub_menu_select, path)
menu_item.connect('button-press-event', self.parent.sub_menu_pressed)
menu_item.show()
return menu_item
|
menu_item
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sub_assistant, path):\n if not sub_assistant[0].icon_path:\n menu_item = self.create_menu_item(sub_assistant[0].fullname)\n else:\n menu_item = self.create_image_menu_item(sub_assistant[0].fullname,\n sub_assistant[0].icon_path)\n if sub_assistant[0].description:\n menu_item.set_has_tooltip(True)\n menu_item.connect('query-tooltip', self.parent.tooltip_queries,\n self.get_formatted_description(sub_assistant[0].description))\n menu_item.connect('select', self.parent.sub_menu_select, path)\n menu_item.connect('button-press-event', self.parent.sub_menu_pressed)\n menu_item.show()\n return menu_item\n",
"role": "user"
},
{
"content": "menu_item",
"role": "assistant"
}
] |
def x(self, ass, text, path=None, level=0):
menu = self.create_menu()
for index, sub in enumerate(sorted(ass[1], key=lambda y: y[0].fullname.
lower())):
if index != 0:
text += '|'
text += '- ' + sub[0].fullname
new_path = list(path)
if level == 0:
new_path.append(ass[0].name)
new_path.append(sub[0].name)
menu_item = self.menu_item(sub, new_path)
if sub[1]:
sub_menu, txt = self.generate_menu(sub, text, new_path, level=
level + 1)
menu_item.set_submenu(sub_menu)
menu.append(menu_item)
return menu, text
|
generate_menu
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ass, text, path=None, level=0):\n menu = self.create_menu()\n for index, sub in enumerate(sorted(ass[1], key=lambda y: y[0].fullname.\n lower())):\n if index != 0:\n text += '|'\n text += '- ' + sub[0].fullname\n new_path = list(path)\n if level == 0:\n new_path.append(ass[0].name)\n new_path.append(sub[0].name)\n menu_item = self.menu_item(sub, new_path)\n if sub[1]:\n sub_menu, txt = self.generate_menu(sub, text, new_path, level=\n level + 1)\n menu_item.set_submenu(sub_menu)\n menu.append(menu_item)\n return menu, text\n",
"role": "user"
},
{
"content": "generate_menu",
"role": "assistant"
}
] |
def x(self, grid_lang, ass, row, column):
text = 'Available subassistants:\n'
path = []
menu, text = self.generate_menu(ass, text, path=path)
menu.show_all()
if ass[0].description:
description = self.get_formatted_description(ass[0].description
) + '\n\n'
else:
description = ''
description += text.replace('|', '\n')
image_name = ass[0].icon_path
lbl_text = '<b>' + ass[0].fullname + '</b>'
if not image_name:
btn = self.button_with_label(lbl_text)
else:
btn = self.button_with_image(lbl_text, image=image_name)
btn.set_has_tooltip(True)
btn.connect('query-tooltip', self.parent.tooltip_queries, description)
btn.connect_object('event', self.parent.btn_press_event, menu)
if row == 0 and column == 0:
grid_lang.add(btn)
else:
grid_lang.attach(btn, column, row, 1, 1)
|
add_submenu
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, grid_lang, ass, row, column):\n text = 'Available subassistants:\\n'\n path = []\n menu, text = self.generate_menu(ass, text, path=path)\n menu.show_all()\n if ass[0].description:\n description = self.get_formatted_description(ass[0].description\n ) + '\\n\\n'\n else:\n description = ''\n description += text.replace('|', '\\n')\n image_name = ass[0].icon_path\n lbl_text = '<b>' + ass[0].fullname + '</b>'\n if not image_name:\n btn = self.button_with_label(lbl_text)\n else:\n btn = self.button_with_image(lbl_text, image=image_name)\n btn.set_has_tooltip(True)\n btn.connect('query-tooltip', self.parent.tooltip_queries, description)\n btn.connect_object('event', self.parent.btn_press_event, menu)\n if row == 0 and column == 0:\n grid_lang.add(btn)\n else:\n grid_lang.attach(btn, column, row, 1, 1)\n",
"role": "user"
},
{
"content": "add_submenu",
"role": "assistant"
}
] |
def x(self, layout_manager, horizontal=Gtk.PolicyType.NEVER, vertical=Gtk.
PolicyType.ALWAYS):
scrolled_window = Gtk.ScrolledWindow()
scrolled_window.add(layout_manager)
scrolled_window.set_policy(horizontal, vertical)
return scrolled_window
|
create_scrolled_window
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, layout_manager, horizontal=Gtk.PolicyType.NEVER, vertical=Gtk.\n PolicyType.ALWAYS):\n scrolled_window = Gtk.ScrolledWindow()\n scrolled_window.add(layout_manager)\n scrolled_window.set_policy(horizontal, vertical)\n return scrolled_window\n",
"role": "user"
},
{
"content": "create_scrolled_window",
"role": "assistant"
}
] |
def x(self, row_spacing=6, col_spacing=6, row_homogenous=False,
col_homogenous=True):
grid_lang = Gtk.Grid()
grid_lang.set_column_spacing(row_spacing)
grid_lang.set_row_spacing(col_spacing)
grid_lang.set_border_width(12)
grid_lang.set_row_homogeneous(row_homogenous)
grid_lang.set_column_homogeneous(col_homogenous)
return grid_lang
|
create_gtk_grid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row_spacing=6, col_spacing=6, row_homogenous=False,\n col_homogenous=True):\n grid_lang = Gtk.Grid()\n grid_lang.set_column_spacing(row_spacing)\n grid_lang.set_row_spacing(col_spacing)\n grid_lang.set_border_width(12)\n grid_lang.set_row_homogeneous(row_homogenous)\n grid_lang.set_column_homogeneous(col_homogenous)\n return grid_lang\n",
"role": "user"
},
{
"content": "create_gtk_grid",
"role": "assistant"
}
] |
def x(self, position=Gtk.PositionType.TOP):
notebook = Gtk.Notebook()
notebook.set_tab_pos(position)
notebook.set_show_border(True)
return notebook
|
create_notebook
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position=Gtk.PositionType.TOP):\n notebook = Gtk.Notebook()\n notebook.set_tab_pos(position)\n notebook.set_show_border(True)\n return notebook\n",
"role": "user"
},
{
"content": "create_notebook",
"role": "assistant"
}
] |
def x(self, text, buttons=Gtk.ButtonsType.CLOSE, icon=Gtk.MessageType.WARNING):
dialog = Gtk.MessageDialog(None, Gtk.DialogFlags.DESTROY_WITH_PARENT,
icon, buttons, text)
return dialog
|
create_message_dialog
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, buttons=Gtk.ButtonsType.CLOSE, icon=Gtk.MessageType.WARNING):\n dialog = Gtk.MessageDialog(None, Gtk.DialogFlags.DESTROY_WITH_PARENT,\n icon, buttons, text)\n return dialog\n",
"role": "user"
},
{
"content": "create_message_dialog",
"role": "assistant"
}
] |
def x(self, text, second_text):
dialog = self.create_message_dialog(text, buttons=Gtk.ButtonsType.
YES_NO, icon=Gtk.MessageType.QUESTION)
dialog.format_secondary_text(second_text)
response = dialog.run()
dialog.destroy()
return response
|
create_question_dialog
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, second_text):\n dialog = self.create_message_dialog(text, buttons=Gtk.ButtonsType.\n YES_NO, icon=Gtk.MessageType.QUESTION)\n dialog.format_secondary_text(second_text)\n response = dialog.run()\n dialog.destroy()\n return response\n",
"role": "user"
},
{
"content": "create_question_dialog",
"role": "assistant"
}
] |
def x(self, title):
msg_dlg = self.create_message_dialog(title)
msg_dlg.run()
msg_dlg.destroy()
return
|
execute_dialog
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, title):\n msg_dlg = self.create_message_dialog(title)\n msg_dlg.run()\n msg_dlg.destroy()\n return\n",
"role": "user"
},
{
"content": "execute_dialog",
"role": "assistant"
}
] |
def x(self, text, parent, name=Gtk.STOCK_OPEN):
text = None
dialog = Gtk.FileChooserDialog(text, parent, Gtk.FileChooserAction.
SELECT_FOLDER, (Gtk.STOCK_CANCEL, Gtk.ResponseType.CANCEL, name,
Gtk.ResponseType.OK))
response = dialog.run()
if response == Gtk.ResponseType.OK:
text = dialog.get_filename()
dialog.destroy()
return text
|
create_file_chooser_dialog
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, parent, name=Gtk.STOCK_OPEN):\n text = None\n dialog = Gtk.FileChooserDialog(text, parent, Gtk.FileChooserAction.\n SELECT_FOLDER, (Gtk.STOCK_CANCEL, Gtk.ResponseType.CANCEL, name,\n Gtk.ResponseType.OK))\n response = dialog.run()\n if response == Gtk.ResponseType.OK:\n text = dialog.get_filename()\n dialog.destroy()\n return text\n",
"role": "user"
},
{
"content": "create_file_chooser_dialog",
"role": "assistant"
}
] |
def x(self, x_align=0, y_align=0, x_scale=0, y_scale=0):
align = Gtk.Alignment()
align.set(x_align, y_align, x_scale, y_scale)
return align
|
create_alignment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x_align=0, y_align=0, x_scale=0, y_scale=0):\n align = Gtk.Alignment()\n align.set(x_align, y_align, x_scale, y_scale)\n return align\n",
"role": "user"
},
{
"content": "create_alignment",
"role": "assistant"
}
] |
def x(self, wrap_mode=Gtk.WrapMode.WORD_CHAR, justify=Gtk.Justification.
LEFT, visible=True, editable=True):
text_view = Gtk.TextView()
text_view.set_wrap_mode(wrap_mode)
text_view.set_editable(editable)
if not editable:
text_view.set_cursor_visible(False)
else:
text_view.set_cursor_visible(visible)
text_view.set_justification(justify)
return text_view
|
create_textview
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, wrap_mode=Gtk.WrapMode.WORD_CHAR, justify=Gtk.Justification.\n LEFT, visible=True, editable=True):\n text_view = Gtk.TextView()\n text_view.set_wrap_mode(wrap_mode)\n text_view.set_editable(editable)\n if not editable:\n text_view.set_cursor_visible(False)\n else:\n text_view.set_cursor_visible(visible)\n text_view.set_justification(justify)\n return text_view\n",
"role": "user"
},
{
"content": "create_textview",
"role": "assistant"
}
] |
def x(self, model=None):
tree_view = Gtk.TreeView()
if model is not None:
tree_view.set_model(model)
return tree_view
|
create_tree_view
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model=None):\n tree_view = Gtk.TreeView()\n if model is not None:\n tree_view.set_model(model)\n return tree_view\n",
"role": "user"
},
{
"content": "create_tree_view",
"role": "assistant"
}
] |
def x(self, tree_view, title='title', assign=0, editable=False):
renderer = Gtk.CellRendererText()
renderer.set_property('editable', editable)
column = Gtk.TreeViewColumn(title, renderer, text=assign)
tree_view.append_column(column)
|
create_cell_renderer_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tree_view, title='title', assign=0, editable=False):\n renderer = Gtk.CellRendererText()\n renderer.set_property('editable', editable)\n column = Gtk.TreeViewColumn(title, renderer, text=assign)\n tree_view.append_column(column)\n",
"role": "user"
},
{
"content": "create_cell_renderer_text",
"role": "assistant"
}
] |
def x(self, tree_view, title='title', assign=0, editable=False, model=None,
function=None):
renderer_combo = Gtk.CellRendererCombo()
renderer_combo.set_property('editable', editable)
if model:
renderer_combo.set_property('model', model)
if function:
renderer_combo.connect('edited', function)
renderer_combo.set_property('text-column', 0)
renderer_combo.set_property('has-entry', False)
column = Gtk.TreeViewColumn(title, renderer_combo, text=assign)
tree_view.append_column(column)
|
create_cell_renderer_combo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tree_view, title='title', assign=0, editable=False, model=None,\n function=None):\n renderer_combo = Gtk.CellRendererCombo()\n renderer_combo.set_property('editable', editable)\n if model:\n renderer_combo.set_property('model', model)\n if function:\n renderer_combo.connect('edited', function)\n renderer_combo.set_property('text-column', 0)\n renderer_combo.set_property('has-entry', False)\n column = Gtk.TreeViewColumn(title, renderer_combo, text=assign)\n tree_view.append_column(column)\n",
"role": "user"
},
{
"content": "create_cell_renderer_combo",
"role": "assistant"
}
] |
def x(self, text, selection=Gdk.SELECTION_CLIPBOARD):
clipboard = Gtk.Clipboard.get(selection)
clipboard.set_text('\n'.join(text), -1)
clipboard.store()
return clipboard
|
create_clipboard
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, selection=Gdk.SELECTION_CLIPBOARD):\n clipboard = Gtk.Clipboard.get(selection)\n clipboard.set_text('\\n'.join(text), -1)\n clipboard.store()\n return clipboard\n",
"role": "user"
},
{
"content": "create_clipboard",
"role": "assistant"
}
] |
def x(cls, cmd_str, log_level=logging.DEBUG, ignore_sigint=False,
output_callback=None, as_user=None, log_secret=False, env=None):
for name, cmd_proc in cls.command_processors.items():
cmd_str = cmd_proc(cmd_str)
if as_user and not cmd_str.startswith('cd '):
cmd_str = cls.format_for_another_user(cmd_str, as_user)
cls.log(log_level, cmd_str, 'cmd_call', log_secret)
if cmd_str.startswith('cd '):
try:
directory = cmd_str[3:]
if directory[0] == directory[-1] == '"':
directory = directory[1:-1]
os.chdir(directory)
except OSError as e:
raise exceptions.ClException(cmd_str, 1, six.text_type(e))
return ''
stdin_pipe = None
stdout_pipe = subprocess.PIPE
stderr_pipe = subprocess.STDOUT
preexec_fn = cls.ignore_sigint if ignore_sigint else None
env = os.environ if env is None else env
proc = subprocess.Popen(cmd_str, stdin=stdin_pipe, stdout=stdout_pipe,
stderr=stderr_pipe, shell=True, preexec_fn=preexec_fn, env=env)
cls.subprocesses[proc.pid] = proc
stdout = []
while proc.poll() is None:
try:
output = proc.stdout.readline().decode(utils.defenc)
if output:
output = output.strip()
stdout.append(output)
cls.log(log_level, output, 'cmd_out', log_secret)
if output_callback:
output_callback(output)
except IOError as e:
if e.errno == errno.EINTR:
sys.stderr.write("Can't interrupt this process!\n")
else:
raise e
cls.subprocesses.pop(proc.pid)
stdout = '\n'.join(stdout) + '\n'
output_rest = proc.stdout.read().strip().decode(utils.defenc)
output_rest_lines = output_rest.splitlines()
for i, l in enumerate(output_rest_lines):
cls.log(log_level, l, 'cmd_out', log_secret)
if i != len(output_rest_lines) - 1 or output_rest.endswith('\n'):
l += '\n'
stdout += l
if output_callback:
output_callback(l)
cls.log(logging.DEBUG, proc.returncode, 'cmd_retcode', log_secret)
stdout = stdout.strip()
if proc.returncode == 0:
return stdout
else:
raise exceptions.ClException(cmd_str, proc.returncode, stdout)
|
run_command
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, cmd_str, log_level=logging.DEBUG, ignore_sigint=False,\n output_callback=None, as_user=None, log_secret=False, env=None):\n for name, cmd_proc in cls.command_processors.items():\n cmd_str = cmd_proc(cmd_str)\n if as_user and not cmd_str.startswith('cd '):\n cmd_str = cls.format_for_another_user(cmd_str, as_user)\n cls.log(log_level, cmd_str, 'cmd_call', log_secret)\n if cmd_str.startswith('cd '):\n try:\n directory = cmd_str[3:]\n if directory[0] == directory[-1] == '\"':\n directory = directory[1:-1]\n os.chdir(directory)\n except OSError as e:\n raise exceptions.ClException(cmd_str, 1, six.text_type(e))\n return ''\n stdin_pipe = None\n stdout_pipe = subprocess.PIPE\n stderr_pipe = subprocess.STDOUT\n preexec_fn = cls.ignore_sigint if ignore_sigint else None\n env = os.environ if env is None else env\n proc = subprocess.Popen(cmd_str, stdin=stdin_pipe, stdout=stdout_pipe,\n stderr=stderr_pipe, shell=True, preexec_fn=preexec_fn, env=env)\n cls.subprocesses[proc.pid] = proc\n stdout = []\n while proc.poll() is None:\n try:\n output = proc.stdout.readline().decode(utils.defenc)\n if output:\n output = output.strip()\n stdout.append(output)\n cls.log(log_level, output, 'cmd_out', log_secret)\n if output_callback:\n output_callback(output)\n except IOError as e:\n if e.errno == errno.EINTR:\n sys.stderr.write(\"Can't interrupt this process!\\n\")\n else:\n raise e\n cls.subprocesses.pop(proc.pid)\n stdout = '\\n'.join(stdout) + '\\n'\n output_rest = proc.stdout.read().strip().decode(utils.defenc)\n output_rest_lines = output_rest.splitlines()\n for i, l in enumerate(output_rest_lines):\n cls.log(log_level, l, 'cmd_out', log_secret)\n if i != len(output_rest_lines) - 1 or output_rest.endswith('\\n'):\n l += '\\n'\n stdout += l\n if output_callback:\n output_callback(l)\n cls.log(logging.DEBUG, proc.returncode, 'cmd_retcode', log_secret)\n stdout = stdout.strip()\n if proc.returncode == 0:\n return stdout\n else:\n raise exceptions.ClException(cmd_str, proc.returncode, stdout)\n",
"role": "user"
},
{
"content": "run_command",
"role": "assistant"
}
] |
def x(cls, ui, prompt='Provide your password:', **options):
return cls.get_appropriate_helper(ui).ask_for_password(prompt, title=
options.get('title', prompt))
|
ask_for_password
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, ui, prompt='Provide your password:', **options):\n return cls.get_appropriate_helper(ui).ask_for_password(prompt, title=\n options.get('title', prompt))\n",
"role": "user"
},
{
"content": "ask_for_password",
"role": "assistant"
}
] |
def x(cls, ui, prompt='Do you agree?', message='', **options):
return cls.get_appropriate_helper(ui).ask_for_confirm_with_message(prompt,
message)
|
ask_for_confirm_with_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, ui, prompt='Do you agree?', message='', **options):\n return cls.get_appropriate_helper(ui).ask_for_confirm_with_message(prompt,\n message)\n",
"role": "user"
},
{
"content": "ask_for_confirm_with_message",
"role": "assistant"
}
] |
def x(cls, ui, prompt='', **options):
return cls.get_appropriate_helper(ui).ask_for_input_with_prompt(prompt=
prompt, **options)
|
ask_for_input_with_prompt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, ui, prompt='', **options):\n return cls.get_appropriate_helper(ui).ask_for_input_with_prompt(prompt=\n prompt, **options)\n",
"role": "user"
},
{
"content": "ask_for_input_with_prompt",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.