source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self): def x(x, y): return x + y try: return reduce(add, list(self.cache.values())) except: return []
entries
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n def x(x, y):\n return x + y\n try:\n return reduce(add, list(self.cache.values()))\n except:\n return []\n", "role": "user" }, { "content": "entries", "role": "assistant" } ]
def x(self, zeroconf, now, record): if record.type == _TYPE_PTR and record.name == self.type: expired = record.is_expired(now) try: oldrecord = self.services[record.alias.lower()] if not expired: oldrecord.reset_ttl(record) else: del self.services[record.alias.lower()] callback = lambda x: self.listener.remove_service(x, self. type, record.alias) self.list.append(callback) return except: if not expired: self.services[record.alias.lower()] = record callback = lambda x: self.listener.add_service(x, self.type, record.alias) self.list.append(callback) expires = record.get_expiration_time(75) if expires < self.next_time: self.next_time = expires
update_record
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, zeroconf, now, record):\n if record.type == _TYPE_PTR and record.name == self.type:\n expired = record.is_expired(now)\n try:\n oldrecord = self.services[record.alias.lower()]\n if not expired:\n oldrecord.reset_ttl(record)\n else:\n del self.services[record.alias.lower()]\n callback = lambda x: self.listener.remove_service(x, self.\n type, record.alias)\n self.list.append(callback)\n return\n except:\n if not expired:\n self.services[record.alias.lower()] = record\n callback = lambda x: self.listener.add_service(x, self.type,\n record.alias)\n self.list.append(callback)\n expires = record.get_expiration_time(75)\n if expires < self.next_time:\n self.next_time = expires\n", "role": "user" }, { "content": "update_record", "role": "assistant" } ]
def x(self, properties): if isinstance(properties, dict): self.properties = properties self.sync_properties() else: self.text = properties
set_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, properties):\n if isinstance(properties, dict):\n self.properties = properties\n self.sync_properties()\n else:\n self.text = properties\n", "role": "user" }, { "content": "set_properties", "role": "assistant" } ]
def x(self, text): self.text = text try: self.properties = text_to_dict(text) except: traceback.print_exc() self.properties = None
set_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text):\n self.text = text\n try:\n self.properties = text_to_dict(text)\n except:\n traceback.print_exc()\n self.properties = None\n", "role": "user" }, { "content": "set_text", "role": "assistant" } ]
def x(self): if self.type is not None and self.name.endswith('.' + self.type): return self.name[:len(self.name) - len(self.type) - 1] return self.name
get_name
[ { "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.type is not None and self.name.endswith('.' + self.type):\n return self.name[:len(self.name) - len(self.type) - 1]\n return self.name\n", "role": "user" }, { "content": "get_name", "role": "assistant" } ]
def x(self, zeroconf, now, record): if record is not None and not record.is_expired(now): if record.type == _TYPE_A: if record.name == self.name: if not record.address in self.address: self.address.append(record.address) elif record.type == _TYPE_SRV: if record.name == self.name: self.server = record.server self.port = record.port self.weight = record.weight self.priority = record.priority self.address = [] self.update_record(zeroconf, now, zeroconf.cache. get_by_details(self.server, _TYPE_A, _CLASS_IN)) elif record.type == _TYPE_TXT: if record.name == self.name: self.set_text(record.text)
update_record
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, zeroconf, now, record):\n if record is not None and not record.is_expired(now):\n if record.type == _TYPE_A:\n if record.name == self.name:\n if not record.address in self.address:\n self.address.append(record.address)\n elif record.type == _TYPE_SRV:\n if record.name == self.name:\n self.server = record.server\n self.port = record.port\n self.weight = record.weight\n self.priority = record.priority\n self.address = []\n self.update_record(zeroconf, now, zeroconf.cache.\n get_by_details(self.server, _TYPE_A, _CLASS_IN))\n elif record.type == _TYPE_TXT:\n if record.name == self.name:\n self.set_text(record.text)\n", "role": "user" }, { "content": "update_record", "role": "assistant" } ]
def x(self, zeroconf, timeout): now = current_time_millis() delay = _LISTENER_TIME next = now + delay last = now + timeout result = 0 try: zeroconf.add_listener(self, DNSQuestion(self.name, _TYPE_ANY, _CLASS_IN)) while self.server is None or len(self.address ) == 0 or self.text is None: if last <= now: return 0 if next <= now: out = DNSOutgoing(_FLAGS_QR_QUERY) out.add_question(DNSQuestion(self.name, _TYPE_SRV, _CLASS_IN)) out.add_answer_at_time(zeroconf.cache.get_by_details(self. name, _TYPE_SRV, _CLASS_IN), now) out.add_question(DNSQuestion(self.name, _TYPE_TXT, _CLASS_IN)) out.add_answer_at_time(zeroconf.cache.get_by_details(self. name, _TYPE_TXT, _CLASS_IN), now) if self.server is not None: out.add_question(DNSQuestion(self.server, _TYPE_A, _CLASS_IN)) out.add_answer_at_time(zeroconf.cache.get_by_details( self.server, _TYPE_A, _CLASS_IN), now) zeroconf.send(out) next = now + delay delay = delay * 2 zeroconf.wait(min(next, last) - now) now = current_time_millis() result = 1 finally: zeroconf.remove_listener(self) return result
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, zeroconf, timeout):\n now = current_time_millis()\n delay = _LISTENER_TIME\n next = now + delay\n last = now + timeout\n result = 0\n try:\n zeroconf.add_listener(self, DNSQuestion(self.name, _TYPE_ANY,\n _CLASS_IN))\n while self.server is None or len(self.address\n ) == 0 or self.text is None:\n if last <= now:\n return 0\n if next <= now:\n out = DNSOutgoing(_FLAGS_QR_QUERY)\n out.add_question(DNSQuestion(self.name, _TYPE_SRV, _CLASS_IN))\n out.add_answer_at_time(zeroconf.cache.get_by_details(self.\n name, _TYPE_SRV, _CLASS_IN), now)\n out.add_question(DNSQuestion(self.name, _TYPE_TXT, _CLASS_IN))\n out.add_answer_at_time(zeroconf.cache.get_by_details(self.\n name, _TYPE_TXT, _CLASS_IN), now)\n if self.server is not None:\n out.add_question(DNSQuestion(self.server, _TYPE_A,\n _CLASS_IN))\n out.add_answer_at_time(zeroconf.cache.get_by_details(\n self.server, _TYPE_A, _CLASS_IN), now)\n zeroconf.send(out)\n next = now + delay\n delay = delay * 2\n zeroconf.wait(min(next, last) - now)\n now = current_time_millis()\n result = 1\n finally:\n zeroconf.remove_listener(self)\n return result\n", "role": "user" }, { "content": "request", "role": "assistant" } ]
def x(self, timeout): self.condition.acquire() self.condition.wait(timeout // 1000) self.condition.release()
wait
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout):\n self.condition.acquire()\n self.condition.wait(timeout // 1000)\n self.condition.release()\n", "role": "user" }, { "content": "wait", "role": "assistant" } ]
def x(self): self.condition.acquire() try: self.condition.notify_all() except: self.condition.notifyAll() self.condition.release()
notify_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.condition.acquire()\n try:\n self.condition.notify_all()\n except:\n self.condition.notifyAll()\n self.condition.release()\n", "role": "user" }, { "content": "notify_all", "role": "assistant" } ]
def x(self, type, name, timeout=3000): info = ServiceInfo(type, name) if info.request(self, timeout): return info return None
get_service_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, type, name, timeout=3000):\n info = ServiceInfo(type, name)\n if info.request(self, timeout):\n return info\n return None\n", "role": "user" }, { "content": "get_service_info", "role": "assistant" } ]
def x(self, type, listener): self.remove_service_listener(listener) self.browsers.append(ServiceBrowser(self, type, listener))
add_serviceListener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, type, listener):\n self.remove_service_listener(listener)\n self.browsers.append(ServiceBrowser(self, type, listener))\n", "role": "user" }, { "content": "add_serviceListener", "role": "assistant" } ]
def x(self, listener): for browser in self.browsers: if browser.listener == listener: browser.cancel() del browser
remove_service_listener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, listener):\n for browser in self.browsers:\n if browser.listener == listener:\n browser.cancel()\n del browser\n", "role": "user" }, { "content": "remove_service_listener", "role": "assistant" } ]
def x(self, info): self.check_service(info) self.services[info.name.lower()] = info self.transfer_zone(info.type) self.announce_service(info.name)
register_service
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, info):\n self.check_service(info)\n self.services[info.name.lower()] = info\n self.transfer_zone(info.type)\n self.announce_service(info.name)\n", "role": "user" }, { "content": "register_service", "role": "assistant" } ]
def x(self, info): try: del self.services[info.name.lower()] except: pass now = current_time_millis() next_time = now i = 0 while i < 3: if now < next_time: self.wait(next_time - now) now = current_time_millis() continue out = DNSOutgoing(_FLAGS_QR_RESPONSE | _FLAGS_AA) out.add_answer_at_time(DNSPointer(info.type, _TYPE_PTR, _CLASS_IN, 0, info.name), 0) out.add_answer_at_time(DNSService(info.name, _TYPE_SRV, _CLASS_IN, 0, info.priority, info.weight, info.port, info.name), 0) out.add_answer_at_time(DNSText(info.name, _TYPE_TXT, _CLASS_IN, 0, info.text), 0) for k in info.address: out.add_answer_at_time(DNSAddress(info.server, _TYPE_A, _CLASS_IN, 0, k), 0) self.send(out) i += 1 next_time += _UNREGISTER_TIME
unregister_service
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, info):\n try:\n del self.services[info.name.lower()]\n except:\n pass\n now = current_time_millis()\n next_time = now\n i = 0\n while i < 3:\n if now < next_time:\n self.wait(next_time - now)\n now = current_time_millis()\n continue\n out = DNSOutgoing(_FLAGS_QR_RESPONSE | _FLAGS_AA)\n out.add_answer_at_time(DNSPointer(info.type, _TYPE_PTR, _CLASS_IN, \n 0, info.name), 0)\n out.add_answer_at_time(DNSService(info.name, _TYPE_SRV, _CLASS_IN, \n 0, info.priority, info.weight, info.port, info.name), 0)\n out.add_answer_at_time(DNSText(info.name, _TYPE_TXT, _CLASS_IN, 0,\n info.text), 0)\n for k in info.address:\n out.add_answer_at_time(DNSAddress(info.server, _TYPE_A,\n _CLASS_IN, 0, k), 0)\n self.send(out)\n i += 1\n next_time += _UNREGISTER_TIME\n", "role": "user" }, { "content": "unregister_service", "role": "assistant" } ]
def x(self, info): now = current_time_millis() next_time = now i = 0 while i < 3: for record in self.cache.entries_with_name(info.type): if record.type == _TYPE_PTR and not record.is_expired(now ) and record.alias == info.name: if info.name.find('.') < 0: info.name = (info.name + '.[' + info.address + ':' + info.port + '].' + info.type) self.check_service(info) return raise NonUniqueNameException if now < next_time: self.wait(next_time - now) now = current_time_millis() continue out = DNSOutgoing(_FLAGS_QR_QUERY | _FLAGS_AA) self.debug = out out.add_question(DNSQuestion(info.type, _TYPE_PTR, _CLASS_IN)) out.add_authorative_answer(DNSPointer(info.type, _TYPE_PTR, _CLASS_IN, info.ttl, info.name)) self.send(out) i += 1 next_time += _CHECK_TIME
check_service
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, info):\n now = current_time_millis()\n next_time = now\n i = 0\n while i < 3:\n for record in self.cache.entries_with_name(info.type):\n if record.type == _TYPE_PTR and not record.is_expired(now\n ) and record.alias == info.name:\n if info.name.find('.') < 0:\n info.name = (info.name + '.[' + info.address + ':' +\n info.port + '].' + info.type)\n self.check_service(info)\n return\n raise NonUniqueNameException\n if now < next_time:\n self.wait(next_time - now)\n now = current_time_millis()\n continue\n out = DNSOutgoing(_FLAGS_QR_QUERY | _FLAGS_AA)\n self.debug = out\n out.add_question(DNSQuestion(info.type, _TYPE_PTR, _CLASS_IN))\n out.add_authorative_answer(DNSPointer(info.type, _TYPE_PTR,\n _CLASS_IN, info.ttl, info.name))\n self.send(out)\n i += 1\n next_time += _CHECK_TIME\n", "role": "user" }, { "content": "check_service", "role": "assistant" } ]
def x(self, listener, question): now = current_time_millis() self.listeners.append(listener) if question is not None: for record in self.cache.entries_with_name(question.name): if question.answered_by(record) and not record.is_expired(now): listener.update_record(self, now, record) self.notify_all()
add_listener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, listener, question):\n now = current_time_millis()\n self.listeners.append(listener)\n if question is not None:\n for record in self.cache.entries_with_name(question.name):\n if question.answered_by(record) and not record.is_expired(now):\n listener.update_record(self, now, record)\n self.notify_all()\n", "role": "user" }, { "content": "add_listener", "role": "assistant" } ]
def x(self, now, rec): for listener in self.listeners: listener.update_record(self, now, rec) self.notify_all()
update_record
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, now, rec):\n for listener in self.listeners:\n listener.update_record(self, now, rec)\n self.notify_all()\n", "role": "user" }, { "content": "update_record", "role": "assistant" } ]
def x(self, msg, address): now = current_time_millis() sigs = [] precache = [] for record in msg.answers: if isinstance(record, DNSSignature): sigs.append(record) else: precache.append(record) for e in precache: for s in sigs: if self.verify(e, s): if self.adaptive and e.type == _TYPE_A: if e.address == '\x00\x00\x00\x00': e.address = socket.inet_aton(address) if e in self.cache.entries(): if e.is_expired(now): for i in self.hooks: try: i.remove(e) except: pass self.cache.remove(e) self.cache.remove(s) else: entry = self.cache.get(e) sig = self.cache.get(s) if entry is not None and sig is not None: for i in self.hooks: try: i.update(e) except: pass entry.reset_ttl(e) sig.reset_ttl(s) else: e.rrsig = s self.cache.add(e) self.cache.add(s) for i in self.hooks: try: i.add(e) except: pass precache.remove(e) sigs.remove(s) self.update_record(now, record) if self.bypass: for e in precache: if e in self.cache.entries(): if e.is_expired(now): for i in self.hooks: try: i.remove(e) except: pass self.cache.remove(e) else: entry = self.cache.get(e) if entry is not None: for i in self.hooks: try: i.update(e) except: pass entry.reset_ttl(e) else: self.cache.add(e) for i in self.hooks: try: i.add(e) except: pass self.update_record(now, record)
handle_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg, address):\n now = current_time_millis()\n sigs = []\n precache = []\n for record in msg.answers:\n if isinstance(record, DNSSignature):\n sigs.append(record)\n else:\n precache.append(record)\n for e in precache:\n for s in sigs:\n if self.verify(e, s):\n if self.adaptive and e.type == _TYPE_A:\n if e.address == '\\x00\\x00\\x00\\x00':\n e.address = socket.inet_aton(address)\n if e in self.cache.entries():\n if e.is_expired(now):\n for i in self.hooks:\n try:\n i.remove(e)\n except:\n pass\n self.cache.remove(e)\n self.cache.remove(s)\n else:\n entry = self.cache.get(e)\n sig = self.cache.get(s)\n if entry is not None and sig is not None:\n for i in self.hooks:\n try:\n i.update(e)\n except:\n pass\n entry.reset_ttl(e)\n sig.reset_ttl(s)\n else:\n e.rrsig = s\n self.cache.add(e)\n self.cache.add(s)\n for i in self.hooks:\n try:\n i.add(e)\n except:\n pass\n precache.remove(e)\n sigs.remove(s)\n self.update_record(now, record)\n if self.bypass:\n for e in precache:\n if e in self.cache.entries():\n if e.is_expired(now):\n for i in self.hooks:\n try:\n i.remove(e)\n except:\n pass\n self.cache.remove(e)\n else:\n entry = self.cache.get(e)\n if entry is not None:\n for i in self.hooks:\n try:\n i.update(e)\n except:\n pass\n entry.reset_ttl(e)\n else:\n self.cache.add(e)\n for i in self.hooks:\n try:\n i.add(e)\n except:\n pass\n self.update_record(now, record)\n", "role": "user" }, { "content": "handle_response", "role": "assistant" } ]
def x(self, msg, addr, port, orig): out = None if port != _MDNS_PORT: out = DNSOutgoing(_FLAGS_QR_RESPONSE | _FLAGS_AA, 0) for question in msg.questions: out.add_question(question) for question in msg.questions: if question.type == _TYPE_PTR: for service in self.services.values(): if question.name == service.type: answer = self.cache.get(DNSPointer(service.type, _TYPE_PTR, _CLASS_IN, service.ttl, service.name)) if out is None and answer is not None: out = DNSOutgoing(_FLAGS_QR_RESPONSE | _FLAGS_AA) if answer: out.add_answer(msg, answer) if question.type == _TYPE_AXFR: if question.name in list(self.zones.keys()): if out is None: out = DNSOutgoing(_FLAGS_QR_RESPONSE | _FLAGS_AA) for i in self.zones[question.name].services.values(): out.add_answer(msg, i) else: try: if out is None: out = DNSOutgoing(_FLAGS_QR_RESPONSE | _FLAGS_AA) service = self.services.get(question.name.lower(), None) try: rs = service.records except: rs = [] if (question.type == _TYPE_A or question.type == _TYPE_ANY ) and _TYPE_A in rs: for service in self.services.values(): if service.server == question.name.lower(): for i in service.address: out.add_answer(msg, self.cache.get( DNSAddress(question.name, _TYPE_A, _CLASS_IN | _CLASS_UNIQUE, service.ttl, i)) ) if not service: continue if (question.type == _TYPE_SRV or question.type == _TYPE_ANY ) and _TYPE_SRV in rs: out.add_answer(msg, self.cache.get(DNSService(question. name, _TYPE_SRV, _CLASS_IN | _CLASS_UNIQUE, service .ttl, service.priority, service.weight, service. port, service.server))) if (question.type == _TYPE_TXT or question.type == _TYPE_ANY ) and _TYPE_TXT in rs: out.add_answer(msg, self.cache.get(DNSText(question. name, _TYPE_TXT, _CLASS_IN | _CLASS_UNIQUE, service .ttl, service.text))) if question.type == _TYPE_SRV and _TYPE_SRV in rs: for i in service.address: out.add_additional_answer(self.cache.get(DNSAddress (service.server, _TYPE_A, _CLASS_IN | _CLASS_UNIQUE, service.ttl, i))) except: traceback.print_exc() if out is not None and out.answers: out.id = msg.id self.send(out, addr, port)
handle_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg, addr, port, orig):\n out = None\n if port != _MDNS_PORT:\n out = DNSOutgoing(_FLAGS_QR_RESPONSE | _FLAGS_AA, 0)\n for question in msg.questions:\n out.add_question(question)\n for question in msg.questions:\n if question.type == _TYPE_PTR:\n for service in self.services.values():\n if question.name == service.type:\n answer = self.cache.get(DNSPointer(service.type,\n _TYPE_PTR, _CLASS_IN, service.ttl, service.name))\n if out is None and answer is not None:\n out = DNSOutgoing(_FLAGS_QR_RESPONSE | _FLAGS_AA)\n if answer:\n out.add_answer(msg, answer)\n if question.type == _TYPE_AXFR:\n if question.name in list(self.zones.keys()):\n if out is None:\n out = DNSOutgoing(_FLAGS_QR_RESPONSE | _FLAGS_AA)\n for i in self.zones[question.name].services.values():\n out.add_answer(msg, i)\n else:\n try:\n if out is None:\n out = DNSOutgoing(_FLAGS_QR_RESPONSE | _FLAGS_AA)\n service = self.services.get(question.name.lower(), None)\n try:\n rs = service.records\n except:\n rs = []\n if (question.type == _TYPE_A or question.type == _TYPE_ANY\n ) and _TYPE_A in rs:\n for service in self.services.values():\n if service.server == question.name.lower():\n for i in service.address:\n out.add_answer(msg, self.cache.get(\n DNSAddress(question.name, _TYPE_A, \n _CLASS_IN | _CLASS_UNIQUE, service.ttl, i))\n )\n if not service:\n continue\n if (question.type == _TYPE_SRV or question.type == _TYPE_ANY\n ) and _TYPE_SRV in rs:\n out.add_answer(msg, self.cache.get(DNSService(question.\n name, _TYPE_SRV, _CLASS_IN | _CLASS_UNIQUE, service\n .ttl, service.priority, service.weight, service.\n port, service.server)))\n if (question.type == _TYPE_TXT or question.type == _TYPE_ANY\n ) and _TYPE_TXT in rs:\n out.add_answer(msg, self.cache.get(DNSText(question.\n name, _TYPE_TXT, _CLASS_IN | _CLASS_UNIQUE, service\n .ttl, service.text)))\n if question.type == _TYPE_SRV and _TYPE_SRV in rs:\n for i in service.address:\n out.add_additional_answer(self.cache.get(DNSAddress\n (service.server, _TYPE_A, _CLASS_IN |\n _CLASS_UNIQUE, service.ttl, i)))\n except:\n traceback.print_exc()\n if out is not None and out.answers:\n out.id = msg.id\n self.send(out, addr, port)\n", "role": "user" }, { "content": "handle_query", "role": "assistant" } ]
def x(self, out, addr=_MDNS_ADDR, port=_MDNS_PORT): for i in self.intf.values(): try: return i.sendto(out.packet(), 0, (addr, port)) except: traceback.print_exc() return -1
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, out, addr=_MDNS_ADDR, port=_MDNS_PORT):\n for i in self.intf.values():\n try:\n return i.sendto(out.packet(), 0, (addr, port))\n except:\n traceback.print_exc()\n return -1\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(self): if globals()['_GLOBAL_DONE'] == 0: globals()['_GLOBAL_DONE'] = 1 self.notify_all() self.engine.notify() self.unregister_all_services() for i in self.intf.values(): try: i.setsockopt(socket.SOL_IP, socket.IP_DROP_MEMBERSHIP, socket.inet_aton(_MDNS_ADDR) + socket.inet_aton('0.0.0.0')) except: pass i.close()
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 globals()['_GLOBAL_DONE'] == 0:\n globals()['_GLOBAL_DONE'] = 1\n self.notify_all()\n self.engine.notify()\n self.unregister_all_services()\n for i in self.intf.values():\n try:\n i.setsockopt(socket.SOL_IP, socket.IP_DROP_MEMBERSHIP, \n socket.inet_aton(_MDNS_ADDR) + socket.inet_aton('0.0.0.0'))\n except:\n pass\n i.close()\n", "role": "user" }, { "content": "close", "role": "assistant" } ]
def x(self, identity_records: 'RDD', old_state_rdd: Optional['RDD']=None ) ->'RDD': identity_records_with_state = identity_records if old_state_rdd: identity_records_with_state = identity_records.fullOuterJoin( old_state_rdd) return identity_records_with_state.map(lambda x: self. _execute_per_identity_records(x))
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, identity_records: 'RDD', old_state_rdd: Optional['RDD']=None\n ) ->'RDD':\n identity_records_with_state = identity_records\n if old_state_rdd:\n identity_records_with_state = identity_records.fullOuterJoin(\n old_state_rdd)\n return identity_records_with_state.map(lambda x: self.\n _execute_per_identity_records(x))\n", "role": "user" }, { "content": "execute", "role": "assistant" } ]
def x(self, json_files: List[str], data_processor: DataProcessor= SimpleJsonDataProcessor(), spark_session: Optional['SparkSession']=None ) ->'RDD': spark_context = get_spark_session(spark_session).sparkContext raw_records: 'RDD' = spark_context.union([spark_context.textFile(file) for file in json_files]) return raw_records.mapPartitions(lambda x: self. get_per_identity_records(x, data_processor)).groupByKey().mapValues( list)
get_record_rdd_from_json_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, json_files: List[str], data_processor: DataProcessor=\n SimpleJsonDataProcessor(), spark_session: Optional['SparkSession']=None\n ) ->'RDD':\n spark_context = get_spark_session(spark_session).sparkContext\n raw_records: 'RDD' = spark_context.union([spark_context.textFile(file) for\n file in json_files])\n return raw_records.mapPartitions(lambda x: self.\n get_per_identity_records(x, data_processor)).groupByKey().mapValues(\n list)\n", "role": "user" }, { "content": "get_record_rdd_from_json_files", "role": "assistant" } ]
def x(self, rdd: 'RDD', data_processor: DataProcessor= SimpleDictionaryDataProcessor()) ->'RDD': return rdd.mapPartitions(lambda x: self.get_per_identity_records(x, data_processor)).groupByKey().mapValues(list)
get_record_rdd_from_rdd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rdd: 'RDD', data_processor: DataProcessor=\n SimpleDictionaryDataProcessor()) ->'RDD':\n return rdd.mapPartitions(lambda x: self.get_per_identity_records(x,\n data_processor)).groupByKey().mapValues(list)\n", "role": "user" }, { "content": "get_record_rdd_from_rdd", "role": "assistant" } ]
def x(self, path: str, per_identity_data: 'RDD', spark_session: Optional[ 'SparkSession']=None) ->None: _spark_session_ = get_spark_session(spark_session) if not self._window_bts: per_identity_data.flatMap(lambda x: [json.dumps(data, cls= BlurrJSONEncoder) for data in x[1][0].items()]).saveAsTextFile(path ) else: _spark_session_.createDataFrame(per_identity_data.flatMap(lambda x: x[1][1])).write.csv(path, header=True)
write_output_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path: str, per_identity_data: 'RDD', spark_session: Optional[\n 'SparkSession']=None) ->None:\n _spark_session_ = get_spark_session(spark_session)\n if not self._window_bts:\n per_identity_data.flatMap(lambda x: [json.dumps(data, cls=\n BlurrJSONEncoder) for data in x[1][0].items()]).saveAsTextFile(path\n )\n else:\n _spark_session_.createDataFrame(per_identity_data.flatMap(lambda x:\n x[1][1])).write.csv(path, header=True)\n", "role": "user" }, { "content": "write_output_file", "role": "assistant" } ]
def x(self, per_identity_data: 'RDD') ->None: if not self._window_bts: data = per_identity_data.flatMap(lambda x: [json.dumps(data, cls= BlurrJSONEncoder) for data in x[1][0].items()]) else: data = per_identity_data.map(lambda x: json.dumps((x[0], x[1][1]), cls=BlurrJSONEncoder)) for row in data.collect(): print(row)
print_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, per_identity_data: 'RDD') ->None:\n if not self._window_bts:\n data = per_identity_data.flatMap(lambda x: [json.dumps(data, cls=\n BlurrJSONEncoder) for data in x[1][0].items()])\n else:\n data = per_identity_data.map(lambda x: json.dumps((x[0], x[1][1]),\n cls=BlurrJSONEncoder))\n for row in data.collect():\n print(row)\n", "role": "user" }, { "content": "print_output", "role": "assistant" } ]
def x(executable, path=None): if sys.platform != 'win32': return distutils.spawn.find_executable(executable, path) if path is None: path = os.environ['PATH'] paths = path.split(os.pathsep) extensions = os.environ.get('PATHEXT', '.exe').split(os.pathsep) base, ext = os.path.splitext(executable) if not os.path.isfile(executable): for p in paths: for ext in extensions: f = os.path.join(p, base + ext) if os.path.isfile(f): return f return None else: return executable
find_executable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(executable, path=None):\n if sys.platform != 'win32':\n return distutils.spawn.find_executable(executable, path)\n if path is None:\n path = os.environ['PATH']\n paths = path.split(os.pathsep)\n extensions = os.environ.get('PATHEXT', '.exe').split(os.pathsep)\n base, ext = os.path.splitext(executable)\n if not os.path.isfile(executable):\n for p in paths:\n for ext in extensions:\n f = os.path.join(p, base + ext)\n if os.path.isfile(f):\n return f\n return None\n else:\n return executable\n", "role": "user" }, { "content": "find_executable", "role": "assistant" } ]
def x(overrides): result = os.environ.copy() result.update(overrides or {}) return result
create_environment_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(overrides):\n result = os.environ.copy()\n result.update(overrides or {})\n return result\n", "role": "user" }, { "content": "create_environment_dict", "role": "assistant" } ]
def x(self, server): if not isinstance(server, six.binary_type): server = server.encode('utf-8') data = self._execute('get', server) result = json.loads(data.decode('utf-8')) if result['Username'] == '' and result['Secret'] == '': raise errors.CredentialsNotFound('No matching credentials in {}'. format(self.program)) return result
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, server):\n if not isinstance(server, six.binary_type):\n server = server.encode('utf-8')\n data = self._execute('get', server)\n result = json.loads(data.decode('utf-8'))\n if result['Username'] == '' and result['Secret'] == '':\n raise errors.CredentialsNotFound('No matching credentials in {}'.\n format(self.program))\n return result\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, server, username, secret): data_input = json.dumps({'ServerURL': server, 'Username': username, 'Secret': secret}).encode('utf-8') return self._execute('store', data_input)
store
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, server, username, secret):\n data_input = json.dumps({'ServerURL': server, 'Username': username,\n 'Secret': secret}).encode('utf-8')\n return self._execute('store', data_input)\n", "role": "user" }, { "content": "store", "role": "assistant" } ]
def x(self, server): if not isinstance(server, six.binary_type): server = server.encode('utf-8') self._execute('erase', server)
erase
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, server):\n if not isinstance(server, six.binary_type):\n server = server.encode('utf-8')\n self._execute('erase', server)\n", "role": "user" }, { "content": "erase", "role": "assistant" } ]
def x(self, record: Record) ->str: context = self.schema_context.context context.add_record(record) identity = self.identity.evaluate(context) if not identity: raise IdentityError( 'Could not determine identity using {}. Record is {}'.format( self.identity.code_string, record)) context.remove_record() return identity
get_identity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, record: Record) ->str:\n context = self.schema_context.context\n context.add_record(record)\n identity = self.identity.evaluate(context)\n if not identity:\n raise IdentityError(\n 'Could not determine identity using {}. Record is {}'.format(\n self.identity.code_string, record))\n context.remove_record()\n return identity\n", "role": "user" }, { "content": "get_identity", "role": "assistant" } ]
def x(self, record: Record): record_identity = self._schema.get_identity(record) if self._identity != record_identity: raise IdentityError( 'Identity in transformer ({}) and new record ({}) do not match' .format(self._identity, record_identity)) self._evaluation_context.add_record(record) self._evaluation_context.global_add('time', DateTimeFieldSchema. sanitize_object(self._schema.time.evaluate(self._evaluation_context))) super().run_evaluate() self._evaluation_context.remove_record() self._evaluation_context.global_remove('time')
run_evaluate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, record: Record):\n record_identity = self._schema.get_identity(record)\n if self._identity != record_identity:\n raise IdentityError(\n 'Identity in transformer ({}) and new record ({}) do not match'\n .format(self._identity, record_identity))\n self._evaluation_context.add_record(record)\n self._evaluation_context.global_add('time', DateTimeFieldSchema.\n sanitize_object(self._schema.time.evaluate(self._evaluation_context)))\n super().run_evaluate()\n self._evaluation_context.remove_record()\n self._evaluation_context.global_remove('time')\n", "role": "user" }, { "content": "run_evaluate", "role": "assistant" } ]
def x(self) ->None: super().extend_schema_spec() identity_field = {'Name': '_identity', 'Type': BtsType.STRING, 'Value': 'identity', ATTRIBUTE_INTERNAL: True} if self.ATTRIBUTE_FIELDS in self._spec: self._spec[self.ATTRIBUTE_FIELDS].insert(0, identity_field) self.schema_loader.add_schema_spec(identity_field, self. fully_qualified_name)
extend_schema_spec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n super().extend_schema_spec()\n identity_field = {'Name': '_identity', 'Type': BtsType.STRING, 'Value':\n 'identity', ATTRIBUTE_INTERNAL: True}\n if self.ATTRIBUTE_FIELDS in self._spec:\n self._spec[self.ATTRIBUTE_FIELDS].insert(0, identity_field)\n self.schema_loader.add_schema_spec(identity_field, self.\n fully_qualified_name)\n", "role": "user" }, { "content": "extend_schema_spec", "role": "assistant" } ]
def x(self) ->None: if self._store: self._store.save(self._key, self._snapshot)
persist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n if self._store:\n self._store.save(self._key, self._snapshot)\n", "role": "user" }, { "content": "persist", "role": "assistant" } ]
def x(self, spec: Dict[str, Any], fully_qualified_parent_name: str=None ) ->Optional[str]: if not isinstance(spec, dict) or ATTRIBUTE_NAME not in spec: return None name = spec[ATTRIBUTE_NAME] fully_qualified_name = (name if fully_qualified_parent_name is None else self.get_fully_qualified_name(fully_qualified_parent_name, name)) if isinstance(spec, dict): self._error_cache.add(validate_required_attributes( fully_qualified_name, spec, ATTRIBUTE_NAME, ATTRIBUTE_TYPE)) if ATTRIBUTE_TYPE in spec and not Type.contains(spec[ATTRIBUTE_TYPE]): self._error_cache.add(InvalidTypeError(fully_qualified_name, spec, ATTRIBUTE_TYPE, InvalidTypeError.Reason.TYPE_NOT_DEFINED) ) self._spec_cache[fully_qualified_name] = spec for key, val in spec.items(): if isinstance(val, list): for item in val: self.add_schema_spec(item, fully_qualified_name) self.add_schema_spec(val, fully_qualified_name) return spec[ATTRIBUTE_NAME]
add_schema_spec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, spec: Dict[str, Any], fully_qualified_parent_name: str=None\n ) ->Optional[str]:\n if not isinstance(spec, dict) or ATTRIBUTE_NAME not in spec:\n return None\n name = spec[ATTRIBUTE_NAME]\n fully_qualified_name = (name if fully_qualified_parent_name is None else\n self.get_fully_qualified_name(fully_qualified_parent_name, name))\n if isinstance(spec, dict):\n self._error_cache.add(validate_required_attributes(\n fully_qualified_name, spec, ATTRIBUTE_NAME, ATTRIBUTE_TYPE))\n if ATTRIBUTE_TYPE in spec and not Type.contains(spec[ATTRIBUTE_TYPE]):\n self._error_cache.add(InvalidTypeError(fully_qualified_name,\n spec, ATTRIBUTE_TYPE, InvalidTypeError.Reason.TYPE_NOT_DEFINED)\n )\n self._spec_cache[fully_qualified_name] = spec\n for key, val in spec.items():\n if isinstance(val, list):\n for item in val:\n self.add_schema_spec(item, fully_qualified_name)\n self.add_schema_spec(val, fully_qualified_name)\n return spec[ATTRIBUTE_NAME]\n", "role": "user" }, { "content": "add_schema_spec", "role": "assistant" } ]
def x(self, *errors: Union[BaseSchemaError, SchemaErrorCollection]) ->None: for error in errors: self._error_cache.add(error)
add_errors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *errors: Union[BaseSchemaError, SchemaErrorCollection]) ->None:\n for error in errors:\n self._error_cache.add(error)\n", "role": "user" }, { "content": "add_errors", "role": "assistant" } ]
def x(self, fully_qualified_name: str) ->'BaseSchema': if fully_qualified_name not in self._schema_cache: spec = self.get_schema_spec(fully_qualified_name) if spec: try: self._schema_cache[fully_qualified_name ] = TypeLoader.load_schema(spec.get(ATTRIBUTE_TYPE, None))( fully_qualified_name, self) except TypeLoaderError as err: self.add_errors(InvalidTypeError(fully_qualified_name, spec, ATTRIBUTE_TYPE, InvalidTypeError.Reason.TYPE_NOT_LOADED, err.type_class_name)) return self._schema_cache.get(fully_qualified_name, None)
get_schema_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fully_qualified_name: str) ->'BaseSchema':\n if fully_qualified_name not in self._schema_cache:\n spec = self.get_schema_spec(fully_qualified_name)\n if spec:\n try:\n self._schema_cache[fully_qualified_name\n ] = TypeLoader.load_schema(spec.get(ATTRIBUTE_TYPE, None))(\n fully_qualified_name, self)\n except TypeLoaderError as err:\n self.add_errors(InvalidTypeError(fully_qualified_name, spec,\n ATTRIBUTE_TYPE, InvalidTypeError.Reason.TYPE_NOT_LOADED,\n err.type_class_name))\n return self._schema_cache.get(fully_qualified_name, None)\n", "role": "user" }, { "content": "get_schema_object", "role": "assistant" } ]
def x(self, fully_qualified_name: str) ->Optional['Store']: if fully_qualified_name not in self._store_cache: schema = self.get_schema_object(fully_qualified_name) if not schema: return None if Type.is_store_type(schema.type): self._store_cache[fully_qualified_name] = TypeLoader.load_item( schema.type)(schema) else: self.add_errors(InvalidTypeError(fully_qualified_name, {}, ATTRIBUTE_TYPE, InvalidTypeError.Reason.INCORRECT_BASE, schema.type, InvalidTypeError.BaseTypes.STORE)) return self._store_cache.get(fully_qualified_name, None)
get_store
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fully_qualified_name: str) ->Optional['Store']:\n if fully_qualified_name not in self._store_cache:\n schema = self.get_schema_object(fully_qualified_name)\n if not schema:\n return None\n if Type.is_store_type(schema.type):\n self._store_cache[fully_qualified_name] = TypeLoader.load_item(\n schema.type)(schema)\n else:\n self.add_errors(InvalidTypeError(fully_qualified_name, {},\n ATTRIBUTE_TYPE, InvalidTypeError.Reason.INCORRECT_BASE,\n schema.type, InvalidTypeError.BaseTypes.STORE))\n return self._store_cache.get(fully_qualified_name, None)\n", "role": "user" }, { "content": "get_store", "role": "assistant" } ]
def x(self, fully_qualified_parent_name: str, nested_item_name: str ) ->Optional['BaseSchema']: return self.get_schema_object(self.get_fully_qualified_name( fully_qualified_parent_name, nested_item_name))
get_nested_schema_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fully_qualified_parent_name: str, nested_item_name: str\n ) ->Optional['BaseSchema']:\n return self.get_schema_object(self.get_fully_qualified_name(\n fully_qualified_parent_name, nested_item_name))\n", "role": "user" }, { "content": "get_nested_schema_object", "role": "assistant" } ]
def x(fully_qualified_parent_name: str, nested_item_name: str) ->str: return (fully_qualified_parent_name + SchemaLoader.ITEM_SEPARATOR + nested_item_name)
get_fully_qualified_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fully_qualified_parent_name: str, nested_item_name: str) ->str:\n return (fully_qualified_parent_name + SchemaLoader.ITEM_SEPARATOR +\n nested_item_name)\n", "role": "user" }, { "content": "get_fully_qualified_name", "role": "assistant" } ]
def x(self, fully_qualified_name: str) ->Dict[str, Any]: if fully_qualified_name not in self._spec_cache: self.add_errors(SpecNotFoundError(fully_qualified_name, {})) return self._spec_cache.get(fully_qualified_name, None)
get_schema_spec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fully_qualified_name: str) ->Dict[str, Any]:\n if fully_qualified_name not in self._spec_cache:\n self.add_errors(SpecNotFoundError(fully_qualified_name, {}))\n return self._spec_cache.get(fully_qualified_name, None)\n", "role": "user" }, { "content": "get_schema_spec", "role": "assistant" } ]
def x(self, *schema_types: Type) ->Dict[str, Dict[str, Any]]: return {fq_name: schema for fq_name, schema in self._spec_cache.items() if Type.is_type_in(schema.get(ATTRIBUTE_TYPE, ''), list(schema_types))}
get_schema_specs_of_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *schema_types: Type) ->Dict[str, Dict[str, Any]]:\n return {fq_name: schema for fq_name, schema in self._spec_cache.items() if\n Type.is_type_in(schema.get(ATTRIBUTE_TYPE, ''), list(schema_types))}\n", "role": "user" }, { "content": "get_schema_specs_of_type", "role": "assistant" } ]
def x(self, key: str, value: Any) ->None: self.global_context[key] = value
global_add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key: str, value: Any) ->None:\n self.global_context[key] = value\n", "role": "user" }, { "content": "global_add", "role": "assistant" } ]
def x(self, evaluation_context: 'EvaluationContext') ->None: self.global_context.merge(evaluation_context.global_context) self.local_context.merge(evaluation_context.local_context)
merge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, evaluation_context: 'EvaluationContext') ->None:\n self.global_context.merge(evaluation_context.global_context)\n self.local_context.merge(evaluation_context.local_context)\n", "role": "user" }, { "content": "merge", "role": "assistant" } ]
def x(self, evaluation_context: EvaluationContext) ->Any: try: if self.type == ExpressionType.EVAL: return eval(self.code_object, evaluation_context.global_context, evaluation_context.local_context) elif self.type == ExpressionType.EXEC: return exec(self.code_object, evaluation_context.global_context, evaluation_context.local_context) except Exception as err: logging.debug('{} in evaluating expression {}. Error: {}'.format( type(err).__name__, self.code_string, err)) if isinstance(err, (NameError, MissingAttributeError, ImportError)): raise err return None
evaluate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, evaluation_context: EvaluationContext) ->Any:\n try:\n if self.type == ExpressionType.EVAL:\n return eval(self.code_object, evaluation_context.global_context,\n evaluation_context.local_context)\n elif self.type == ExpressionType.EXEC:\n return exec(self.code_object, evaluation_context.global_context,\n evaluation_context.local_context)\n except Exception as err:\n logging.debug('{} in evaluating expression {}. Error: {}'.format(\n type(err).__name__, self.code_string, err))\n if isinstance(err, (NameError, MissingAttributeError, ImportError)):\n raise err\n return None\n", "role": "user" }, { "content": "evaluate", "role": "assistant" } ]
def x(source, target): source_files = listdir(source) if not exists(target): makedirs(target) for filename in source_files: full_filename = join(source, filename) if isfile(full_filename): shutil.copy(full_filename, target)
copy_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, target):\n source_files = listdir(source)\n if not exists(target):\n makedirs(target)\n for filename in source_files:\n full_filename = join(source, filename)\n if isfile(full_filename):\n shutil.copy(full_filename, target)\n", "role": "user" }, { "content": "copy_files", "role": "assistant" } ]
def x(self): if self.executable is None or not isfile(self.executable): raise FileNotFoundError('Could not find MAGICC{} executable: {}'. format(self.version, self.executable)) if self.is_temp: assert self.root_dir is None, 'A temp copy for this instance has already been created' self.root_dir = mkdtemp(prefix='pymagicc-') if exists(self.run_dir): raise Exception('A copy of MAGICC has already been created.') if not exists(self.root_dir): makedirs(self.root_dir) exec_dir = basename(self.original_dir) dirs_to_copy = ['.', 'bin', 'run'] assert exec_dir in dirs_to_copy, 'binary must be in bin/ or run/ directory' for d in dirs_to_copy: source_dir = abspath(join(self.original_dir, '..', d)) if exists(source_dir): _copy_files(source_dir, join(self.root_dir, d)) makedirs(join(self.root_dir, 'out')) self.set_years() self.set_config()
create_copy
[ { "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.executable is None or not isfile(self.executable):\n raise FileNotFoundError('Could not find MAGICC{} executable: {}'.\n format(self.version, self.executable))\n if self.is_temp:\n assert self.root_dir is None, 'A temp copy for this instance has already been created'\n self.root_dir = mkdtemp(prefix='pymagicc-')\n if exists(self.run_dir):\n raise Exception('A copy of MAGICC has already been created.')\n if not exists(self.root_dir):\n makedirs(self.root_dir)\n exec_dir = basename(self.original_dir)\n dirs_to_copy = ['.', 'bin', 'run']\n assert exec_dir in dirs_to_copy, 'binary must be in bin/ or run/ directory'\n for d in dirs_to_copy:\n source_dir = abspath(join(self.original_dir, '..', d))\n if exists(source_dir):\n _copy_files(source_dir, join(self.root_dir, d))\n makedirs(join(self.root_dir, 'out'))\n self.set_years()\n self.set_config()\n", "role": "user" }, { "content": "create_copy", "role": "assistant" } ]
def x(self, scenario=None, only=None, **kwargs): if not exists(self.root_dir): raise FileNotFoundError(self.root_dir) if self.executable is None: raise ValueError( 'MAGICC executable not found, try setting an environment variable `MAGICC_EXECUTABLE_{}=/path/to/binary`' .format(self.version)) if scenario is not None: kwargs = self.set_emission_scenario_setup(scenario, kwargs) yr_config = {} if 'startyear' in kwargs: yr_config['startyear'] = kwargs.pop('startyear') if 'endyear' in kwargs: yr_config['endyear'] = kwargs.pop('endyear') if yr_config: self.set_years(**yr_config) kwargs.setdefault('rundate', get_date_time_string()) self.update_config(**kwargs) self.check_config() exec_dir = basename(self.original_dir) command = [join(self.root_dir, exec_dir, self.binary_name)] if not IS_WINDOWS and self.binary_name.endswith('.exe'): command.insert(0, 'wine') subprocess.check_call(command, cwd=self.run_dir, shell=IS_WINDOWS) outfiles = self._get_output_filenames() read_cols = {'climate_model': ['MAGICC{}'.format(self.version)]} if scenario is not None: read_cols['model'] = scenario['model'].unique().tolist() read_cols['scenario'] = scenario['scenario'].unique().tolist() else: read_cols.setdefault('model', ['unspecified']) read_cols.setdefault('scenario', ['unspecified']) mdata = None for filepath in outfiles: try: openscm_var = _get_openscm_var_from_filepath(filepath) if only is None or openscm_var in only: tempdata = MAGICCData(join(self.out_dir, filepath), columns =deepcopy(read_cols)) mdata = mdata.append(tempdata ) if mdata is not None else tempdata except (NoReaderWriterError, InvalidTemporalResError): continue if mdata is None: error_msg = 'No output found for only={}'.format(only) raise ValueError(error_msg) try: run_paras = self.read_parameters() self.config = run_paras mdata.metadata['parameters'] = run_paras except FileNotFoundError: pass return mdata
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, scenario=None, only=None, **kwargs):\n if not exists(self.root_dir):\n raise FileNotFoundError(self.root_dir)\n if self.executable is None:\n raise ValueError(\n 'MAGICC executable not found, try setting an environment variable `MAGICC_EXECUTABLE_{}=/path/to/binary`'\n .format(self.version))\n if scenario is not None:\n kwargs = self.set_emission_scenario_setup(scenario, kwargs)\n yr_config = {}\n if 'startyear' in kwargs:\n yr_config['startyear'] = kwargs.pop('startyear')\n if 'endyear' in kwargs:\n yr_config['endyear'] = kwargs.pop('endyear')\n if yr_config:\n self.set_years(**yr_config)\n kwargs.setdefault('rundate', get_date_time_string())\n self.update_config(**kwargs)\n self.check_config()\n exec_dir = basename(self.original_dir)\n command = [join(self.root_dir, exec_dir, self.binary_name)]\n if not IS_WINDOWS and self.binary_name.endswith('.exe'):\n command.insert(0, 'wine')\n subprocess.check_call(command, cwd=self.run_dir, shell=IS_WINDOWS)\n outfiles = self._get_output_filenames()\n read_cols = {'climate_model': ['MAGICC{}'.format(self.version)]}\n if scenario is not None:\n read_cols['model'] = scenario['model'].unique().tolist()\n read_cols['scenario'] = scenario['scenario'].unique().tolist()\n else:\n read_cols.setdefault('model', ['unspecified'])\n read_cols.setdefault('scenario', ['unspecified'])\n mdata = None\n for filepath in outfiles:\n try:\n openscm_var = _get_openscm_var_from_filepath(filepath)\n if only is None or openscm_var in only:\n tempdata = MAGICCData(join(self.out_dir, filepath), columns\n =deepcopy(read_cols))\n mdata = mdata.append(tempdata\n ) if mdata is not None else tempdata\n except (NoReaderWriterError, InvalidTemporalResError):\n continue\n if mdata is None:\n error_msg = 'No output found for only={}'.format(only)\n raise ValueError(error_msg)\n try:\n run_paras = self.read_parameters()\n self.config = run_paras\n mdata.metadata['parameters'] = run_paras\n except FileNotFoundError:\n pass\n return mdata\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self): cfg_error_msg = ( 'PYMAGICC is not the only tuning model that will be used by `MAGCFG_USER.CFG`: your run is likely to fail/do odd things' ) emisscen_error_msg = ( "You have more than one `FILE_EMISSCEN_X` flag set. Using more than one emissions scenario is hard to debug and unnecessary with Pymagicc's dataframe scenario input. Please combine all your scenarios into one dataframe with Pymagicc and pandas, then feed this single Dataframe into Pymagicc's run API." ) nml_to_check = 'nml_allcfgs' usr_cfg = read_cfg_file(join(self.run_dir, 'MAGCFG_USER.CFG')) for k in usr_cfg[nml_to_check]: if k.startswith('file_tuningmodel'): first_tuningmodel = k in ['file_tuningmodel', 'file_tuningmodel_1'] if first_tuningmodel: if usr_cfg[nml_to_check][k] != 'PYMAGICC': raise ValueError(cfg_error_msg) elif usr_cfg[nml_to_check][k] not in ['USER', '']: raise ValueError(cfg_error_msg) elif k.startswith('file_emisscen_'): if usr_cfg[nml_to_check][k] not in ['NONE', '']: raise ValueError(emisscen_error_msg)
check_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cfg_error_msg = (\n 'PYMAGICC is not the only tuning model that will be used by `MAGCFG_USER.CFG`: your run is likely to fail/do odd things'\n )\n emisscen_error_msg = (\n \"You have more than one `FILE_EMISSCEN_X` flag set. Using more than one emissions scenario is hard to debug and unnecessary with Pymagicc's dataframe scenario input. Please combine all your scenarios into one dataframe with Pymagicc and pandas, then feed this single Dataframe into Pymagicc's run API.\"\n )\n nml_to_check = 'nml_allcfgs'\n usr_cfg = read_cfg_file(join(self.run_dir, 'MAGCFG_USER.CFG'))\n for k in usr_cfg[nml_to_check]:\n if k.startswith('file_tuningmodel'):\n first_tuningmodel = k in ['file_tuningmodel', 'file_tuningmodel_1']\n if first_tuningmodel:\n if usr_cfg[nml_to_check][k] != 'PYMAGICC':\n raise ValueError(cfg_error_msg)\n elif usr_cfg[nml_to_check][k] not in ['USER', '']:\n raise ValueError(cfg_error_msg)\n elif k.startswith('file_emisscen_'):\n if usr_cfg[nml_to_check][k] not in ['NONE', '']:\n raise ValueError(emisscen_error_msg)\n", "role": "user" }, { "content": "check_config", "role": "assistant" } ]
def x(self, mdata, name): mdata.write(join(self.run_dir, name), self.version)
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mdata, name):\n mdata.write(join(self.run_dir, name), self.version)\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self): param_fname = join(self.out_dir, 'PARAMETERS.OUT') if not exists(param_fname): raise FileNotFoundError('No PARAMETERS.OUT found') with open(param_fname) as nml_file: parameters = dict(f90nml.read(nml_file)) for group in ['nml_years', 'nml_allcfgs', 'nml_outputcfgs']: parameters[group] = dict(parameters[group]) for k, v in parameters[group].items(): parameters[group][k] = _clean_value(v) parameters[group.replace('nml_', '')] = parameters.pop(group) self.config = parameters return parameters
read_parameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n param_fname = join(self.out_dir, 'PARAMETERS.OUT')\n if not exists(param_fname):\n raise FileNotFoundError('No PARAMETERS.OUT found')\n with open(param_fname) as nml_file:\n parameters = dict(f90nml.read(nml_file))\n for group in ['nml_years', 'nml_allcfgs', 'nml_outputcfgs']:\n parameters[group] = dict(parameters[group])\n for k, v in parameters[group].items():\n parameters[group][k] = _clean_value(v)\n parameters[group.replace('nml_', '')] = parameters.pop(group)\n self.config = parameters\n return parameters\n", "role": "user" }, { "content": "read_parameters", "role": "assistant" } ]
def x(self): if self.is_temp and self.root_dir is not None: shutil.rmtree(self.root_dir) self.root_dir = None
remove_temp_copy
[ { "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.is_temp and self.root_dir is not None:\n shutil.rmtree(self.root_dir)\n self.root_dir = None\n", "role": "user" }, { "content": "remove_temp_copy", "role": "assistant" } ]
def x(self, filename='MAGTUNE_PYMAGICC.CFG', top_level_key='nml_allcfgs', **kwargs): kwargs = self._format_config(kwargs) fname = join(self.run_dir, filename) conf = {top_level_key: kwargs} f90nml.write(conf, fname, force=True) return conf
set_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename='MAGTUNE_PYMAGICC.CFG', top_level_key='nml_allcfgs',\n **kwargs):\n kwargs = self._format_config(kwargs)\n fname = join(self.run_dir, filename)\n conf = {top_level_key: kwargs}\n f90nml.write(conf, fname, force=True)\n return conf\n", "role": "user" }, { "content": "set_config", "role": "assistant" } ]
def x(self, filename='MAGTUNE_PYMAGICC.CFG', top_level_key='nml_allcfgs', **kwargs): kwargs = self._format_config(kwargs) fname = join(self.run_dir, filename) if exists(fname): conf = f90nml.read(fname) else: conf = {top_level_key: {}} conf[top_level_key].update(kwargs) f90nml.write(conf, fname, force=True) return conf
update_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename='MAGTUNE_PYMAGICC.CFG', top_level_key='nml_allcfgs',\n **kwargs):\n kwargs = self._format_config(kwargs)\n fname = join(self.run_dir, filename)\n if exists(fname):\n conf = f90nml.read(fname)\n else:\n conf = {top_level_key: {}}\n conf[top_level_key].update(kwargs)\n f90nml.write(conf, fname, force=True)\n return conf\n", "role": "user" }, { "content": "update_config", "role": "assistant" } ]
def x(self): zero_emissions.write(join(self.run_dir, self._scen_file_name), self.version ) time = zero_emissions.filter(variable='Emissions|CH4', region='World')[ 'time'].values no_timesteps = len(time) ch4_conc_pi = 722 ch4_conc = ch4_conc_pi * np.ones(no_timesteps) ch4_conc_df = pd.DataFrame({'time': time, 'scenario': 'idealised', 'model': 'unspecified', 'climate_model': 'unspecified', 'variable': 'Atmospheric Concentrations|CH4', 'unit': 'ppb', 'todo': 'SET', 'region': 'World', 'value': ch4_conc}) ch4_conc_writer = MAGICCData(ch4_conc_df) ch4_conc_filename = 'HIST_CONSTANT_CH4_CONC.IN' ch4_conc_writer.metadata = {'header': 'Constant pre-industrial CH4 concentrations'} ch4_conc_writer.write(join(self.run_dir, ch4_conc_filename), self.version) fgas_conc_pi = 0 fgas_conc = fgas_conc_pi * np.ones(no_timesteps) varname = 'FGAS_CONC' fgas_conc_df = pd.DataFrame({'time': time, 'scenario': 'idealised', 'model': 'unspecified', 'climate_model': 'unspecified', 'variable': varname, 'unit': 'ppt', 'todo': 'SET', 'region': 'World', 'value': fgas_conc}) fgas_conc_writer = MAGICCData(fgas_conc_df) fgas_conc_filename = 'HIST_ZERO_{}.IN'.format(varname) fgas_conc_writer.metadata = {'header': 'Zero concentrations'} fgas_conc_writer.write(join(self.run_dir, fgas_conc_filename), self.version ) emis_config = self._fix_any_backwards_emissions_scen_key_in_config({ 'file_emissionscenario': self._scen_file_name}) self.set_config(**emis_config, rf_initialization_method= 'ZEROSTARTSHIFT', rf_total_constantafteryr=10000, file_co2i_emis='', file_co2b_emis='', co2_switchfromconc2emis_year=1750, file_ch4i_emis='', file_ch4b_emis='', file_ch4n_emis='', file_ch4_conc=ch4_conc_filename, ch4_switchfromconc2emis_year=10000, file_n2oi_emis='', file_n2ob_emis='', file_n2on_emis='', file_n2o_conc='', n2o_switchfromconc2emis_year=1750, file_noxi_emis ='', file_noxb_emis='', file_noxi_ot='', file_noxb_ot='', file_noxt_rf='', file_soxnb_ot='', file_soxi_ot='', file_soxt_rf='', file_soxi_emis='', file_soxb_emis='', file_soxn_emis='', file_oci_emis='', file_ocb_emis='', file_oci_ot='', file_ocb_ot='', file_oci_rf='', file_ocb_rf='', file_bci_emis='', file_bcb_emis='', file_bci_ot='', file_bcb_ot='', file_bci_rf='', file_bcb_rf='', bcoc_switchfromrf2emis_year=1750, file_nh3i_emis='', file_nh3b_emis ='', file_nmvoci_emis='', file_nmvocb_emis='', file_coi_emis='', file_cob_emis='', file_mineraldust_rf='', file_landuse_rf='', file_bcsnow_rf='', file_fgas_conc=[fgas_conc_filename] * 12, fgas_switchfromconc2emis_year=10000, rf_mhalosum_scale=0, mhalo_switch_conc2emis_yr=1750, stratoz_o3scale=0, rf_volcanic_scale=0, rf_solar_scale=0)
set_zero_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n zero_emissions.write(join(self.run_dir, self._scen_file_name), self.version\n )\n time = zero_emissions.filter(variable='Emissions|CH4', region='World')[\n 'time'].values\n no_timesteps = len(time)\n ch4_conc_pi = 722\n ch4_conc = ch4_conc_pi * np.ones(no_timesteps)\n ch4_conc_df = pd.DataFrame({'time': time, 'scenario': 'idealised',\n 'model': 'unspecified', 'climate_model': 'unspecified', 'variable':\n 'Atmospheric Concentrations|CH4', 'unit': 'ppb', 'todo': 'SET',\n 'region': 'World', 'value': ch4_conc})\n ch4_conc_writer = MAGICCData(ch4_conc_df)\n ch4_conc_filename = 'HIST_CONSTANT_CH4_CONC.IN'\n ch4_conc_writer.metadata = {'header':\n 'Constant pre-industrial CH4 concentrations'}\n ch4_conc_writer.write(join(self.run_dir, ch4_conc_filename), self.version)\n fgas_conc_pi = 0\n fgas_conc = fgas_conc_pi * np.ones(no_timesteps)\n varname = 'FGAS_CONC'\n fgas_conc_df = pd.DataFrame({'time': time, 'scenario': 'idealised',\n 'model': 'unspecified', 'climate_model': 'unspecified', 'variable':\n varname, 'unit': 'ppt', 'todo': 'SET', 'region': 'World', 'value':\n fgas_conc})\n fgas_conc_writer = MAGICCData(fgas_conc_df)\n fgas_conc_filename = 'HIST_ZERO_{}.IN'.format(varname)\n fgas_conc_writer.metadata = {'header': 'Zero concentrations'}\n fgas_conc_writer.write(join(self.run_dir, fgas_conc_filename), self.version\n )\n emis_config = self._fix_any_backwards_emissions_scen_key_in_config({\n 'file_emissionscenario': self._scen_file_name})\n self.set_config(**emis_config, rf_initialization_method=\n 'ZEROSTARTSHIFT', rf_total_constantafteryr=10000, file_co2i_emis='',\n file_co2b_emis='', co2_switchfromconc2emis_year=1750,\n file_ch4i_emis='', file_ch4b_emis='', file_ch4n_emis='',\n file_ch4_conc=ch4_conc_filename, ch4_switchfromconc2emis_year=10000,\n file_n2oi_emis='', file_n2ob_emis='', file_n2on_emis='',\n file_n2o_conc='', n2o_switchfromconc2emis_year=1750, file_noxi_emis\n ='', file_noxb_emis='', file_noxi_ot='', file_noxb_ot='',\n file_noxt_rf='', file_soxnb_ot='', file_soxi_ot='', file_soxt_rf='',\n file_soxi_emis='', file_soxb_emis='', file_soxn_emis='',\n file_oci_emis='', file_ocb_emis='', file_oci_ot='', file_ocb_ot='',\n file_oci_rf='', file_ocb_rf='', file_bci_emis='', file_bcb_emis='',\n file_bci_ot='', file_bcb_ot='', file_bci_rf='', file_bcb_rf='',\n bcoc_switchfromrf2emis_year=1750, file_nh3i_emis='', file_nh3b_emis\n ='', file_nmvoci_emis='', file_nmvocb_emis='', file_coi_emis='',\n file_cob_emis='', file_mineraldust_rf='', file_landuse_rf='',\n file_bcsnow_rf='', file_fgas_conc=[fgas_conc_filename] * 12,\n fgas_switchfromconc2emis_year=10000, rf_mhalosum_scale=0,\n mhalo_switch_conc2emis_yr=1750, stratoz_o3scale=0,\n rf_volcanic_scale=0, rf_solar_scale=0)\n", "role": "user" }, { "content": "set_zero_config", "role": "assistant" } ]
def x(self, startyear=1765, endyear=2100): return self.set_config('MAGCFG_NMLYEARS.CFG', 'nml_years', endyear= endyear, startyear=startyear, stepsperyear=12)
set_years
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, startyear=1765, endyear=2100):\n return self.set_config('MAGCFG_NMLYEARS.CFG', 'nml_years', endyear=\n endyear, startyear=startyear, stepsperyear=12)\n", "role": "user" }, { "content": "set_years", "role": "assistant" } ]
def x(self, write_ascii=True, write_binary=False, **kwargs): assert write_ascii or write_binary, 'write_binary and/or write_ascii must be configured' if write_binary and write_ascii: ascii_binary = 'BOTH' elif write_ascii: ascii_binary = 'ASCII' else: ascii_binary = 'BINARY' outconfig = {'out_emissions': 0, 'out_gwpemissions': 0, 'out_sum_gwpemissions': 0, 'out_concentrations': 0, 'out_carboncycle': 0, 'out_forcing': 0, 'out_surfaceforcing': 0, 'out_permafrost': 0, 'out_temperature': 0, 'out_sealevel': 0, 'out_parameters': 0, 'out_misc': 0, 'out_timeseriesmix': 0, 'out_rcpdata': 0, 'out_summaryidx': 0, 'out_inverseemis': 0, 'out_tempoceanlayers': 0, 'out_heatuptake': 0, 'out_ascii_binary': ascii_binary, 'out_warnings': 0, 'out_precipinput': 0, 'out_aogcmtuning': 0, 'out_ccycletuning': 0, 'out_observationaltuning': 0, 'out_keydata_1': 0, 'out_keydata_2': 0} if self.version == 7: outconfig['out_oceanarea'] = 0 outconfig['out_lifetimes'] = 0 for kw in kwargs: val = 1 if kwargs[kw] else 0 outconfig['out_' + kw.lower()] = val self.update_config(**outconfig)
set_output_variables
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, write_ascii=True, write_binary=False, **kwargs):\n assert write_ascii or write_binary, 'write_binary and/or write_ascii must be configured'\n if write_binary and write_ascii:\n ascii_binary = 'BOTH'\n elif write_ascii:\n ascii_binary = 'ASCII'\n else:\n ascii_binary = 'BINARY'\n outconfig = {'out_emissions': 0, 'out_gwpemissions': 0,\n 'out_sum_gwpemissions': 0, 'out_concentrations': 0,\n 'out_carboncycle': 0, 'out_forcing': 0, 'out_surfaceforcing': 0,\n 'out_permafrost': 0, 'out_temperature': 0, 'out_sealevel': 0,\n 'out_parameters': 0, 'out_misc': 0, 'out_timeseriesmix': 0,\n 'out_rcpdata': 0, 'out_summaryidx': 0, 'out_inverseemis': 0,\n 'out_tempoceanlayers': 0, 'out_heatuptake': 0, 'out_ascii_binary':\n ascii_binary, 'out_warnings': 0, 'out_precipinput': 0,\n 'out_aogcmtuning': 0, 'out_ccycletuning': 0,\n 'out_observationaltuning': 0, 'out_keydata_1': 0, 'out_keydata_2': 0}\n if self.version == 7:\n outconfig['out_oceanarea'] = 0\n outconfig['out_lifetimes'] = 0\n for kw in kwargs:\n val = 1 if kwargs[kw] else 0\n outconfig['out_' + kw.lower()] = val\n self.update_config(**outconfig)\n", "role": "user" }, { "content": "set_output_variables", "role": "assistant" } ]
def x(self, **kwargs): if self.version == 7: raise NotImplementedError('MAGICC7 cannot yet diagnose ECS and TCR') self._diagnose_tcr_ecs_config_setup(**kwargs) timeseries = self.run(scenario=None, only=[ 'Atmospheric Concentrations|CO2', 'Radiative Forcing', 'Surface Temperature']) tcr, ecs = self._get_tcr_ecs_from_diagnosis_results(timeseries) return {'tcr': tcr, 'ecs': ecs, 'timeseries': timeseries}
diagnose_tcr_ecs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n if self.version == 7:\n raise NotImplementedError('MAGICC7 cannot yet diagnose ECS and TCR')\n self._diagnose_tcr_ecs_config_setup(**kwargs)\n timeseries = self.run(scenario=None, only=[\n 'Atmospheric Concentrations|CO2', 'Radiative Forcing',\n 'Surface Temperature'])\n tcr, ecs = self._get_tcr_ecs_from_diagnosis_results(timeseries)\n return {'tcr': tcr, 'ecs': ecs, 'timeseries': timeseries}\n", "role": "user" }, { "content": "diagnose_tcr_ecs", "role": "assistant" } ]
def x(self, scenario, config_dict): self.write(scenario, self._scen_file_name) config_dict['file_emissionscenario'] = self._scen_file_name config_dict = self._fix_any_backwards_emissions_scen_key_in_config( config_dict) return config_dict
set_emission_scenario_setup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, scenario, config_dict):\n self.write(scenario, self._scen_file_name)\n config_dict['file_emissionscenario'] = self._scen_file_name\n config_dict = self._fix_any_backwards_emissions_scen_key_in_config(\n config_dict)\n return config_dict\n", "role": "user" }, { "content": "set_emission_scenario_setup", "role": "assistant" } ]
def x(value: Union[str, 'Type']) ->bool: if isinstance(value, str): return any(value.lower() == i.value for i in Type) return any(value == i for i in Type)
contains
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value: Union[str, 'Type']) ->bool:\n if isinstance(value, str):\n return any(value.lower() == i.value for i in Type)\n return any(value == i for i in Type)\n", "role": "user" }, { "content": "contains", "role": "assistant" } ]
def x(filename, **replacements): keywords = set(replacements.keys()) templatename = f'{filename}.xmlt' targetname = f'{filename}.xml' print(f'template file: {templatename}') print(f'target file: {targetname}') print('replacements:') with open(templatename) as templatefile: templatebody = templatefile.read() parts = templatebody.replace('<!--|', '|-->').split('|-->') defaults = {} for idx, part in enumerate(parts): if idx % 2: subparts = part.partition('=') if subparts[2]: parts[idx] = subparts[0] if subparts[0] not in replacements: if subparts[0] in defaults and defaults[subparts[0] ] != str(subparts[2]): raise RuntimeError( f'Template file `{templatename}` defines different default values for marker `{subparts[0]}`.' ) defaults[subparts[0]] = str(subparts[2]) markers = parts[1::2] try: unused_keywords = keywords.copy() for idx, part in enumerate(parts): if idx % 2: argument_info = 'given argument' newpart = replacements.get(part) if newpart is None: argument_info = 'default argument' newpart = defaults.get(part) if newpart is None: raise RuntimeError(f'Marker `{part}` cannot be replaced.') print(f' {part} --> {newpart} ({argument_info})') parts[idx] = str(newpart) unused_keywords.discard(part) targetbody = ''.join(parts) if unused_keywords: raise RuntimeError( f'Keyword(s) `{objecttools.enumeration(unused_keywords)}` cannot be used.' ) with open(targetname, 'w') as targetfile: targetfile.write(targetbody) except BaseException: objecttools.augment_excmessage( f'While trying to replace the markers `{objecttools.enumeration(sorted(set(markers)))}` of the XML template file `{templatename}` with the available keywords `{objecttools.enumeration(sorted(keywords))}`' )
xml_replace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, **replacements):\n keywords = set(replacements.keys())\n templatename = f'{filename}.xmlt'\n targetname = f'{filename}.xml'\n print(f'template file: {templatename}')\n print(f'target file: {targetname}')\n print('replacements:')\n with open(templatename) as templatefile:\n templatebody = templatefile.read()\n parts = templatebody.replace('<!--|', '|-->').split('|-->')\n defaults = {}\n for idx, part in enumerate(parts):\n if idx % 2:\n subparts = part.partition('=')\n if subparts[2]:\n parts[idx] = subparts[0]\n if subparts[0] not in replacements:\n if subparts[0] in defaults and defaults[subparts[0]\n ] != str(subparts[2]):\n raise RuntimeError(\n f'Template file `{templatename}` defines different default values for marker `{subparts[0]}`.'\n )\n defaults[subparts[0]] = str(subparts[2])\n markers = parts[1::2]\n try:\n unused_keywords = keywords.copy()\n for idx, part in enumerate(parts):\n if idx % 2:\n argument_info = 'given argument'\n newpart = replacements.get(part)\n if newpart is None:\n argument_info = 'default argument'\n newpart = defaults.get(part)\n if newpart is None:\n raise RuntimeError(f'Marker `{part}` cannot be replaced.')\n print(f' {part} --> {newpart} ({argument_info})')\n parts[idx] = str(newpart)\n unused_keywords.discard(part)\n targetbody = ''.join(parts)\n if unused_keywords:\n raise RuntimeError(\n f'Keyword(s) `{objecttools.enumeration(unused_keywords)}` cannot be used.'\n )\n with open(targetname, 'w') as targetfile:\n targetfile.write(targetbody)\n except BaseException:\n objecttools.augment_excmessage(\n f'While trying to replace the markers `{objecttools.enumeration(sorted(set(markers)))}` of the XML template file `{templatename}` with the available keywords `{objecttools.enumeration(sorted(keywords))}`'\n )\n", "role": "user" }, { "content": "xml_replace", "role": "assistant" } ]
def x(func): timegrids = hydpy.pub.get('timegrids') if timegrids is None: raise RuntimeError( 'An Indexer object has been asked for an %s array. Such an array has neither been determined yet nor can it be determined automatically at the moment. Either define an %s array manually and pass it to the Indexer object, or make a proper Timegrids object available within the pub module. In usual HydPy applications, the latter is done automatically.' % (func.__name__, func.__name__)) idxs = numpy.empty(len(timegrids.init), dtype=int) for jdx, date in enumerate(hydpy.pub.timegrids.init): idxs[jdx] = func(date) return idxs
calcidxs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n timegrids = hydpy.pub.get('timegrids')\n if timegrids is None:\n raise RuntimeError(\n 'An Indexer object has been asked for an %s array. Such an array has neither been determined yet nor can it be determined automatically at the moment. Either define an %s array manually and pass it to the Indexer object, or make a proper Timegrids object available within the pub module. In usual HydPy applications, the latter is done automatically.'\n % (func.__name__, func.__name__))\n idxs = numpy.empty(len(timegrids.init), dtype=int)\n for jdx, date in enumerate(hydpy.pub.timegrids.init):\n idxs[jdx] = func(date)\n return idxs\n", "role": "user" }, { "content": "calcidxs", "role": "assistant" } ]
def x(self): def x(date): return date.dayofyear - 1 + (date.month > 2 and not date.leapyear) return _dayofyear
dayofyear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n def x(date):\n return date.dayofyear - 1 + (date.month > 2 and not date.leapyear)\n return _dayofyear\n", "role": "user" }, { "content": "dayofyear", "role": "assistant" } ]
def x(self): refgrid = timetools.Timegrid(timetools.Date('2000.01.01'), timetools. Date('2001.01.01'), hydpy.pub.timegrids.stepsize) def x(date): date = copy.deepcopy(date) date.year = 2000 return refgrid[date] return _timeofyear
timeofyear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n refgrid = timetools.Timegrid(timetools.Date('2000.01.01'), timetools.\n Date('2001.01.01'), hydpy.pub.timegrids.stepsize)\n\n def x(date):\n date = copy.deepcopy(date)\n date.year = 2000\n return refgrid[date]\n return _timeofyear\n", "role": "user" }, { "content": "timeofyear", "role": "assistant" } ]
def x(self, doc: str): self.__doc__ = doc if hasattr(self, 'module'): ref = f'{self.objtype.__name__}.{self.name}' self.module.__dict__['__test__'][ref] = doc
set_doc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, doc: str):\n self.__doc__ = doc\n if hasattr(self, 'module'):\n ref = f'{self.objtype.__name__}.{self.name}'\n self.module.__dict__['__test__'][ref] = doc\n", "role": "user" }, { "content": "set_doc", "role": "assistant" } ]
def x(self, fget) ->'BaseProperty': self.fget = fget self.set_doc(fget.__doc__) return self
getter_
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fget) ->'BaseProperty':\n self.fget = fget\n self.set_doc(fget.__doc__)\n return self\n", "role": "user" }, { "content": "getter_", "role": "assistant" } ]
def x(self, obj) ->bool: return vars(obj).get(self.name, False)
isready
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj) ->bool:\n return vars(obj).get(self.name, False)\n", "role": "user" }, { "content": "isready", "role": "assistant" } ]
def x(self, obj) ->bool: for prop in self.__properties: if not prop.isready(obj): return False return True
allready
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj) ->bool:\n for prop in self.__properties:\n if not prop.isready(obj):\n return False\n return True\n", "role": "user" }, { "content": "allready", "role": "assistant" } ]
def x(self, obj) ->Any: custom = vars(obj).get(self.name) if custom is None: return self.fget(obj) return custom
call_fget
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj) ->Any:\n custom = vars(obj).get(self.name)\n if custom is None:\n return self.fget(obj)\n return custom\n", "role": "user" }, { "content": "call_fget", "role": "assistant" } ]
def x(self, obj, value) ->None: vars(obj)[self.name] = self.fset(obj, value)
call_fset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, value) ->None:\n vars(obj)[self.name] = self.fset(obj, value)\n", "role": "user" }, { "content": "call_fset", "role": "assistant" } ]
def x(self, obj) ->None: self.fdel(obj) try: del vars(obj)[self.name] except KeyError: pass
call_fdel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj) ->None:\n self.fdel(obj)\n try:\n del vars(obj)[self.name]\n except KeyError:\n pass\n", "role": "user" }, { "content": "call_fdel", "role": "assistant" } ]
def x(self, lower=None, upper=None): if lower is None: lower = getattr(self.subpars.relwb, 'value', None) lland_parameters.ParameterSoil.trim(self, lower, upper)
trim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lower=None, upper=None):\n if lower is None:\n lower = getattr(self.subpars.relwb, 'value', None)\n lland_parameters.ParameterSoil.trim(self, lower, upper)\n", "role": "user" }, { "content": "trim", "role": "assistant" } ]
def x(self, lower=None, upper=None): if upper is None: upper = getattr(self.subpars.relwz, 'value', None) lland_parameters.ParameterSoil.trim(self, lower, upper)
trim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lower=None, upper=None):\n if upper is None:\n upper = getattr(self.subpars.relwz, 'value', None)\n lland_parameters.ParameterSoil.trim(self, lower, upper)\n", "role": "user" }, { "content": "trim", "role": "assistant" } ]
def x(self, lower=None, upper=None): if lower is None: lower = getattr(self.subpars.eqi1, 'value', None) super().trim(lower, upper)
trim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lower=None, upper=None):\n if lower is None:\n lower = getattr(self.subpars.eqi1, 'value', None)\n super().trim(lower, upper)\n", "role": "user" }, { "content": "trim", "role": "assistant" } ]
def x(self, lower=None, upper=None): if lower is None: lower = getattr(self.subpars.eqi2, 'value', None) if upper is None: upper = getattr(self.subpars.eqb, 'value', None) super().trim(lower, upper)
trim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lower=None, upper=None):\n if lower is None:\n lower = getattr(self.subpars.eqi2, 'value', None)\n if upper is None:\n upper = getattr(self.subpars.eqb, 'value', None)\n super().trim(lower, upper)\n", "role": "user" }, { "content": "trim", "role": "assistant" } ]
def x(): hours = list(range(0, 24)) times = [] for h in hours: hour = str(h).zfill(2) times.append(hour + ':00') times.append(hour + ':30') return list(zip(times, times))
time_choices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n hours = list(range(0, 24))\n times = []\n for h in hours:\n hour = str(h).zfill(2)\n times.append(hour + ':00')\n times.append(hour + ':30')\n return list(zip(times, times))\n", "role": "user" }, { "content": "time_choices", "role": "assistant" } ]
def x(specification, module): caption = _all_spec2capt.get(specification, 'dummy') if caption.split()[-1] in ('parameters', 'sequences', 'Masks'): exists_collectionclass = True name_collectionclass = caption.title().replace(' ', '') else: exists_collectionclass = False lines = [] if specification == 'model': lines += [f'', f'.. autoclass:: {module.__name__}.Model', f' :members:', f' :show-inheritance:', f" :exclude-members: {', '.join(EXCLUDE_MEMBERS)}"] elif exists_collectionclass: lines += [f'', f'.. autoclass:: {module.__name__}.{name_collectionclass}', f' :members:', f' :show-inheritance:', f" :exclude-members: {', '.join(EXCLUDE_MEMBERS)}"] lines += ['', '.. automodule:: ' + module.__name__, ' :members:', ' :show-inheritance:'] if specification == 'model': lines += [' :exclude-members: Model'] elif exists_collectionclass: lines += [' :exclude-members: ' + name_collectionclass] return lines
add_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(specification, module):\n caption = _all_spec2capt.get(specification, 'dummy')\n if caption.split()[-1] in ('parameters', 'sequences', 'Masks'):\n exists_collectionclass = True\n name_collectionclass = caption.title().replace(' ', '')\n else:\n exists_collectionclass = False\n lines = []\n if specification == 'model':\n lines += [f'', f'.. autoclass:: {module.__name__}.Model',\n f' :members:', f' :show-inheritance:',\n f\" :exclude-members: {', '.join(EXCLUDE_MEMBERS)}\"]\n elif exists_collectionclass:\n lines += [f'',\n f'.. autoclass:: {module.__name__}.{name_collectionclass}',\n f' :members:', f' :show-inheritance:',\n f\" :exclude-members: {', '.join(EXCLUDE_MEMBERS)}\"]\n lines += ['', '.. automodule:: ' + module.__name__, ' :members:',\n ' :show-inheritance:']\n if specification == 'model':\n lines += [' :exclude-members: Model']\n elif exists_collectionclass:\n lines += [' :exclude-members: ' + name_collectionclass]\n return lines\n", "role": "user" }, { "content": "add_lines", "role": "assistant" } ]
def x(module): autodoc_tuple2doc(module) namespace = module.__dict__ doc = namespace.get('__doc__') if doc is None: doc = '' basemodulename = namespace['__name__'].split('.')[-1] modules = {key: value for key, value in namespace.items() if isinstance (value, types.ModuleType) and key.startswith(basemodulename + '_')} substituter = Substituter(hydpy.substituter) lines = [] specification = 'model' modulename = basemodulename + '_' + specification if modulename in modules: module = modules[modulename] lines += _add_title('Model features', '-') lines += _add_lines(specification, module) substituter.add_module(module) for title, spec2capt in (('Parameter features', _PAR_SPEC2CAPT), ( 'Sequence features', _SEQ_SPEC2CAPT), ('Auxiliary features', _AUX_SPEC2CAPT)): found_module = False new_lines = _add_title(title, '-') for specification, caption in spec2capt.items(): modulename = basemodulename + '_' + specification module = modules.get(modulename) if module: found_module = True new_lines += _add_title(caption, '.') new_lines += _add_lines(specification, module) substituter.add_module(module) if found_module: lines += new_lines doc += '\n'.join(lines) namespace['__doc__'] = doc basemodule = importlib.import_module(namespace['__name__']) substituter.add_module(basemodule) substituter.update_masters() namespace['substituter'] = substituter
autodoc_basemodel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(module):\n autodoc_tuple2doc(module)\n namespace = module.__dict__\n doc = namespace.get('__doc__')\n if doc is None:\n doc = ''\n basemodulename = namespace['__name__'].split('.')[-1]\n modules = {key: value for key, value in namespace.items() if isinstance\n (value, types.ModuleType) and key.startswith(basemodulename + '_')}\n substituter = Substituter(hydpy.substituter)\n lines = []\n specification = 'model'\n modulename = basemodulename + '_' + specification\n if modulename in modules:\n module = modules[modulename]\n lines += _add_title('Model features', '-')\n lines += _add_lines(specification, module)\n substituter.add_module(module)\n for title, spec2capt in (('Parameter features', _PAR_SPEC2CAPT), (\n 'Sequence features', _SEQ_SPEC2CAPT), ('Auxiliary features',\n _AUX_SPEC2CAPT)):\n found_module = False\n new_lines = _add_title(title, '-')\n for specification, caption in spec2capt.items():\n modulename = basemodulename + '_' + specification\n module = modules.get(modulename)\n if module:\n found_module = True\n new_lines += _add_title(caption, '.')\n new_lines += _add_lines(specification, module)\n substituter.add_module(module)\n if found_module:\n lines += new_lines\n doc += '\\n'.join(lines)\n namespace['__doc__'] = doc\n basemodule = importlib.import_module(namespace['__name__'])\n substituter.add_module(basemodule)\n substituter.update_masters()\n namespace['substituter'] = substituter\n", "role": "user" }, { "content": "autodoc_basemodel", "role": "assistant" } ]
def x(module): autodoc_tuple2doc(module) name_applicationmodel = module.__name__ name_basemodel = name_applicationmodel.split('_')[0] module_basemodel = importlib.import_module(name_basemodel) substituter = Substituter(module_basemodel.substituter) substituter.add_module(module) substituter.update_masters() module.substituter = substituter
autodoc_applicationmodel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(module):\n autodoc_tuple2doc(module)\n name_applicationmodel = module.__name__\n name_basemodel = name_applicationmodel.split('_')[0]\n module_basemodel = importlib.import_module(name_basemodel)\n substituter = Substituter(module_basemodel.substituter)\n substituter.add_module(module)\n substituter.update_masters()\n module.substituter = substituter\n", "role": "user" }, { "content": "autodoc_applicationmodel", "role": "assistant" } ]
def x(): substituter = Substituter() for module in (builtins, numpy, datetime, unittest, doctest, inspect, io, os, sys, time, collections, itertools, subprocess, scipy, typing): substituter.add_module(module) for subpackage in (auxs, core, cythons, exe): for dummy, name, dummy in pkgutil.walk_packages(subpackage.__path__): full_name = subpackage.__name__ + '.' + name substituter.add_module(importlib.import_module(full_name)) substituter.add_modules(models) for cymodule in (annutils, smoothutils, pointerutils): substituter.add_module(cymodule, cython=True) substituter._short2long['|pub|'] = ':mod:`~hydpy.pub`' substituter._short2long['|config|'] = ':mod:`~hydpy.config`' return substituter
prepare_mainsubstituter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n substituter = Substituter()\n for module in (builtins, numpy, datetime, unittest, doctest, inspect,\n io, os, sys, time, collections, itertools, subprocess, scipy, typing):\n substituter.add_module(module)\n for subpackage in (auxs, core, cythons, exe):\n for dummy, name, dummy in pkgutil.walk_packages(subpackage.__path__):\n full_name = subpackage.__name__ + '.' + name\n substituter.add_module(importlib.import_module(full_name))\n substituter.add_modules(models)\n for cymodule in (annutils, smoothutils, pointerutils):\n substituter.add_module(cymodule, cython=True)\n substituter._short2long['|pub|'] = ':mod:`~hydpy.pub`'\n substituter._short2long['|config|'] = ':mod:`~hydpy.config`'\n return substituter\n", "role": "user" }, { "content": "prepare_mainsubstituter", "role": "assistant" } ]
def x(member_tuple): member = member_tuple[1] try: return member.__code__.co_firstlineno except AttributeError: pass try: return inspect.findsource(member)[1] except BaseException: pass for value in vars(member).values(): try: return value.__code__.co_firstlineno except AttributeError: pass return 0
number_of_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(member_tuple):\n member = member_tuple[1]\n try:\n return member.__code__.co_firstlineno\n except AttributeError:\n pass\n try:\n return inspect.findsource(member)[1]\n except BaseException:\n pass\n for value in vars(member).values():\n try:\n return value.__code__.co_firstlineno\n except AttributeError:\n pass\n return 0\n", "role": "user" }, { "content": "number_of_line", "role": "assistant" } ]
def x(module): doc = getattr(module, '__doc__') if doc is None: doc = '' members = [] for name, member in inspect.getmembers(module): if not name.startswith('_') and inspect.getmodule(member) is module: members.append((name, member)) members = sorted(members, key=_number_of_line) if members: lines = [ '\n\nModule :mod:`~%s` implements the following members:\n' % module.__name__] for name, member in members: if inspect.isfunction(member): type_ = 'func' elif inspect.isclass(member): type_ = 'class' else: type_ = 'obj' lines.append(' * :%s:`~%s` %s' % (type_, name, objecttools .description(member))) doc = doc + '\n\n' + '\n'.join(lines) + '\n\n' + 80 * '_' module.__doc__ = doc
autodoc_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(module):\n doc = getattr(module, '__doc__')\n if doc is None:\n doc = ''\n members = []\n for name, member in inspect.getmembers(module):\n if not name.startswith('_') and inspect.getmodule(member) is module:\n members.append((name, member))\n members = sorted(members, key=_number_of_line)\n if members:\n lines = [\n '\\n\\nModule :mod:`~%s` implements the following members:\\n' %\n module.__name__]\n for name, member in members:\n if inspect.isfunction(member):\n type_ = 'func'\n elif inspect.isclass(member):\n type_ = 'class'\n else:\n type_ = 'obj'\n lines.append(' * :%s:`~%s` %s' % (type_, name, objecttools\n .description(member)))\n doc = doc + '\\n\\n' + '\\n'.join(lines) + '\\n\\n' + 80 * '_'\n module.__doc__ = doc\n", "role": "user" }, { "content": "autodoc_module", "role": "assistant" } ]
def x(module): modulename = module.__name__ for membername, member in inspect.getmembers(module): for tuplename, descr in _name2descr.items(): tuple_ = getattr(member, tuplename, None) if tuple_: logstring = f'{modulename}.{membername}.{tuplename}' if logstring not in _loggedtuples: _loggedtuples.add(logstring) lst = [f'\n\n\n {descr}:'] if tuplename == 'CLASSES': type_ = 'func' else: type_ = 'class' for cls in tuple_: lst.append( f' * :{type_}:`{cls.__module__}.{cls.__name__}` {objecttools.description(cls)}' ) doc = getattr(member, '__doc__') if doc is None: doc = '' member.__doc__ = doc + '\n'.join(l for l in lst)
autodoc_tuple2doc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(module):\n modulename = module.__name__\n for membername, member in inspect.getmembers(module):\n for tuplename, descr in _name2descr.items():\n tuple_ = getattr(member, tuplename, None)\n if tuple_:\n logstring = f'{modulename}.{membername}.{tuplename}'\n if logstring not in _loggedtuples:\n _loggedtuples.add(logstring)\n lst = [f'\\n\\n\\n {descr}:']\n if tuplename == 'CLASSES':\n type_ = 'func'\n else:\n type_ = 'class'\n for cls in tuple_:\n lst.append(\n f' * :{type_}:`{cls.__module__}.{cls.__name__}` {objecttools.description(cls)}'\n )\n doc = getattr(member, '__doc__')\n if doc is None:\n doc = ''\n member.__doc__ = doc + '\\n'.join(l for l in lst)\n", "role": "user" }, { "content": "autodoc_tuple2doc", "role": "assistant" } ]
def x(name_member, member, module, class_=None): if name_member.startswith('_'): return False if inspect.ismodule(member): return False real_module = getattr(member, '__module__', None) if not real_module: return True if real_module != module.__name__: if class_ and hasattr(member, '__get__'): return True if 'hydpy' in real_module: return False if module.__name__ not in real_module: return False return True
consider_member
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name_member, member, module, class_=None):\n if name_member.startswith('_'):\n return False\n if inspect.ismodule(member):\n return False\n real_module = getattr(member, '__module__', None)\n if not real_module:\n return True\n if real_module != module.__name__:\n if class_ and hasattr(member, '__get__'):\n return True\n if 'hydpy' in real_module:\n return False\n if module.__name__ not in real_module:\n return False\n return True\n", "role": "user" }, { "content": "consider_member", "role": "assistant" } ]
def x(member, cython=False): if inspect.isroutine(member) or isinstance(member, numpy.ufunc): return 'func' elif inspect.isclass(member): return 'class' elif cython: return 'func' return 'const'
get_role
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(member, cython=False):\n if inspect.isroutine(member) or isinstance(member, numpy.ufunc):\n return 'func'\n elif inspect.isclass(member):\n return 'class'\n elif cython:\n return 'func'\n return 'const'\n", "role": "user" }, { "content": "get_role", "role": "assistant" } ]
def x(self, short, medium, long, module): name = module.__name__ if 'builtin' in name: self._short2long[short] = long.split('~')[0] + long.split('.')[-1] else: if 'hydpy' in name and short not in self._blacklist: if short in self._short2long: if self._short2long[short] != long: self._blacklist.add(short) del self._short2long[short] else: self._short2long[short] = long self._medium2long[medium] = long
add_substitution
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, short, medium, long, module):\n name = module.__name__\n if 'builtin' in name:\n self._short2long[short] = long.split('~')[0] + long.split('.')[-1]\n else:\n if 'hydpy' in name and short not in self._blacklist:\n if short in self._short2long:\n if self._short2long[short] != long:\n self._blacklist.add(short)\n del self._short2long[short]\n else:\n self._short2long[short] = long\n self._medium2long[medium] = long\n", "role": "user" }, { "content": "add_substitution", "role": "assistant" } ]
def x(self, module, cython=False): name_module = module.__name__.split('.')[-1] short = '|%s|' % name_module long = ':mod:`~%s`' % module.__name__ self._short2long[short] = long for name_member, member in vars(module).items(): if self.consider_member(name_member, member, module): role = self.get_role(member, cython) short = '|%s|' % name_member medium = '|%s.%s|' % (name_module, name_member) long = ':%s:`~%s.%s`' % (role, module.__name__, name_member) self.add_substitution(short, medium, long, module) if inspect.isclass(member): for name_submember, submember in vars(member).items(): if self.consider_member(name_submember, submember, module, member): role = self.get_role(submember, cython) short = '|%s.%s|' % (name_member, name_submember) medium = '|%s.%s.%s|' % (name_module, name_member, name_submember) long = ':%s:`~%s.%s.%s`' % (role, module.__name__, name_member, name_submember) self.add_substitution(short, medium, long, module)
add_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, module, cython=False):\n name_module = module.__name__.split('.')[-1]\n short = '|%s|' % name_module\n long = ':mod:`~%s`' % module.__name__\n self._short2long[short] = long\n for name_member, member in vars(module).items():\n if self.consider_member(name_member, member, module):\n role = self.get_role(member, cython)\n short = '|%s|' % name_member\n medium = '|%s.%s|' % (name_module, name_member)\n long = ':%s:`~%s.%s`' % (role, module.__name__, name_member)\n self.add_substitution(short, medium, long, module)\n if inspect.isclass(member):\n for name_submember, submember in vars(member).items():\n if self.consider_member(name_submember, submember,\n module, member):\n role = self.get_role(submember, cython)\n short = '|%s.%s|' % (name_member, name_submember)\n medium = '|%s.%s.%s|' % (name_module, name_member,\n name_submember)\n long = ':%s:`~%s.%s.%s`' % (role, module.__name__,\n name_member, name_submember)\n self.add_substitution(short, medium, long, module)\n", "role": "user" }, { "content": "add_module", "role": "assistant" } ]
def x(self, package): for name in os.listdir(package.__path__[0]): if name.startswith('_'): continue name = name.split('.')[0] short = '|%s|' % name long = ':mod:`~%s.%s`' % (package.__package__, name) self._short2long[short] = long
add_modules
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, package):\n for name in os.listdir(package.__path__[0]):\n if name.startswith('_'):\n continue\n name = name.split('.')[0]\n short = '|%s|' % name\n long = ':mod:`~%s.%s`' % (package.__package__, name)\n self._short2long[short] = long\n", "role": "user" }, { "content": "add_modules", "role": "assistant" } ]
def x(self): if self.master is not None: self.master._medium2long.update(self._medium2long) self.master.update_masters()
update_masters
[ { "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.master is not None:\n self.master._medium2long.update(self._medium2long)\n self.master.update_masters()\n", "role": "user" }, { "content": "update_masters", "role": "assistant" } ]
def x(self): for slave in self.slaves: slave._medium2long.update(self._medium2long) slave.update_slaves()
update_slaves
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for slave in self.slaves:\n slave._medium2long.update(self._medium2long)\n slave.update_slaves()\n", "role": "user" }, { "content": "update_slaves", "role": "assistant" } ]
def x(self, source=None): commands = [] for key, value in self: if source is None or key in source: commands.append('.. %s replace:: %s' % (key, value)) return '\n'.join(commands)
get_commands
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, source=None):\n commands = []\n for key, value in self:\n if source is None or key in source:\n commands.append('.. %s replace:: %s' % (key, value))\n return '\\n'.join(commands)\n", "role": "user" }, { "content": "get_commands", "role": "assistant" } ]
def x(self, text): for key, value in self: if text in key or text in value: print(key, value)
find
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text):\n for key, value in self:\n if text in key or text in value:\n print(key, value)\n", "role": "user" }, { "content": "find", "role": "assistant" } ]
def x(wrapped, _=None, args=None, kwargs=None): global _printprogress_indentation _printprogress_indentation += 4 try: if hydpy.pub.options.printprogress: blanks = ' ' * _printprogress_indentation name = wrapped.__name__ time_ = time.strftime('%H:%M:%S') with PrintStyle(color=34, font=1): print(f'{blanks}method {name} started at {time_}') seconds = time.perf_counter() sys.stdout.flush() wrapped(*args, **kwargs) blanks = ' ' * (_printprogress_indentation + 4) seconds = time.perf_counter() - seconds with PrintStyle(color=34, font=1): print(f'{blanks}seconds elapsed: {seconds}') sys.stdout.flush() else: wrapped(*args, **kwargs) finally: _printprogress_indentation -= 4
print_progress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(wrapped, _=None, args=None, kwargs=None):\n global _printprogress_indentation\n _printprogress_indentation += 4\n try:\n if hydpy.pub.options.printprogress:\n blanks = ' ' * _printprogress_indentation\n name = wrapped.__name__\n time_ = time.strftime('%H:%M:%S')\n with PrintStyle(color=34, font=1):\n print(f'{blanks}method {name} started at {time_}')\n seconds = time.perf_counter()\n sys.stdout.flush()\n wrapped(*args, **kwargs)\n blanks = ' ' * (_printprogress_indentation + 4)\n seconds = time.perf_counter() - seconds\n with PrintStyle(color=34, font=1):\n print(f'{blanks}seconds elapsed: {seconds}')\n sys.stdout.flush()\n else:\n wrapped(*args, **kwargs)\n finally:\n _printprogress_indentation -= 4\n", "role": "user" }, { "content": "print_progress", "role": "assistant" } ]
def x(iterable, length=23): if hydpy.pub.options.printprogress and len(iterable) > 1: temp_name = os.path.join(tempfile.gettempdir(), 'HydPy_progressbar_stdout') temp_stdout = open(temp_name, 'w') real_stdout = sys.stdout try: sys.stdout = temp_stdout nmbstars = min(len(iterable), length) nmbcounts = len(iterable) / nmbstars indentation = ' ' * max(_printprogress_indentation, 0) with PrintStyle(color=36, font=1, file=real_stdout): print(' %s|%s|\n%s ' % (indentation, '-' * (nmbstars - 2), indentation), end='', file=real_stdout) counts = 1.0 for next_ in iterable: counts += 1.0 if counts >= nmbcounts: print(end='*', file=real_stdout) counts -= nmbcounts yield next_ finally: try: temp_stdout.close() except BaseException: pass sys.stdout = real_stdout print() with open(temp_name, 'r') as temp_stdout: sys.stdout.write(temp_stdout.read()) sys.stdout.flush() else: for next_ in iterable: yield next_
progressbar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(iterable, length=23):\n if hydpy.pub.options.printprogress and len(iterable) > 1:\n temp_name = os.path.join(tempfile.gettempdir(),\n 'HydPy_progressbar_stdout')\n temp_stdout = open(temp_name, 'w')\n real_stdout = sys.stdout\n try:\n sys.stdout = temp_stdout\n nmbstars = min(len(iterable), length)\n nmbcounts = len(iterable) / nmbstars\n indentation = ' ' * max(_printprogress_indentation, 0)\n with PrintStyle(color=36, font=1, file=real_stdout):\n print(' %s|%s|\\n%s ' % (indentation, '-' * (nmbstars -\n 2), indentation), end='', file=real_stdout)\n counts = 1.0\n for next_ in iterable:\n counts += 1.0\n if counts >= nmbcounts:\n print(end='*', file=real_stdout)\n counts -= nmbcounts\n yield next_\n finally:\n try:\n temp_stdout.close()\n except BaseException:\n pass\n sys.stdout = real_stdout\n print()\n with open(temp_name, 'r') as temp_stdout:\n sys.stdout.write(temp_stdout.read())\n sys.stdout.flush()\n else:\n for next_ in iterable:\n yield next_\n", "role": "user" }, { "content": "progressbar", "role": "assistant" } ]
def x(socket, projectname, xmlfilename: str) ->None: state.initialise(projectname, xmlfilename) server = http.server.HTTPServer(('', int(socket)), HydPyServer) server.serve_forever()
start_server
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(socket, projectname, xmlfilename: str) ->None:\n state.initialise(projectname, xmlfilename)\n server = http.server.HTTPServer(('', int(socket)), HydPyServer)\n server.serve_forever()\n", "role": "user" }, { "content": "start_server", "role": "assistant" } ]
def x(port, seconds): now = time.perf_counter() end = now + float(seconds) while now <= end: try: urllib.request.urlopen(f'http://localhost:{port}/status') break except urllib.error.URLError: time.sleep(0.1) now = time.perf_counter() else: raise urllib.error.URLError( f'Waited for {seconds} seconds without response on port {port}.')
await_server
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(port, seconds):\n now = time.perf_counter()\n end = now + float(seconds)\n while now <= end:\n try:\n urllib.request.urlopen(f'http://localhost:{port}/status')\n break\n except urllib.error.URLError:\n time.sleep(0.1)\n now = time.perf_counter()\n else:\n raise urllib.error.URLError(\n f'Waited for {seconds} seconds without response on port {port}.')\n", "role": "user" }, { "content": "await_server", "role": "assistant" } ]
def x(self, projectname: str, xmlfile: str) ->None: write = commandtools.print_textandtime write(f'Start HydPy project `{projectname}`') hp = hydpytools.HydPy(projectname) write(f'Read configuration file `{xmlfile}`') interface = xmltools.XMLInterface(xmlfile) write('Interpret the defined options') interface.update_options() write('Interpret the defined period') interface.update_timegrids() write('Read all network files') hp.prepare_network() write('Activate the selected network') hp.update_devices(interface.fullselection) write('Read the required control files') hp.init_models() write('Read the required condition files') interface.conditions_io.load_conditions() write('Read the required time series files') interface.series_io.prepare_series() interface.exchange.prepare_series() interface.series_io.load_series() self.hp = hp self.parameteritems = interface.exchange.parameteritems self.conditionitems = interface.exchange.conditionitems self.getitems = interface.exchange.getitems self.conditions = {} self.parameteritemvalues = collections.defaultdict(lambda : {}) self.modifiedconditionitemvalues = collections.defaultdict(lambda : {}) self.getitemvalues = collections.defaultdict(lambda : {}) self.init_conditions = hp.conditions self.timegrids = {}
initialise
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, projectname: str, xmlfile: str) ->None:\n write = commandtools.print_textandtime\n write(f'Start HydPy project `{projectname}`')\n hp = hydpytools.HydPy(projectname)\n write(f'Read configuration file `{xmlfile}`')\n interface = xmltools.XMLInterface(xmlfile)\n write('Interpret the defined options')\n interface.update_options()\n write('Interpret the defined period')\n interface.update_timegrids()\n write('Read all network files')\n hp.prepare_network()\n write('Activate the selected network')\n hp.update_devices(interface.fullselection)\n write('Read the required control files')\n hp.init_models()\n write('Read the required condition files')\n interface.conditions_io.load_conditions()\n write('Read the required time series files')\n interface.series_io.prepare_series()\n interface.exchange.prepare_series()\n interface.series_io.load_series()\n self.hp = hp\n self.parameteritems = interface.exchange.parameteritems\n self.conditionitems = interface.exchange.conditionitems\n self.getitems = interface.exchange.getitems\n self.conditions = {}\n self.parameteritemvalues = collections.defaultdict(lambda : {})\n self.modifiedconditionitemvalues = collections.defaultdict(lambda : {})\n self.getitemvalues = collections.defaultdict(lambda : {})\n self.init_conditions = hp.conditions\n self.timegrids = {}\n", "role": "user" }, { "content": "initialise", "role": "assistant" } ]
def x(self) ->None: for name, value in self._inputs.items(): result = eval(value) self._outputs[name] = objecttools.flatten_repr(result)
POST_evaluate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n for name, value in self._inputs.items():\n result = eval(value)\n self._outputs[name] = objecttools.flatten_repr(result)\n", "role": "user" }, { "content": "POST_evaluate", "role": "assistant" } ]
def x(self) ->None: def x(): self.server.shutdown() self.server.server_close() shutter = threading.Thread(target=_close_server) shutter.deamon = True shutter.start()
GET_close_server
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n\n def x():\n self.server.shutdown()\n self.server.server_close()\n shutter = threading.Thread(target=_close_server)\n shutter.deamon = True\n shutter.start()\n", "role": "user" }, { "content": "GET_close_server", "role": "assistant" } ]