source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, name, params=[], callback=None): self._wait_for_connect() def x(error, sub_id): if error: self._remove_sub_by_id(sub_id) if callback: callback(error.get('reason')) return if callback: callback(None) self.emit('subscribed', name) if name in self.subscriptions: raise MeteorClientException('Already subcribed to {}'.format(name)) sub_id = self.ddp_client.subscribe(name, params, subscribed) self.subscriptions[name] = {'id': sub_id, 'params': params}
subscribe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, params=[], callback=None):\n self._wait_for_connect()\n\n def x(error, sub_id):\n if error:\n self._remove_sub_by_id(sub_id)\n if callback:\n callback(error.get('reason'))\n return\n if callback:\n callback(None)\n self.emit('subscribed', name)\n if name in self.subscriptions:\n raise MeteorClientException('Already subcribed to {}'.format(name))\n sub_id = self.ddp_client.subscribe(name, params, subscribed)\n self.subscriptions[name] = {'id': sub_id, 'params': params}\n", "role": "user" }, { "content": "subscribe", "role": "assistant" } ]
def x(self, name): self._wait_for_connect() if name not in self.subscriptions: raise MeteorClientException('No subscription for {}'.format(name)) self.ddp_client.unsubscribe(self.subscriptions[name]['id']) del self.subscriptions[name] self.emit('unsubscribed', name)
unsubscribe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n self._wait_for_connect()\n if name not in self.subscriptions:\n raise MeteorClientException('No subscription for {}'.format(name))\n self.ddp_client.unsubscribe(self.subscriptions[name]['id'])\n del self.subscriptions[name]\n self.emit('unsubscribed', name)\n", "role": "user" }, { "content": "unsubscribe", "role": "assistant" } ]
def x(self, collection, selector={}): results = [] for _id, doc in self.collection_data.data.get(collection, {}).items(): doc.update({'_id': _id}) if selector == {}: results.append(doc) for key, value in selector.items(): if key in doc and doc[key] == value: results.append(doc) return results
find
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, collection, selector={}):\n results = []\n for _id, doc in self.collection_data.data.get(collection, {}).items():\n doc.update({'_id': _id})\n if selector == {}:\n results.append(doc)\n for key, value in selector.items():\n if key in doc and doc[key] == value:\n results.append(doc)\n return results\n", "role": "user" }, { "content": "find", "role": "assistant" } ]
def x(self, collection, selector={}): for _id, doc in self.collection_data.data.get(collection, {}).items(): doc.update({'_id': _id}) if selector == {}: return doc for key, value in selector.items(): if key in doc and doc[key] == value: return doc return None
find_one
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, collection, selector={}):\n for _id, doc in self.collection_data.data.get(collection, {}).items():\n doc.update({'_id': _id})\n if selector == {}:\n return doc\n for key, value in selector.items():\n if key in doc and doc[key] == value:\n return doc\n return None\n", "role": "user" }, { "content": "find_one", "role": "assistant" } ]
def x(self, collection, doc, callback=None): self.call('/' + collection + '/insert', [doc], callback=callback)
insert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, collection, doc, callback=None):\n self.call('/' + collection + '/insert', [doc], callback=callback)\n", "role": "user" }, { "content": "insert", "role": "assistant" } ]
def x(self, collection, selector, modifier, callback=None): self.call('/' + collection + '/update', [selector, modifier], callback= callback)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, collection, selector, modifier, callback=None):\n self.call('/' + collection + '/update', [selector, modifier], callback=\n callback)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, collection, selector, callback=None): self.call('/' + collection + '/remove', [selector], callback=callback)
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, collection, selector, callback=None):\n self.call('/' + collection + '/remove', [selector], callback=callback)\n", "role": "user" }, { "content": "remove", "role": "assistant" } ]
def x(self, status=1000, reason=u''): try: if self.closed is False: close_msg = bytearray() close_msg.extend(struct.pack('!H', status)) if _check_unicode(reason): close_msg.extend(reason.encode('utf-8')) else: close_msg.extend(reason) self._send_message(False, CLOSE, close_msg) finally: self.closed = True
close
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, status=1000, reason=u''):\n try:\n if self.closed is False:\n close_msg = bytearray()\n close_msg.extend(struct.pack('!H', status))\n if _check_unicode(reason):\n close_msg.extend(reason.encode('utf-8'))\n else:\n close_msg.extend(reason)\n self._send_message(False, CLOSE, close_msg)\n finally:\n self.closed = True\n", "role": "user" }, { "content": "close", "role": "assistant" } ]
def x(self, data): opcode = BINARY if _check_unicode(data): opcode = TEXT self._send_message(True, opcode, data)
send_fragment_start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n opcode = BINARY\n if _check_unicode(data):\n opcode = TEXT\n self._send_message(True, opcode, data)\n", "role": "user" }, { "content": "send_fragment_start", "role": "assistant" } ]
def x(self, data): opcode = BINARY if _check_unicode(data): opcode = TEXT self._send_message(False, opcode, data)
send_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n opcode = BINARY\n if _check_unicode(data):\n opcode = TEXT\n self._send_message(False, opcode, data)\n", "role": "user" }, { "content": "send_message", "role": "assistant" } ]
def x(plantuml_text): zlibbed_str = zlib.compress(plantuml_text.encode('utf-8')) compressed_string = zlibbed_str[2:-4] return encode(compressed_string.decode('latin-1'))
deflate_and_encode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(plantuml_text):\n zlibbed_str = zlib.compress(plantuml_text.encode('utf-8'))\n compressed_string = zlibbed_str[2:-4]\n return encode(compressed_string.decode('latin-1'))\n", "role": "user" }, { "content": "deflate_and_encode", "role": "assistant" } ]
def x(data): res = '' for i in range(0, len(data), 3): if i + 2 == len(data): res += _encode3bytes(ord(data[i]), ord(data[i + 1]), 0) elif i + 1 == len(data): res += _encode3bytes(ord(data[i]), 0, 0) else: res += _encode3bytes(ord(data[i]), ord(data[i + 1]), ord(data[i + 2])) return res
encode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n res = ''\n for i in range(0, len(data), 3):\n if i + 2 == len(data):\n res += _encode3bytes(ord(data[i]), ord(data[i + 1]), 0)\n elif i + 1 == len(data):\n res += _encode3bytes(ord(data[i]), 0, 0)\n else:\n res += _encode3bytes(ord(data[i]), ord(data[i + 1]), ord(data[i +\n 2]))\n return res\n", "role": "user" }, { "content": "encode", "role": "assistant" } ]
def x(self, plantuml_text): url = self.get_url(plantuml_text) try: response, content = self.http.request(url, **self.request_opts) except self.HttpLib2Error as e: raise PlantUMLConnectionError(e) if response.status != 200: raise PlantUMLHTTPError(response, content) return content
processes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, plantuml_text):\n url = self.get_url(plantuml_text)\n try:\n response, content = self.http.request(url, **self.request_opts)\n except self.HttpLib2Error as e:\n raise PlantUMLConnectionError(e)\n if response.status != 200:\n raise PlantUMLHTTPError(response, content)\n return content\n", "role": "user" }, { "content": "processes", "role": "assistant" } ]
def x(self, filename, outfile=None, errorfile=None): if outfile is None: outfile = os.path.splitext(filename)[0] + '.png' if errorfile is None: errorfile = os.path.splitext(filename)[0] + '_error.html' data = open(filename, 'U').read() try: content = self.processes(data) except PlantUMLHTTPError as e: err = open(errorfile, 'w') err.write(e.content) err.close() return False out = open(outfile, 'wb') out.write(content) out.close() return True
processes_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, outfile=None, errorfile=None):\n if outfile is None:\n outfile = os.path.splitext(filename)[0] + '.png'\n if errorfile is None:\n errorfile = os.path.splitext(filename)[0] + '_error.html'\n data = open(filename, 'U').read()\n try:\n content = self.processes(data)\n except PlantUMLHTTPError as e:\n err = open(errorfile, 'w')\n err.write(e.content)\n err.close()\n return False\n out = open(outfile, 'wb')\n out.write(content)\n out.close()\n return True\n", "role": "user" }, { "content": "processes_file", "role": "assistant" } ]
def x(jira_connection, project_ids): print('downloading jira issue types... ', end='', flush=True) result = [] for it in jira_connection.issue_types(): if 'scope' in it.raw and it.raw['scope']['type'] == 'PROJECT': if it.raw['scope']['project']['id'] in project_ids: result.append(it.raw) else: result.append(it.raw) print('✓') return result
download_issuetypes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(jira_connection, project_ids):\n print('downloading jira issue types... ', end='', flush=True)\n result = []\n for it in jira_connection.issue_types():\n if 'scope' in it.raw and it.raw['scope']['type'] == 'PROJECT':\n if it.raw['scope']['project']['id'] in project_ids:\n result.append(it.raw)\n else:\n result.append(it.raw)\n print('✓')\n return result\n", "role": "user" }, { "content": "download_issuetypes", "role": "assistant" } ]
def x(pemObjects, **kw): keys = [key for key in pemObjects if isinstance(key, Key)] if not len(keys): raise ValueError('Supplied PEM file(s) does *not* contain a key.') if len(keys) > 1: raise ValueError('Supplied PEM file(s) contains *more* than one key.') privateKey = ssl.KeyPair.load(str(keys[0]), FILETYPE_PEM) certs = [cert for cert in pemObjects if isinstance(cert, Certificate)] if not len(certs): raise ValueError('*At least one* certificate is required.') certificates = [ssl.Certificate.loadPEM(str(certPEM)) for certPEM in certs] certificatesByFingerprint = dict([(certificate.getPublicKey().keyHash(), certificate) for certificate in certificates]) if privateKey.keyHash() not in certificatesByFingerprint: raise ValueError('No certificate matching {fingerprint} found.'. format(fingerprint=privateKey.keyHash())) primaryCertificate = certificatesByFingerprint.pop(privateKey.keyHash()) if 'dhParameters' in kw: raise TypeError( 'Passing DH parameters as a keyword argument instead of a PEM object is not supported anymore.' ) dhparams = [o for o in pemObjects if isinstance(o, DHParameters)] if len(dhparams) > 1: raise ValueError( 'Supplied PEM file(s) contain(s) *more* than one set of DH parameters.' ) elif len(dhparams) == 1: kw['dhParameters'] = ssl.DiffieHellmanParameters(str(dhparams[0])) ctxFactory = ssl.CertificateOptions(privateKey=privateKey.original, certificate=primaryCertificate.original, extraCertChain=[chain. original for chain in certificatesByFingerprint.values()], **kw) return ctxFactory
certificateOptionsFromPEMs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pemObjects, **kw):\n keys = [key for key in pemObjects if isinstance(key, Key)]\n if not len(keys):\n raise ValueError('Supplied PEM file(s) does *not* contain a key.')\n if len(keys) > 1:\n raise ValueError('Supplied PEM file(s) contains *more* than one key.')\n privateKey = ssl.KeyPair.load(str(keys[0]), FILETYPE_PEM)\n certs = [cert for cert in pemObjects if isinstance(cert, Certificate)]\n if not len(certs):\n raise ValueError('*At least one* certificate is required.')\n certificates = [ssl.Certificate.loadPEM(str(certPEM)) for certPEM in certs]\n certificatesByFingerprint = dict([(certificate.getPublicKey().keyHash(),\n certificate) for certificate in certificates])\n if privateKey.keyHash() not in certificatesByFingerprint:\n raise ValueError('No certificate matching {fingerprint} found.'.\n format(fingerprint=privateKey.keyHash()))\n primaryCertificate = certificatesByFingerprint.pop(privateKey.keyHash())\n if 'dhParameters' in kw:\n raise TypeError(\n 'Passing DH parameters as a keyword argument instead of a PEM object is not supported anymore.'\n )\n dhparams = [o for o in pemObjects if isinstance(o, DHParameters)]\n if len(dhparams) > 1:\n raise ValueError(\n 'Supplied PEM file(s) contain(s) *more* than one set of DH parameters.'\n )\n elif len(dhparams) == 1:\n kw['dhParameters'] = ssl.DiffieHellmanParameters(str(dhparams[0]))\n ctxFactory = ssl.CertificateOptions(privateKey=privateKey.original,\n certificate=primaryCertificate.original, extraCertChain=[chain.\n original for chain in certificatesByFingerprint.values()], **kw)\n return ctxFactory\n", "role": "user" }, { "content": "certificateOptionsFromPEMs", "role": "assistant" } ]
def x(*pemFiles, **kw): pems = [] for pemFile in pemFiles: pems += parse_file(pemFile) return certificateOptionsFromPEMs(pems, **kw)
certificateOptionsFromFiles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*pemFiles, **kw):\n pems = []\n for pemFile in pemFiles:\n pems += parse_file(pemFile)\n return certificateOptionsFromPEMs(pems, **kw)\n", "role": "user" }, { "content": "certificateOptionsFromFiles", "role": "assistant" } ]
def x(pem_str): return [_PEM_TO_CLASS[match.group(1)](match.group(0)) for match in _PEM_RE.finditer(pem_str)]
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pem_str):\n return [_PEM_TO_CLASS[match.group(1)](match.group(0)) for match in\n _PEM_RE.finditer(pem_str)]\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(self): if self._sha1_hexdigest is None: self._sha1_hexdigest = hashlib.sha1(self._pem_bytes).hexdigest() return self._sha1_hexdigest
sha1_hexdigest
[ { "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._sha1_hexdigest is None:\n self._sha1_hexdigest = hashlib.sha1(self._pem_bytes).hexdigest()\n return self._sha1_hexdigest\n", "role": "user" }, { "content": "sha1_hexdigest", "role": "assistant" } ]
def x(cls, **kwargs): cls_attrs = {f.name: f for f in attr.fields(cls)} unknown = {k: v for k, v in kwargs.items() if k not in cls_attrs} if len(unknown) > 0: _LOGGER.warning('Got unknowns for %s: %s - please create an issue!', cls.__name__, unknown) missing = [k for k in cls_attrs if k not in kwargs] data = {k: v for k, v in kwargs.items() if k in cls_attrs} for m in missing: default = cls_attrs[m].default if isinstance(default, attr.Factory): if not default.takes_self: data[m] = default.factory() else: raise NotImplementedError else: _LOGGER.debug('Missing key %s with no default for %s', m, cls. __name__) data[m] = None inst = cls(**data) setattr(inst, 'raw', kwargs) return inst
make
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, **kwargs):\n cls_attrs = {f.name: f for f in attr.fields(cls)}\n unknown = {k: v for k, v in kwargs.items() if k not in cls_attrs}\n if len(unknown) > 0:\n _LOGGER.warning('Got unknowns for %s: %s - please create an issue!',\n cls.__name__, unknown)\n missing = [k for k in cls_attrs if k not in kwargs]\n data = {k: v for k, v in kwargs.items() if k in cls_attrs}\n for m in missing:\n default = cls_attrs[m].default\n if isinstance(default, attr.Factory):\n if not default.takes_self:\n data[m] = default.factory()\n else:\n raise NotImplementedError\n else:\n _LOGGER.debug('Missing key %s with no default for %s', m, cls.\n __name__)\n data[m] = None\n inst = cls(**data)\n setattr(inst, 'raw', kwargs)\n return inst\n", "role": "user" }, { "content": "make", "role": "assistant" } ]
async def create_post_request(self, method: str, params: Dict=None): """Call the given method over POST. :param method: Name of the method :param params: dict of parameters :return: JSON object """ if params is None: params = {} headers = {'Content-Type': 'application/json'} payload = {'method': method, 'params': [params], 'id': next(self.idgen), 'version': '1.0'} if self.debug > 1: _LOGGER.debug('> POST %s with body: %s', self.guide_endpoint, payload) async with aiohttp.ClientSession(headers=headers) as session: res = await session.post(self.guide_endpoint, json=payload, headers =headers) if self.debug > 1: _LOGGER.debug('Received %s: %s' % (res.status_code, res.text)) if res.status != 200: raise SongpalException( 'Got a non-ok (status %s) response for %s' % (res.status, method), error=await res.json()['error']) res = await res.json() if 'error' in res: raise SongpalException('Got an error for %s' % method, error=res[ 'error']) if self.debug > 1: _LOGGER.debug('Got %s: %s', method, pf(res)) return res
create_post_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def create_post_request(self, method: str, params: Dict=None):\n \"\"\"Call the given method over POST.\n\n :param method: Name of the method\n :param params: dict of parameters\n :return: JSON object\n \"\"\"\n if params is None:\n params = {}\n headers = {'Content-Type': 'application/json'}\n payload = {'method': method, 'params': [params], 'id': next(self.idgen),\n 'version': '1.0'}\n if self.debug > 1:\n _LOGGER.debug('> POST %s with body: %s', self.guide_endpoint, payload)\n async with aiohttp.ClientSession(headers=headers) as session:\n res = await session.post(self.guide_endpoint, json=payload, headers\n =headers)\n if self.debug > 1:\n _LOGGER.debug('Received %s: %s' % (res.status_code, res.text))\n if res.status != 200:\n raise SongpalException(\n 'Got a non-ok (status %s) response for %s' % (res.status,\n method), error=await res.json()['error'])\n res = await res.json()\n if 'error' in res:\n raise SongpalException('Got an error for %s' % method, error=res[\n 'error'])\n if self.debug > 1:\n _LOGGER.debug('Got %s: %s', method, pf(res))\n return res\n", "role": "user" }, { "content": "create_post_request", "role": "assistant" } ]
async def get_supported_methods(self): """Get information about supported methods. Calling this as the first thing before doing anything else is necessary to fill the available services table. """ response = await self.request_supported_methods() if 'result' in response: services = response['result'][0] _LOGGER.debug('Got %s services!' % len(services)) for x in services: serv = await Service.from_payload(x, self.endpoint, self.idgen, self.debug, self.force_protocol) if serv is not None: self.services[x['service']] = serv else: _LOGGER.warning('Unable to create service %s', x['service']) for service in self.services.values(): if self.debug > 1: _LOGGER.debug('Service %s', service) for api in service.methods: if self.debug > 1: _LOGGER.debug('> %s' % api) return self.services return None
get_supported_methods
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_supported_methods(self):\n \"\"\"Get information about supported methods.\n\n Calling this as the first thing before doing anything else is\n necessary to fill the available services table.\n \"\"\"\n response = await self.request_supported_methods()\n if 'result' in response:\n services = response['result'][0]\n _LOGGER.debug('Got %s services!' % len(services))\n for x in services:\n serv = await Service.from_payload(x, self.endpoint, self.idgen,\n self.debug, self.force_protocol)\n if serv is not None:\n self.services[x['service']] = serv\n else:\n _LOGGER.warning('Unable to create service %s', x['service'])\n for service in self.services.values():\n if self.debug > 1:\n _LOGGER.debug('Service %s', service)\n for api in service.methods:\n if self.debug > 1:\n _LOGGER.debug('> %s' % api)\n return self.services\n return None\n", "role": "user" }, { "content": "get_supported_methods", "role": "assistant" } ]
async def set_power(self, value: bool): """Toggle the device on and off.""" if value: status = 'active' else: status = 'off' return await self.services['system']['setPowerStatus'](status=status)
set_power
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def set_power(self, value: bool):\n \"\"\"Toggle the device on and off.\"\"\"\n if value:\n status = 'active'\n else:\n status = 'off'\n return await self.services['system']['setPowerStatus'](status=status)\n", "role": "user" }, { "content": "set_power", "role": "assistant" } ]
async def get_play_info(self) ->PlayInfo: """Return of the device.""" info = await self.services['avContent']['getPlayingContentInfo']({}) return PlayInfo.make(**info.pop())
get_play_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_play_info(self) ->PlayInfo:\n \"\"\"Return of the device.\"\"\"\n info = await self.services['avContent']['getPlayingContentInfo']({})\n return PlayInfo.make(**info.pop())\n", "role": "user" }, { "content": "get_play_info", "role": "assistant" } ]
async def get_power_settings(self) ->List[Setting]: """Get power settings.""" return [Setting.make(**x) for x in await self.services['system'][ 'getPowerSettings']({})]
get_power_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_power_settings(self) ->List[Setting]:\n \"\"\"Get power settings.\"\"\"\n return [Setting.make(**x) for x in await self.services['system'][\n 'getPowerSettings']({})]\n", "role": "user" }, { "content": "get_power_settings", "role": "assistant" } ]
async def set_power_settings(self, target: str, value: str) ->None: """Set power settings.""" params = {'settings': [{'target': target, 'value': value}]} return await self.services['system']['setPowerSettings'](params)
set_power_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def set_power_settings(self, target: str, value: str) ->None:\n \"\"\"Set power settings.\"\"\"\n params = {'settings': [{'target': target, 'value': value}]}\n return await self.services['system']['setPowerSettings'](params)\n", "role": "user" }, { "content": "set_power_settings", "role": "assistant" } ]
async def get_googlecast_settings(self) ->List[Setting]: """Get Googlecast settings.""" return [Setting.make(**x) for x in await self.services['system'][ 'getWuTangInfo']({})]
get_googlecast_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_googlecast_settings(self) ->List[Setting]:\n \"\"\"Get Googlecast settings.\"\"\"\n return [Setting.make(**x) for x in await self.services['system'][\n 'getWuTangInfo']({})]\n", "role": "user" }, { "content": "get_googlecast_settings", "role": "assistant" } ]
async def set_googlecast_settings(self, target: str, value: str): """Set Googlecast settings.""" params = {'settings': [{'target': target, 'value': value}]} return await self.services['system']['setWuTangInfo'](params)
set_googlecast_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def set_googlecast_settings(self, target: str, value: str):\n \"\"\"Set Googlecast settings.\"\"\"\n params = {'settings': [{'target': target, 'value': value}]}\n return await self.services['system']['setWuTangInfo'](params)\n", "role": "user" }, { "content": "set_googlecast_settings", "role": "assistant" } ]
async def get_settings(self) ->List[SettingsEntry]: """Get a list of available settings. See :func:request_settings_tree: for raw settings. """ settings = await self.request_settings_tree() return [SettingsEntry.make(**x) for x in settings['settings']]
get_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_settings(self) ->List[SettingsEntry]:\n \"\"\"Get a list of available settings.\n\n See :func:request_settings_tree: for raw settings.\n \"\"\"\n settings = await self.request_settings_tree()\n return [SettingsEntry.make(**x) for x in settings['settings']]\n", "role": "user" }, { "content": "get_settings", "role": "assistant" } ]
async def get_misc_settings(self) ->List[Setting]: """Return miscellaneous settings such as name and timezone.""" misc = await self.services['system']['getDeviceMiscSettings'](target='') return [Setting.make(**x) for x in misc]
get_misc_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_misc_settings(self) ->List[Setting]:\n \"\"\"Return miscellaneous settings such as name and timezone.\"\"\"\n misc = await self.services['system']['getDeviceMiscSettings'](target='')\n return [Setting.make(**x) for x in misc]\n", "role": "user" }, { "content": "get_misc_settings", "role": "assistant" } ]
async def set_misc_settings(self, target: str, value: str): """Change miscellaneous settings.""" params = {'settings': [{'target': target, 'value': value}]} return await self.services['system']['setDeviceMiscSettings'](params)
set_misc_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def set_misc_settings(self, target: str, value: str):\n \"\"\"Change miscellaneous settings.\"\"\"\n params = {'settings': [{'target': target, 'value': value}]}\n return await self.services['system']['setDeviceMiscSettings'](params)\n", "role": "user" }, { "content": "set_misc_settings", "role": "assistant" } ]
async def get_sleep_timer_settings(self) ->List[Setting]: """Get sleep timer settings.""" return [Setting.make(**x) for x in await self.services['system'][ 'getSleepTimerSettings']({})]
get_sleep_timer_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_sleep_timer_settings(self) ->List[Setting]:\n \"\"\"Get sleep timer settings.\"\"\"\n return [Setting.make(**x) for x in await self.services['system'][\n 'getSleepTimerSettings']({})]\n", "role": "user" }, { "content": "get_sleep_timer_settings", "role": "assistant" } ]
async def get_storage_list(self) ->List[Storage]: """Return information about connected storage devices.""" return [Storage.make(**x) for x in await self.services['system'][ 'getStorageList']({})]
get_storage_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_storage_list(self) ->List[Storage]:\n \"\"\"Return information about connected storage devices.\"\"\"\n return [Storage.make(**x) for x in await self.services['system'][\n 'getStorageList']({})]\n", "role": "user" }, { "content": "get_storage_list", "role": "assistant" } ]
async def get_update_info(self, from_network=True) ->SoftwareUpdateInfo: """Get information about updates.""" if from_network: from_network = 'true' else: from_network = 'false' info = await self.services['system']['getSWUpdateInfo'](network= from_network) return SoftwareUpdateInfo.make(**info)
get_update_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_update_info(self, from_network=True) ->SoftwareUpdateInfo:\n \"\"\"Get information about updates.\"\"\"\n if from_network:\n from_network = 'true'\n else:\n from_network = 'false'\n info = await self.services['system']['getSWUpdateInfo'](network=\n from_network)\n return SoftwareUpdateInfo.make(**info)\n", "role": "user" }, { "content": "get_update_info", "role": "assistant" } ]
async def get_inputs(self) ->List[Input]: """Return list of available outputs.""" res = await self.services['avContent']['getCurrentExternalTerminalsStatus' ]() return [Input.make(services=self.services, **x) for x in res if 'meta:zone:output' not in x['meta']]
get_inputs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_inputs(self) ->List[Input]:\n \"\"\"Return list of available outputs.\"\"\"\n res = await self.services['avContent']['getCurrentExternalTerminalsStatus'\n ]()\n return [Input.make(services=self.services, **x) for x in res if \n 'meta:zone:output' not in x['meta']]\n", "role": "user" }, { "content": "get_inputs", "role": "assistant" } ]
async def get_zones(self) ->List[Zone]: """Return list of available zones.""" res = await self.services['avContent']['getCurrentExternalTerminalsStatus' ]() zones = [Zone.make(services=self.services, **x) for x in res if 'meta:zone:output' in x['meta']] if not zones: raise SongpalException('Device has no zones') return zones
get_zones
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_zones(self) ->List[Zone]:\n \"\"\"Return list of available zones.\"\"\"\n res = await self.services['avContent']['getCurrentExternalTerminalsStatus'\n ]()\n zones = [Zone.make(services=self.services, **x) for x in res if \n 'meta:zone:output' in x['meta']]\n if not zones:\n raise SongpalException('Device has no zones')\n return zones\n", "role": "user" }, { "content": "get_zones", "role": "assistant" } ]
async def get_setting(self, service: str, method: str, target: str): """Get a single setting for service. :param service: Service to query. :param method: Getter method for the setting, read from ApiMapping. :param target: Setting to query. :return: JSON response from the device. """ return await self.services[service][method](target=target)
get_setting
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_setting(self, service: str, method: str, target: str):\n \"\"\"Get a single setting for service.\n\n :param service: Service to query.\n :param method: Getter method for the setting, read from ApiMapping.\n :param target: Setting to query.\n :return: JSON response from the device.\n \"\"\"\n return await self.services[service][method](target=target)\n", "role": "user" }, { "content": "get_setting", "role": "assistant" } ]
async def get_bluetooth_settings(self) ->List[Setting]: """Get bluetooth settings.""" bt = await self.services['avContent']['getBluetoothSettings']({}) return [Setting.make(**x) for x in bt]
get_bluetooth_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_bluetooth_settings(self) ->List[Setting]:\n \"\"\"Get bluetooth settings.\"\"\"\n bt = await self.services['avContent']['getBluetoothSettings']({})\n return [Setting.make(**x) for x in bt]\n", "role": "user" }, { "content": "get_bluetooth_settings", "role": "assistant" } ]
async def set_bluetooth_settings(self, target: str, value: str) ->None: """Set bluetooth settings.""" params = {'settings': [{'target': target, 'value': value}]} return await self.services['avContent']['setBluetoothSettings'](params)
set_bluetooth_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def set_bluetooth_settings(self, target: str, value: str) ->None:\n \"\"\"Set bluetooth settings.\"\"\"\n params = {'settings': [{'target': target, 'value': value}]}\n return await self.services['avContent']['setBluetoothSettings'](params)\n", "role": "user" }, { "content": "set_bluetooth_settings", "role": "assistant" } ]
async def set_custom_eq(self, target: str, value: str) ->None: """Set custom EQ settings.""" params = {'settings': [{'target': target, 'value': value}]} return await self.services['audio']['setCustomEqualizerSettings'](params)
set_custom_eq
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def set_custom_eq(self, target: str, value: str) ->None:\n \"\"\"Set custom EQ settings.\"\"\"\n params = {'settings': [{'target': target, 'value': value}]}\n return await self.services['audio']['setCustomEqualizerSettings'](params)\n", "role": "user" }, { "content": "set_custom_eq", "role": "assistant" } ]
async def get_supported_playback_functions(self, uri='') ->List[ SupportedFunctions]: """Return list of inputs and their supported functions.""" return [SupportedFunctions.make(**x) for x in await self.services[ 'avContent']['getSupportedPlaybackFunction'](uri=uri)]
get_supported_playback_functions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_supported_playback_functions(self, uri='') ->List[\n SupportedFunctions]:\n \"\"\"Return list of inputs and their supported functions.\"\"\"\n return [SupportedFunctions.make(**x) for x in await self.services[\n 'avContent']['getSupportedPlaybackFunction'](uri=uri)]\n", "role": "user" }, { "content": "get_supported_playback_functions", "role": "assistant" } ]
async def get_playback_settings(self) ->List[Setting]: """Get playback settings such as shuffle and repeat.""" return [Setting.make(**x) for x in await self.services['avContent'][ 'getPlaybackModeSettings']({})]
get_playback_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_playback_settings(self) ->List[Setting]:\n \"\"\"Get playback settings such as shuffle and repeat.\"\"\"\n return [Setting.make(**x) for x in await self.services['avContent'][\n 'getPlaybackModeSettings']({})]\n", "role": "user" }, { "content": "get_playback_settings", "role": "assistant" } ]
async def set_playback_settings(self, target, value) ->None: """Set playback settings such a shuffle and repeat.""" params = {'settings': [{'target': target, 'value': value}]} return await self.services['avContent']['setPlaybackModeSettings'](params)
set_playback_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def set_playback_settings(self, target, value) ->None:\n \"\"\"Set playback settings such a shuffle and repeat.\"\"\"\n params = {'settings': [{'target': target, 'value': value}]}\n return await self.services['avContent']['setPlaybackModeSettings'](params)\n", "role": "user" }, { "content": "set_playback_settings", "role": "assistant" } ]
async def get_schemes(self) ->List[Scheme]: """Return supported uri schemes.""" return [Scheme.make(**x) for x in await self.services['avContent'][ 'getSchemeList']()]
get_schemes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_schemes(self) ->List[Scheme]:\n \"\"\"Return supported uri schemes.\"\"\"\n return [Scheme.make(**x) for x in await self.services['avContent'][\n 'getSchemeList']()]\n", "role": "user" }, { "content": "get_schemes", "role": "assistant" } ]
async def get_source_list(self, scheme: str='') ->List[Source]: """Return available sources for playback.""" res = await self.services['avContent']['getSourceList'](scheme=scheme) return [Source.make(**x) for x in res]
get_source_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_source_list(self, scheme: str='') ->List[Source]:\n \"\"\"Return available sources for playback.\"\"\"\n res = await self.services['avContent']['getSourceList'](scheme=scheme)\n return [Source.make(**x) for x in res]\n", "role": "user" }, { "content": "get_source_list", "role": "assistant" } ]
async def get_content_count(self, source: str): """Return file listing for source.""" params = {'uri': source, 'type': None, 'target': 'all', 'view': 'flat'} return ContentInfo.make(**await self.services['avContent'][ 'getContentCount'](params))
get_content_count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_content_count(self, source: str):\n \"\"\"Return file listing for source.\"\"\"\n params = {'uri': source, 'type': None, 'target': 'all', 'view': 'flat'}\n return ContentInfo.make(**await self.services['avContent'][\n 'getContentCount'](params))\n", "role": "user" }, { "content": "get_content_count", "role": "assistant" } ]
async def get_contents(self, uri) ->List[Content]: """Request content listing recursively for the given URI. :param uri: URI for the source. :return: List of Content objects. """ contents = [Content.make(**x) for x in await self.services['avContent'] ['getContentList'](uri=uri)] contentlist = [] for content in contents: if content.contentKind == 'directory' and content.index >= 0: res = await self.get_contents(content.uri) contentlist.extend(res) else: contentlist.append(content) return contentlist
get_contents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_contents(self, uri) ->List[Content]:\n \"\"\"Request content listing recursively for the given URI.\n\n :param uri: URI for the source.\n :return: List of Content objects.\n \"\"\"\n contents = [Content.make(**x) for x in await self.services['avContent']\n ['getContentList'](uri=uri)]\n contentlist = []\n for content in contents:\n if content.contentKind == 'directory' and content.index >= 0:\n res = await self.get_contents(content.uri)\n contentlist.extend(res)\n else:\n contentlist.append(content)\n return contentlist\n", "role": "user" }, { "content": "get_contents", "role": "assistant" } ]
async def get_volume_information(self) ->List[Volume]: """Get the volume information.""" res = await self.services['audio']['getVolumeInformation']({}) volume_info = [Volume.make(services=self.services, **x) for x in res] if len(volume_info) < 1: logging.warning('Unable to get volume information') elif len(volume_info) > 1: logging.debug('The device seems to have more than one volume setting.') return volume_info
get_volume_information
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_volume_information(self) ->List[Volume]:\n \"\"\"Get the volume information.\"\"\"\n res = await self.services['audio']['getVolumeInformation']({})\n volume_info = [Volume.make(services=self.services, **x) for x in res]\n if len(volume_info) < 1:\n logging.warning('Unable to get volume information')\n elif len(volume_info) > 1:\n logging.debug('The device seems to have more than one volume setting.')\n return volume_info\n", "role": "user" }, { "content": "get_volume_information", "role": "assistant" } ]
async def get_sound_settings(self, target='') ->List[Setting]: """Get the current sound settings. :param str target: settings target, defaults to all. """ res = await self.services['audio']['getSoundSettings']({'target': target}) return [Setting.make(**x) for x in res]
get_sound_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_sound_settings(self, target='') ->List[Setting]:\n \"\"\"Get the current sound settings.\n\n :param str target: settings target, defaults to all.\n \"\"\"\n res = await self.services['audio']['getSoundSettings']({'target': target})\n return [Setting.make(**x) for x in res]\n", "role": "user" }, { "content": "get_sound_settings", "role": "assistant" } ]
async def get_soundfield(self) ->List[Setting]: """Get the current sound field settings.""" res = await self.services['audio']['getSoundSettings']({'target': 'soundField'}) return Setting.make(**res[0])
get_soundfield
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_soundfield(self) ->List[Setting]:\n \"\"\"Get the current sound field settings.\"\"\"\n res = await self.services['audio']['getSoundSettings']({'target':\n 'soundField'})\n return Setting.make(**res[0])\n", "role": "user" }, { "content": "get_soundfield", "role": "assistant" } ]
async def set_sound_settings(self, target: str, value: str): """Change a sound setting.""" params = {'settings': [{'target': target, 'value': value}]} return await self.services['audio']['setSoundSettings'](params)
set_sound_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def set_sound_settings(self, target: str, value: str):\n \"\"\"Change a sound setting.\"\"\"\n params = {'settings': [{'target': target, 'value': value}]}\n return await self.services['audio']['setSoundSettings'](params)\n", "role": "user" }, { "content": "set_sound_settings", "role": "assistant" } ]
async def get_speaker_settings(self) ->List[Setting]: """Return speaker settings.""" speaker_settings = await self.services['audio']['getSpeakerSettings']({}) return [Setting.make(**x) for x in speaker_settings]
get_speaker_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_speaker_settings(self) ->List[Setting]:\n \"\"\"Return speaker settings.\"\"\"\n speaker_settings = await self.services['audio']['getSpeakerSettings']({})\n return [Setting.make(**x) for x in speaker_settings]\n", "role": "user" }, { "content": "get_speaker_settings", "role": "assistant" } ]
async def set_speaker_settings(self, target: str, value: str): """Set speaker settings.""" params = {'settings': [{'target': target, 'value': value}]} return await self.services['audio']['setSpeakerSettings'](params)
set_speaker_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def set_speaker_settings(self, target: str, value: str):\n \"\"\"Set speaker settings.\"\"\"\n params = {'settings': [{'target': target, 'value': value}]}\n return await self.services['audio']['setSpeakerSettings'](params)\n", "role": "user" }, { "content": "set_speaker_settings", "role": "assistant" } ]
async def listen_notifications(self, fallback_callback=None): """Listen for notifications from the device forever. Use :func:on_notification: to register what notifications to listen to. """ tasks = [] async def handle_notification(notification): if type(notification) not in self.callbacks: if not fallback_callback: _LOGGER.debug('No callbacks for %s', notification) else: await fallback_callback(notification) return for cb in self.callbacks[type(notification)]: await cb(notification) for serv in self.services.values(): tasks.append(asyncio.ensure_future(serv.listen_all_notifications( handle_notification))) try: print(await asyncio.gather(*tasks)) except Exception as ex: await handle_notification(ConnectChange(connected=False, exception=ex)) return
listen_notifications
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def listen_notifications(self, fallback_callback=None):\n \"\"\"Listen for notifications from the device forever.\n\n Use :func:on_notification: to register what notifications to listen to.\n \"\"\"\n tasks = []\n\n async def handle_notification(notification):\n if type(notification) not in self.callbacks:\n if not fallback_callback:\n _LOGGER.debug('No callbacks for %s', notification)\n else:\n await fallback_callback(notification)\n return\n for cb in self.callbacks[type(notification)]:\n await cb(notification)\n for serv in self.services.values():\n tasks.append(asyncio.ensure_future(serv.listen_all_notifications(\n handle_notification)))\n try:\n print(await asyncio.gather(*tasks))\n except Exception as ex:\n await handle_notification(ConnectChange(connected=False, exception=ex))\n return\n", "role": "user" }, { "content": "listen_notifications", "role": "assistant" } ]
async def stop_listen_notifications(self): """Stop listening on notifications.""" _LOGGER.debug('Stopping listening for notifications..') for serv in self.services.values(): await serv.stop_listen_notifications() return True
stop_listen_notifications
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def stop_listen_notifications(self):\n \"\"\"Stop listening on notifications.\"\"\"\n _LOGGER.debug('Stopping listening for notifications..')\n for serv in self.services.values():\n await serv.stop_listen_notifications()\n return True\n", "role": "user" }, { "content": "stop_listen_notifications", "role": "assistant" } ]
async def get_notifications(self) ->List[Notification]: """Get available notifications, which can then be subscribed to. Call :func:activate: to enable notifications, and :func:listen_notifications: to loop forever for notifications. :return: List of Notification objects """ notifications = [] for serv in self.services: for notification in self.services[serv].notifications: notifications.append(notification) return notifications
get_notifications
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_notifications(self) ->List[Notification]:\n \"\"\"Get available notifications, which can then be subscribed to.\n\n Call :func:activate: to enable notifications, and :func:listen_notifications:\n to loop forever for notifications.\n\n :return: List of Notification objects\n \"\"\"\n notifications = []\n for serv in self.services:\n for notification in self.services[serv].notifications:\n notifications.append(notification)\n return notifications\n", "role": "user" }, { "content": "get_notifications", "role": "assistant" } ]
async def raw_command(self, service: str, method: str, params: Any): """Call an arbitrary method with given parameters. This is useful for debugging and trying out commands before implementing them properly. :param service: Service, use list(self.services) to get a list of availables. :param method: Method to call. :param params: Parameters as a python object (e.g., dict, list) :return: Raw JSON response from the device. """ _LOGGER.info('Calling %s.%s(%s)', service, method, params) return await self.services[service][method](params)
raw_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def raw_command(self, service: str, method: str, params: Any):\n \"\"\"Call an arbitrary method with given parameters.\n\n This is useful for debugging and trying out commands before\n implementing them properly.\n :param service: Service, use list(self.services) to get a list of availables.\n :param method: Method to call.\n :param params: Parameters as a python object (e.g., dict, list)\n :return: Raw JSON response from the device.\n \"\"\"\n _LOGGER.info('Calling %s.%s(%s)', service, method, params)\n return await self.services[service][method](params)\n", "role": "user" }, { "content": "raw_command", "role": "assistant" } ]
async def connect(self): requester = AiohttpRequester() factory = UpnpFactory(requester) device = await factory.async_create_device(self.url) self.service = device.service('urn:schemas-sony-com:service:Group:1') if not self.service: _LOGGER.error('Unable to find group service!') return False for act in self.service.actions.values(): _LOGGER.debug('Action: %s (%s)', act, [arg.name for arg in act. in_arguments()]) return True """ Available actions INFO:songpal.upnpctl:Action: <UpnpService.Action(X_GetDeviceInfo)> ([]) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_GetState)> ([]) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_GetStateM)> ([]) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_SetGroupName)> (['GroupName']) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_ChangeGroupVolume)> (['GroupVolume']) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_GetAllGroupMemory)> ([]) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_DeleteGroupMemory)> (['MemoryID']) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_UpdateGroupMemory)> (['MemoryID', 'GroupMode', 'GroupName', 'SlaveList', 'CodecType', 'CodecBitrate']) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_Start)> (['GroupMode', 'GroupName', 'SlaveList', 'CodecType', 'CodecBitrate']) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_Entry)> (['MasterSessionID', 'SlaveList']) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_EntryM)> (['MasterSessionID', 'SlaveList']) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_Leave)> (['MasterSessionID', 'SlaveList']) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_LeaveM)> (['MasterSessionID', 'SlaveList']) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_Abort)> (['MasterSessionID']) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_SetGroupMute)> (['GroupMute']) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_SetCodec)> (['CodecType', 'CodecBitrate']) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_GetCodec)> ([]) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_Invite)> (['GroupMode', 'GroupName', 'MasterUUID', 'MasterSessionID']) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_Exit)> (['SlaveSessionID']) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_Play)> (['MasterSessionID']) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_Stop)> (['MasterSessionID']) INFO:songpal.upnpctl:Action: <UpnpService.Action(X_Delegate)> (['GroupMode', 'SlaveList', 'DelegateURI', 'DelegateURIMetaData']) """
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def connect(self):\n requester = AiohttpRequester()\n factory = UpnpFactory(requester)\n device = await factory.async_create_device(self.url)\n self.service = device.service('urn:schemas-sony-com:service:Group:1')\n if not self.service:\n _LOGGER.error('Unable to find group service!')\n return False\n for act in self.service.actions.values():\n _LOGGER.debug('Action: %s (%s)', act, [arg.name for arg in act.\n in_arguments()])\n return True\n \"\"\"\n Available actions\n\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_GetDeviceInfo)> ([])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_GetState)> ([])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_GetStateM)> ([])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_SetGroupName)> (['GroupName'])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_ChangeGroupVolume)> (['GroupVolume'])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_GetAllGroupMemory)> ([])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_DeleteGroupMemory)> (['MemoryID'])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_UpdateGroupMemory)> (['MemoryID', 'GroupMode', 'GroupName', 'SlaveList', 'CodecType', 'CodecBitrate'])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_Start)> (['GroupMode', 'GroupName', 'SlaveList', 'CodecType', 'CodecBitrate'])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_Entry)> (['MasterSessionID', 'SlaveList'])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_EntryM)> (['MasterSessionID', 'SlaveList'])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_Leave)> (['MasterSessionID', 'SlaveList'])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_LeaveM)> (['MasterSessionID', 'SlaveList'])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_Abort)> (['MasterSessionID'])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_SetGroupMute)> (['GroupMute'])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_SetCodec)> (['CodecType', 'CodecBitrate'])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_GetCodec)> ([])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_Invite)> (['GroupMode', 'GroupName', 'MasterUUID', 'MasterSessionID'])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_Exit)> (['SlaveSessionID'])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_Play)> (['MasterSessionID'])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_Stop)> (['MasterSessionID'])\n INFO:songpal.upnpctl:Action: <UpnpService.Action(X_Delegate)> (['GroupMode', 'SlaveList', 'DelegateURI', 'DelegateURIMetaData'])\n\n \"\"\"\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
async def call(self, action, **kwargs): """Make an action call with given kwargs.""" act = self.service.action(action) _LOGGER.info('Calling %s with %s', action, kwargs) res = await act.async_call(**kwargs) _LOGGER.info(' Result: %s' % res) return res
call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def call(self, action, **kwargs):\n \"\"\"Make an action call with given kwargs.\"\"\"\n act = self.service.action(action)\n _LOGGER.info('Calling %s with %s', action, kwargs)\n res = await act.async_call(**kwargs)\n _LOGGER.info(' Result: %s' % res)\n return res\n", "role": "user" }, { "content": "call", "role": "assistant" } ]
async def info(self): """Return device info.""" """ {'MasterCapability': 9, 'TransportPort': 3975} """ act = self.service.action('X_GetDeviceInfo') res = await act.async_call() return res
info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def info(self):\n \"\"\"Return device info.\"\"\"\n \"\"\"\n {'MasterCapability': 9, 'TransportPort': 3975}\n \"\"\"\n act = self.service.action('X_GetDeviceInfo')\n res = await act.async_call()\n return res\n", "role": "user" }, { "content": "info", "role": "assistant" } ]
async def state(self) ->GroupState: """Return the current group state""" act = self.service.action('X_GetState') res = await act.async_call() return GroupState.make(**res)
state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def state(self) ->GroupState:\n \"\"\"Return the current group state\"\"\"\n act = self.service.action('X_GetState')\n res = await act.async_call()\n return GroupState.make(**res)\n", "role": "user" }, { "content": "state", "role": "assistant" } ]
async def get_group_memory(self): """Return group memory.""" act = self.service.action('X_GetAllGroupMemory') res = await act.async_call() return res
get_group_memory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_group_memory(self):\n \"\"\"Return group memory.\"\"\"\n act = self.service.action('X_GetAllGroupMemory')\n res = await act.async_call()\n return res\n", "role": "user" }, { "content": "get_group_memory", "role": "assistant" } ]
async def update_group_memory(self, memory_id, mode, name, slaves, codectype=64, bitrate=3): """Update existing memory? Can be used to create new ones, too?""" act = self.service.action('X_UpdateGroupMemory') res = await act.async_call(MemoryID=memory_id, GroupMode=mode, GroupName=name, SlaveList=slaves, CodecType=codectype, CodecBitrate =bitrate) return res
update_group_memory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def update_group_memory(self, memory_id, mode, name, slaves,\n codectype=64, bitrate=3):\n \"\"\"Update existing memory? Can be used to create new ones, too?\"\"\"\n act = self.service.action('X_UpdateGroupMemory')\n res = await act.async_call(MemoryID=memory_id, GroupMode=mode,\n GroupName=name, SlaveList=slaves, CodecType=codectype, CodecBitrate\n =bitrate)\n return res\n", "role": "user" }, { "content": "update_group_memory", "role": "assistant" } ]
async def delete_group_memory(self, memory_id): """Delete group memory.""" act = self.service.action('X_DeleteGroupMemory') res = await act.async_call(MemoryID=memory_id)
delete_group_memory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def delete_group_memory(self, memory_id):\n \"\"\"Delete group memory.\"\"\"\n act = self.service.action('X_DeleteGroupMemory')\n res = await act.async_call(MemoryID=memory_id)\n", "role": "user" }, { "content": "delete_group_memory", "role": "assistant" } ]
async def get_codec(self): """Get codec settings.""" act = self.service.action('X_GetCodec') res = await act.async_call() return res
get_codec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_codec(self):\n \"\"\"Get codec settings.\"\"\"\n act = self.service.action('X_GetCodec')\n res = await act.async_call()\n return res\n", "role": "user" }, { "content": "get_codec", "role": "assistant" } ]
async def set_codec(self, codectype=64, bitrate=3): """Set codec settings.""" act = self.service.action('X_SetCodec') res = await act.async_call(CodecType=codectype, CodecBitrate=bitrate) return res
set_codec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def set_codec(self, codectype=64, bitrate=3):\n \"\"\"Set codec settings.\"\"\"\n act = self.service.action('X_SetCodec')\n res = await act.async_call(CodecType=codectype, CodecBitrate=bitrate)\n return res\n", "role": "user" }, { "content": "set_codec", "role": "assistant" } ]
async def abort(self): """Abort current group session.""" state = await self.state() res = await self.call('X_Abort', MasterSessionID=state.MasterSessionID) return res
abort
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def abort(self):\n \"\"\"Abort current group session.\"\"\"\n state = await self.state()\n res = await self.call('X_Abort', MasterSessionID=state.MasterSessionID)\n return res\n", "role": "user" }, { "content": "abort", "role": "assistant" } ]
async def stop(self): """Stop playback?""" state = await self.state() res = await self.call('X_Stop', MasterSessionID=state.MasterSessionID) return res
stop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def stop(self):\n \"\"\"Stop playback?\"\"\"\n state = await self.state()\n res = await self.call('X_Stop', MasterSessionID=state.MasterSessionID)\n return res\n", "role": "user" }, { "content": "stop", "role": "assistant" } ]
async def play(self): """Start playback?""" state = await self.state() res = await self.call('X_Play', MasterSessionID=state.MasterSessionID) return res
play
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def play(self):\n \"\"\"Start playback?\"\"\"\n state = await self.state()\n res = await self.call('X_Play', MasterSessionID=state.MasterSessionID)\n return res\n", "role": "user" }, { "content": "play", "role": "assistant" } ]
async def create(self, name, slaves): """Create a group.""" res = await self.call('X_Start', GroupMode='GROUP', GroupName=name, SlaveList=','.join(slaves), CodecType=64, CodecBitrate=3) return res
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def create(self, name, slaves):\n \"\"\"Create a group.\"\"\"\n res = await self.call('X_Start', GroupMode='GROUP', GroupName=name,\n SlaveList=','.join(slaves), CodecType=64, CodecBitrate=3)\n return res\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
async def fetch_signatures(endpoint, protocol, idgen): """Request available methods for the service.""" async with aiohttp.ClientSession() as session: req = {'method': 'getMethodTypes', 'params': [''], 'version': '1.0', 'id': next(idgen)} if protocol == ProtocolType.WebSocket: async with session.ws_connect(endpoint, timeout=2) as s: await s.send_json(req) res = await s.receive_json() return res else: res = await session.post(endpoint, json=req) json = await res.json() return json
fetch_signatures
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def fetch_signatures(endpoint, protocol, idgen):\n \"\"\"Request available methods for the service.\"\"\"\n async with aiohttp.ClientSession() as session:\n req = {'method': 'getMethodTypes', 'params': [''], 'version': '1.0',\n 'id': next(idgen)}\n if protocol == ProtocolType.WebSocket:\n async with session.ws_connect(endpoint, timeout=2) as s:\n await s.send_json(req)\n res = await s.receive_json()\n return res\n else:\n res = await session.post(endpoint, json=req)\n json = await res.json()\n return json\n", "role": "user" }, { "content": "fetch_signatures", "role": "assistant" } ]
async def from_payload(cls, payload, endpoint, idgen, debug, force_protocol =None): """Create Service object from a payload.""" service_name = payload['service'] if 'protocols' not in payload: raise SongpalException('Unable to find protocols from payload: %s' % payload) protocols = payload['protocols'] _LOGGER.debug('Available protocols for %s: %s', service_name, protocols) if force_protocol and force_protocol.value in protocols: protocol = force_protocol elif 'websocket:jsonizer' in protocols: protocol = ProtocolType.WebSocket elif 'xhrpost:jsonizer' in protocols: protocol = ProtocolType.XHRPost else: raise SongpalException('No known protocols for %s, got: %s' % ( service_name, protocols)) _LOGGER.debug('Using protocol: %s' % protocol) service_endpoint = '%s/%s' % (endpoint, service_name) service = cls(service_name, service_endpoint, protocol, idgen, debug) sigs = await cls.fetch_signatures(service_endpoint, protocol, idgen) if debug > 1: _LOGGER.debug('Signatures: %s', sigs) if 'error' in sigs: _LOGGER.error('Got error when fetching sigs: %s', sigs['error']) return None methods = {} for sig in sigs['results']: name = sig[0] parsed_sig = MethodSignature.from_payload(*sig) if name in methods: _LOGGER.debug( 'Got duplicate signature for %s, existing was %s. Keeping the existing one' , parsed_sig, methods[name]) else: methods[name] = Method(service, parsed_sig, debug) service.methods = methods if 'notifications' in payload and 'switchNotifications' in methods: notifications = [Notification(service_endpoint, methods[ 'switchNotifications'], notification) for notification in payload['notifications']] service.notifications = notifications _LOGGER.debug('Got notifications: %s' % notifications) return service
from_payload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def from_payload(cls, payload, endpoint, idgen, debug, force_protocol\n =None):\n \"\"\"Create Service object from a payload.\"\"\"\n service_name = payload['service']\n if 'protocols' not in payload:\n raise SongpalException('Unable to find protocols from payload: %s' %\n payload)\n protocols = payload['protocols']\n _LOGGER.debug('Available protocols for %s: %s', service_name, protocols)\n if force_protocol and force_protocol.value in protocols:\n protocol = force_protocol\n elif 'websocket:jsonizer' in protocols:\n protocol = ProtocolType.WebSocket\n elif 'xhrpost:jsonizer' in protocols:\n protocol = ProtocolType.XHRPost\n else:\n raise SongpalException('No known protocols for %s, got: %s' % (\n service_name, protocols))\n _LOGGER.debug('Using protocol: %s' % protocol)\n service_endpoint = '%s/%s' % (endpoint, service_name)\n service = cls(service_name, service_endpoint, protocol, idgen, debug)\n sigs = await cls.fetch_signatures(service_endpoint, protocol, idgen)\n if debug > 1:\n _LOGGER.debug('Signatures: %s', sigs)\n if 'error' in sigs:\n _LOGGER.error('Got error when fetching sigs: %s', sigs['error'])\n return None\n methods = {}\n for sig in sigs['results']:\n name = sig[0]\n parsed_sig = MethodSignature.from_payload(*sig)\n if name in methods:\n _LOGGER.debug(\n 'Got duplicate signature for %s, existing was %s. Keeping the existing one'\n , parsed_sig, methods[name])\n else:\n methods[name] = Method(service, parsed_sig, debug)\n service.methods = methods\n if 'notifications' in payload and 'switchNotifications' in methods:\n notifications = [Notification(service_endpoint, methods[\n 'switchNotifications'], notification) for notification in\n payload['notifications']]\n service.notifications = notifications\n _LOGGER.debug('Got notifications: %s' % notifications)\n return service\n", "role": "user" }, { "content": "from_payload", "role": "assistant" } ]
async def call_method(self, method, *args, **kwargs): """Call a method (internal). This is an internal implementation, which formats the parameters if necessary and chooses the preferred transport protocol. The return values are JSON objects. Use :func:__call__: provides external API leveraging this. """ _LOGGER.debug('%s got called with args (%s) kwargs (%s)' % (method.name, args, kwargs)) _consumer = None if '_consumer' in kwargs: if self.active_protocol != ProtocolType.WebSocket: raise SongpalException( 'Notifications are only supported over websockets') _consumer = kwargs['_consumer'] del kwargs['_consumer'] if len(kwargs) == 0 and len(args) == 0: params = [] elif len(kwargs) > 0: params = [kwargs] elif len(args) == 1 and args[0] is not None: params = [args[0]] else: params = [] async with aiohttp.ClientSession() as session: req = {'method': method.name, 'params': params, 'version': method. version, 'id': next(self.idgen)} if self.debug > 1: _LOGGER.debug('sending request: %s (proto: %s)', req, self. active_protocol) if self.active_protocol == ProtocolType.WebSocket: async with session.ws_connect(self.endpoint, timeout=self. timeout, heartbeat=self.timeout * 5) as s: await s.send_json(req) if _consumer is not None: self.listening = True while self.listening: res_raw = await s.receive_json() res = self.wrap_notification(res_raw) _LOGGER.debug('Got notification: %s', res) if self.debug > 1: _LOGGER.debug('Got notification raw: %s', res_raw) await _consumer(res) res = await s.receive_json() return res else: res = await session.post(self.endpoint, json=req) return await res.json()
call_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def call_method(self, method, *args, **kwargs):\n \"\"\"Call a method (internal).\n\n This is an internal implementation, which formats the parameters if necessary\n and chooses the preferred transport protocol.\n The return values are JSON objects.\n Use :func:__call__: provides external API leveraging this.\n \"\"\"\n _LOGGER.debug('%s got called with args (%s) kwargs (%s)' % (method.name,\n args, kwargs))\n _consumer = None\n if '_consumer' in kwargs:\n if self.active_protocol != ProtocolType.WebSocket:\n raise SongpalException(\n 'Notifications are only supported over websockets')\n _consumer = kwargs['_consumer']\n del kwargs['_consumer']\n if len(kwargs) == 0 and len(args) == 0:\n params = []\n elif len(kwargs) > 0:\n params = [kwargs]\n elif len(args) == 1 and args[0] is not None:\n params = [args[0]]\n else:\n params = []\n async with aiohttp.ClientSession() as session:\n req = {'method': method.name, 'params': params, 'version': method.\n version, 'id': next(self.idgen)}\n if self.debug > 1:\n _LOGGER.debug('sending request: %s (proto: %s)', req, self.\n active_protocol)\n if self.active_protocol == ProtocolType.WebSocket:\n async with session.ws_connect(self.endpoint, timeout=self.\n timeout, heartbeat=self.timeout * 5) as s:\n await s.send_json(req)\n if _consumer is not None:\n self.listening = True\n while self.listening:\n res_raw = await s.receive_json()\n res = self.wrap_notification(res_raw)\n _LOGGER.debug('Got notification: %s', res)\n if self.debug > 1:\n _LOGGER.debug('Got notification raw: %s', res_raw)\n await _consumer(res)\n res = await s.receive_json()\n return res\n else:\n res = await session.post(self.endpoint, json=req)\n return await res.json()\n", "role": "user" }, { "content": "call_method", "role": "assistant" } ]
def x(self, data): if 'method' in data: method = data['method'] params = data['params'] change = params[0] if method == 'notifyPowerStatus': return PowerChange.make(**change) elif method == 'notifyVolumeInformation': return VolumeChange.make(**change) elif method == 'notifyPlayingContentInfo': return ContentChange.make(**change) elif method == 'notifySettingsUpdate': return SettingChange.make(**change) elif method == 'notifySWUpdateInfo': return SoftwareUpdateChange.make(**change) else: _LOGGER.warning('Got unknown notification type: %s', method) elif 'result' in data: result = data['result'][0] if 'enabled' in result and 'enabled' in result: return NotificationChange(**result) else: _LOGGER.warning('Unknown notification, returning raw: %s', data) return data
wrap_notification
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n if 'method' in data:\n method = data['method']\n params = data['params']\n change = params[0]\n if method == 'notifyPowerStatus':\n return PowerChange.make(**change)\n elif method == 'notifyVolumeInformation':\n return VolumeChange.make(**change)\n elif method == 'notifyPlayingContentInfo':\n return ContentChange.make(**change)\n elif method == 'notifySettingsUpdate':\n return SettingChange.make(**change)\n elif method == 'notifySWUpdateInfo':\n return SoftwareUpdateChange.make(**change)\n else:\n _LOGGER.warning('Got unknown notification type: %s', method)\n elif 'result' in data:\n result = data['result'][0]\n if 'enabled' in result and 'enabled' in result:\n return NotificationChange(**result)\n else:\n _LOGGER.warning('Unknown notification, returning raw: %s', data)\n return data\n", "role": "user" }, { "content": "wrap_notification", "role": "assistant" } ]
async def listen_all_notifications(self, callback): """Enable all exposed notifications. :param callback: Callback to call when a notification is received. """ everything = [noti.asdict() for noti in self.notifications] if len(everything) > 0: await self._methods['switchNotifications']({'enabled': everything}, _consumer=callback) else: _LOGGER.debug('No notifications available for %s', self.name)
listen_all_notifications
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def listen_all_notifications(self, callback):\n \"\"\"Enable all exposed notifications.\n\n :param callback: Callback to call when a notification is received.\n \"\"\"\n everything = [noti.asdict() for noti in self.notifications]\n if len(everything) > 0:\n await self._methods['switchNotifications']({'enabled': everything},\n _consumer=callback)\n else:\n _LOGGER.debug('No notifications available for %s', self.name)\n", "role": "user" }, { "content": "listen_all_notifications", "role": "assistant" } ]
def x(self): return {'methods': {m.name: m.asdict() for m in self.methods}, 'protocols': self.protocols, 'notifications': {n.name: n.asdict() for n in self.notifications}}
asdict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return {'methods': {m.name: m.asdict() for m in self.methods},\n 'protocols': self.protocols, 'notifications': {n.name: n.asdict() for\n n in self.notifications}}\n", "role": "user" }, { "content": "asdict", "role": "assistant" } ]
def x(infn: Path, outfn: Path, c1: dict) ->xarray.Dataset: if infn is not None: infn = Path(infn).expanduser() if infn.suffix == '.h5': TR = xarray.open_dataset(infn) return TR c1.update({'model': 0, 'itype': 1, 'iemsct': 1, 'im': 1, 'ird1': 1}) if not infn: c1['p'] = [949.0, 959.0] c1['t'] = [283.8, 285.0] c1['wmol'] = [[93.96, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0], [93.96, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0]] c1['time'] = [parse('2017-04-05T12'), parse('2017-04-05T18')] else: PTdata = read_csv(infn) c1['p'] = PTdata['p'] c1['t'] = PTdata['Ta'] c1['wmol'] = np.zeros((PTdata.shape[0], 12)) c1['wmol'][:, 0] = PTdata['RH'] c1['time'] = [parse(t) for t in PTdata['time']] TR = loopuserdef(c1) return TR
horizrad
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(infn: Path, outfn: Path, c1: dict) ->xarray.Dataset:\n if infn is not None:\n infn = Path(infn).expanduser()\n if infn.suffix == '.h5':\n TR = xarray.open_dataset(infn)\n return TR\n c1.update({'model': 0, 'itype': 1, 'iemsct': 1, 'im': 1, 'ird1': 1})\n if not infn:\n c1['p'] = [949.0, 959.0]\n c1['t'] = [283.8, 285.0]\n c1['wmol'] = [[93.96, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, \n 0.0, 0.0], [93.96, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0,\n 0.0, 0.0]]\n c1['time'] = [parse('2017-04-05T12'), parse('2017-04-05T18')]\n else:\n PTdata = read_csv(infn)\n c1['p'] = PTdata['p']\n c1['t'] = PTdata['Ta']\n c1['wmol'] = np.zeros((PTdata.shape[0], 12))\n c1['wmol'][:, 0] = PTdata['RH']\n c1['time'] = [parse(t) for t in PTdata['time']]\n TR = loopuserdef(c1)\n return TR\n", "role": "user" }, { "content": "horizrad", "role": "assistant" } ]
def x(short_nm: float, long_nm: float, step_cminv: float=20) ->Tuple[float, float, float]: short = 10000000.0 / short_nm long = 10000000.0 / long_nm N = int(np.ceil((short - long) / step_cminv)) + 1 return short, long, N
nm2lt7
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(short_nm: float, long_nm: float, step_cminv: float=20) ->Tuple[float,\n float, float]:\n short = 10000000.0 / short_nm\n long = 10000000.0 / long_nm\n N = int(np.ceil((short - long) / step_cminv)) + 1\n return short, long, N\n", "role": "user" }, { "content": "nm2lt7", "role": "assistant" } ]
def x(c1: Dict[str, Any]) ->xarray.DataArray: wmol = np.atleast_2d(c1['wmol']) P = np.atleast_1d(c1['p']) T = np.atleast_1d(c1['t']) time = np.atleast_1d(c1['time']) assert wmol.shape[0] == len(P) == len(T) == len(time ), 'WMOL, P, T,time must be vectors of equal length' N = len(P) TR = xarray.Dataset(coords={'time': time, 'wavelength_nm': None, 'angle_deg': None}) for i in range(N): c = c1.copy() c['wmol'] = wmol[i, :] c['p'] = P[i] c['t'] = T[i] c['time'] = time[i] TR = TR.merge(golowtran(c)) return TR
loopuserdef
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(c1: Dict[str, Any]) ->xarray.DataArray:\n wmol = np.atleast_2d(c1['wmol'])\n P = np.atleast_1d(c1['p'])\n T = np.atleast_1d(c1['t'])\n time = np.atleast_1d(c1['time'])\n assert wmol.shape[0] == len(P) == len(T) == len(time\n ), 'WMOL, P, T,time must be vectors of equal length'\n N = len(P)\n TR = xarray.Dataset(coords={'time': time, 'wavelength_nm': None,\n 'angle_deg': None})\n for i in range(N):\n c = c1.copy()\n c['wmol'] = wmol[i, :]\n c['p'] = P[i]\n c['t'] = T[i]\n c['time'] = time[i]\n TR = TR.merge(golowtran(c))\n return TR\n", "role": "user" }, { "content": "loopuserdef", "role": "assistant" } ]
def x(c1: Dict[str, Any]) ->xarray.Dataset: angles = np.atleast_1d(c1['angle']) TR = xarray.Dataset(coords={'wavelength_nm': None, 'angle_deg': angles}) for a in angles: c = c1.copy() c['angle'] = a TR = TR.merge(golowtran(c)) return TR
loopangle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(c1: Dict[str, Any]) ->xarray.Dataset:\n angles = np.atleast_1d(c1['angle'])\n TR = xarray.Dataset(coords={'wavelength_nm': None, 'angle_deg': angles})\n for a in angles:\n c = c1.copy()\n c['angle'] = a\n TR = TR.merge(golowtran(c))\n return TR\n", "role": "user" }, { "content": "loopangle", "role": "assistant" } ]
def x(c1: Dict[str, Any]) ->xarray.Dataset: c1.setdefault('time', None) defp = ('h1', 'h2', 'angle', 'im', 'iseasn', 'ird1', 'range_km', 'zmdl', 'p', 't') for p in defp: c1.setdefault(p, 0) c1.setdefault('wmol', [0] * 12) assert len(c1['wmol'] ) == 12, 'see Lowtran user manual for 12 values of WMOL' assert np.isfinite(c1['h1'] ), 'per Lowtran user manual Table 14, H1 must always be defined' c1.setdefault('wlstep', 20) if c1['wlstep'] < 5: logging.critical( 'minimum resolution 5 cm^-1, specified resolution 20 cm^-1') wlshort, wllong, nwl = nm2lt7(c1['wlshort'], c1['wllong'], c1['wlstep']) if not 0 < wlshort and wllong <= 50000: logging.critical( 'specified model range 0 <= wavelength [cm^-1] <= 50000') """ Note we invoke case "3a" from table 14, only observer altitude and apparent angle are specified """ Tx, V, Alam, trace, unif, suma, irrad, sumvv = lowtran7.lwtrn7(True, nwl, wllong, wlshort, c1['wlstep'], c1['model'], c1['itype'], c1[ 'iemsct'], c1['im'], c1['iseasn'], c1['ird1'], c1['zmdl'], c1['p'], c1['t'], c1['wmol'], c1['h1'], c1['h2'], c1['angle'], c1['range_km']) dims = 'time', 'wavelength_nm', 'angle_deg' TR = xarray.Dataset({'transmission': (dims, Tx[:, 9][None, :, None]), 'radiance': (dims, sumvv[None, :, None]), 'irradiance': (dims, irrad[:, 0][None, :, None]), 'pathscatter': (dims, irrad[:, 2][None, :, None])}, coords={'time': [c1['time']], 'wavelength_nm': Alam * 1000.0, 'angle_deg': [c1['angle']]}) return TR
golowtran
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(c1: Dict[str, Any]) ->xarray.Dataset:\n c1.setdefault('time', None)\n defp = ('h1', 'h2', 'angle', 'im', 'iseasn', 'ird1', 'range_km', 'zmdl',\n 'p', 't')\n for p in defp:\n c1.setdefault(p, 0)\n c1.setdefault('wmol', [0] * 12)\n assert len(c1['wmol']\n ) == 12, 'see Lowtran user manual for 12 values of WMOL'\n assert np.isfinite(c1['h1']\n ), 'per Lowtran user manual Table 14, H1 must always be defined'\n c1.setdefault('wlstep', 20)\n if c1['wlstep'] < 5:\n logging.critical(\n 'minimum resolution 5 cm^-1, specified resolution 20 cm^-1')\n wlshort, wllong, nwl = nm2lt7(c1['wlshort'], c1['wllong'], c1['wlstep'])\n if not 0 < wlshort and wllong <= 50000:\n logging.critical(\n 'specified model range 0 <= wavelength [cm^-1] <= 50000')\n \"\"\"\n Note we invoke case \"3a\" from table 14, only observer altitude and apparent\n angle are specified\n \"\"\"\n Tx, V, Alam, trace, unif, suma, irrad, sumvv = lowtran7.lwtrn7(True,\n nwl, wllong, wlshort, c1['wlstep'], c1['model'], c1['itype'], c1[\n 'iemsct'], c1['im'], c1['iseasn'], c1['ird1'], c1['zmdl'], c1['p'],\n c1['t'], c1['wmol'], c1['h1'], c1['h2'], c1['angle'], c1['range_km'])\n dims = 'time', 'wavelength_nm', 'angle_deg'\n TR = xarray.Dataset({'transmission': (dims, Tx[:, 9][None, :, None]),\n 'radiance': (dims, sumvv[None, :, None]), 'irradiance': (dims,\n irrad[:, 0][None, :, None]), 'pathscatter': (dims, irrad[:, 2][None,\n :, None])}, coords={'time': [c1['time']], 'wavelength_nm': Alam * \n 1000.0, 'angle_deg': [c1['angle']]})\n return TR\n", "role": "user" }, { "content": "golowtran", "role": "assistant" } ]
def x(TR: xarray.Dataset, c1: Dict[str, Any], log: bool=False): for t in TR.time: plotirrad(TR.sel(time=t), c1, log)
plotradtime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(TR: xarray.Dataset, c1: Dict[str, Any], log: bool=False):\n for t in TR.time:\n plotirrad(TR.sel(time=t), c1, log)\n", "role": "user" }, { "content": "plotradtime", "role": "assistant" } ]
def x(self) ->Dict[str, Union[Dict, Union[str, Dict]]]: return {'service': self.service.name, **self.signature.serialize()}
asdict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->Dict[str, Union[Dict, Union[str, Dict]]]:\n return {'service': self.service.name, **self.signature.serialize()}\n", "role": "user" }, { "content": "asdict", "role": "assistant" } ]
def x(self): try: errcode = DeviceErrorCode(self.error_code) return '%s (%s): %s' % (errcode.name, errcode.value, self.error_message ) except: return 'Error %s: %s' % (self.error_code, self.error_message)
error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n errcode = DeviceErrorCode(self.error_code)\n return '%s (%s): %s' % (errcode.name, errcode.value, self.error_message\n )\n except:\n return 'Error %s: %s' % (self.error_code, self.error_message)\n", "role": "user" }, { "content": "error", "role": "assistant" } ]
def x(msg): click.echo(click.style(msg, fg='red', bold=True))
err
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg):\n click.echo(click.style(msg, fg='red', bold=True))\n", "role": "user" }, { "content": "err", "role": "assistant" } ]
def x(f): f = asyncio.coroutine(f) def x(*args, **kwargs): loop = asyncio.get_event_loop() try: return loop.run_until_complete(f(*args, **kwargs)) except KeyboardInterrupt: click.echo('Got CTRL+C, quitting..') dev = args[0] loop.run_until_complete(dev.stop_listen_notifications()) except SongpalException as ex: err('Error: %s' % ex) if len(args) > 0 and hasattr(args[0], 'debug'): if args[0].debug > 0: raise ex return update_wrapper(wrapper, f)
coro
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n f = asyncio.coroutine(f)\n\n def x(*args, **kwargs):\n loop = asyncio.get_event_loop()\n try:\n return loop.run_until_complete(f(*args, **kwargs))\n except KeyboardInterrupt:\n click.echo('Got CTRL+C, quitting..')\n dev = args[0]\n loop.run_until_complete(dev.stop_listen_notifications())\n except SongpalException as ex:\n err('Error: %s' % ex)\n if len(args) > 0 and hasattr(args[0], 'debug'):\n if args[0].debug > 0:\n raise ex\n return update_wrapper(wrapper, f)\n", "role": "user" }, { "content": "coro", "role": "assistant" } ]
async def traverse_settings(dev, module, settings, depth=0): """Print all available settings.""" for setting in settings: if setting.is_directory: print('%s%s (%s)' % (depth * ' ', setting.title, module)) return await traverse_settings(dev, module, setting.settings, depth + 2) else: try: print_settings([await setting.get_value(dev)], depth=depth) except SongpalException as ex: err('Unable to read setting %s: %s' % (setting, ex)) continue
traverse_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def traverse_settings(dev, module, settings, depth=0):\n \"\"\"Print all available settings.\"\"\"\n for setting in settings:\n if setting.is_directory:\n print('%s%s (%s)' % (depth * ' ', setting.title, module))\n return await traverse_settings(dev, module, setting.settings, \n depth + 2)\n else:\n try:\n print_settings([await setting.get_value(dev)], depth=depth)\n except SongpalException as ex:\n err('Unable to read setting %s: %s' % (setting, ex))\n continue\n", "role": "user" }, { "content": "traverse_settings", "role": "assistant" } ]
def x(settings, depth=0): if isinstance(settings, Setting): settings = [settings] for setting in settings: cur = setting.currentValue print('%s* %s (%s, value: %s, type: %s)' % (' ' * depth, setting. title, setting.target, click.style(cur, bold=True), setting.type)) for opt in setting.candidate: if not opt.isAvailable: logging.debug('Unavailable setting %s', opt) continue click.echo(click.style('%s - %s (%s)' % (' ' * depth, opt. title, opt.value), bold=opt.value == cur))
print_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(settings, depth=0):\n if isinstance(settings, Setting):\n settings = [settings]\n for setting in settings:\n cur = setting.currentValue\n print('%s* %s (%s, value: %s, type: %s)' % (' ' * depth, setting.\n title, setting.target, click.style(cur, bold=True), setting.type))\n for opt in setting.candidate:\n if not opt.isAvailable:\n logging.debug('Unavailable setting %s', opt)\n continue\n click.echo(click.style('%s - %s (%s)' % (' ' * depth, opt.\n title, opt.value), bold=opt.value == cur))\n", "role": "user" }, { "content": "print_settings", "role": "assistant" } ]
async def cli(ctx, endpoint, debug, websocket, post): """Songpal CLI.""" lvl = logging.INFO if debug: lvl = logging.DEBUG click.echo('Setting debug level to %s' % debug) logging.basicConfig(level=lvl) if ctx.invoked_subcommand == 'discover': ctx.obj = {'debug': debug} return if endpoint is None: err("Endpoint is required except when with 'discover'!") return protocol = None if post and websocket: err('You can force either --post or --websocket') return elif websocket: protocol = ProtocolType.WebSocket elif post: protocol = ProtocolType.XHRPost logging.debug('Using endpoint %s', endpoint) x = Device(endpoint, force_protocol=protocol, debug=debug) try: await x.get_supported_methods() except (requests.exceptions.ConnectionError, SongpalException) as ex: err('Unable to get supported methods: %s' % ex) sys.exit(-1) ctx.obj = x
cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def cli(ctx, endpoint, debug, websocket, post):\n \"\"\"Songpal CLI.\"\"\"\n lvl = logging.INFO\n if debug:\n lvl = logging.DEBUG\n click.echo('Setting debug level to %s' % debug)\n logging.basicConfig(level=lvl)\n if ctx.invoked_subcommand == 'discover':\n ctx.obj = {'debug': debug}\n return\n if endpoint is None:\n err(\"Endpoint is required except when with 'discover'!\")\n return\n protocol = None\n if post and websocket:\n err('You can force either --post or --websocket')\n return\n elif websocket:\n protocol = ProtocolType.WebSocket\n elif post:\n protocol = ProtocolType.XHRPost\n logging.debug('Using endpoint %s', endpoint)\n x = Device(endpoint, force_protocol=protocol, debug=debug)\n try:\n await x.get_supported_methods()\n except (requests.exceptions.ConnectionError, SongpalException) as ex:\n err('Unable to get supported methods: %s' % ex)\n sys.exit(-1)\n ctx.obj = x\n", "role": "user" }, { "content": "cli", "role": "assistant" } ]
async def status(dev: Device): """Display status information.""" power = await dev.get_power() click.echo(click.style('%s' % power, bold=power)) vol = await dev.get_volume_information() click.echo(vol.pop()) play_info = await dev.get_play_info() if not play_info.is_idle: click.echo('Playing %s' % play_info) else: click.echo('Not playing any media') outs = await dev.get_inputs() for out in outs: if out.active: click.echo('Active output: %s' % out) sysinfo = await dev.get_system_info() click.echo('System information: %s' % sysinfo)
status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def status(dev: Device):\n \"\"\"Display status information.\"\"\"\n power = await dev.get_power()\n click.echo(click.style('%s' % power, bold=power))\n vol = await dev.get_volume_information()\n click.echo(vol.pop())\n play_info = await dev.get_play_info()\n if not play_info.is_idle:\n click.echo('Playing %s' % play_info)\n else:\n click.echo('Not playing any media')\n outs = await dev.get_inputs()\n for out in outs:\n if out.active:\n click.echo('Active output: %s' % out)\n sysinfo = await dev.get_system_info()\n click.echo('System information: %s' % sysinfo)\n", "role": "user" }, { "content": "status", "role": "assistant" } ]
async def discover(ctx): """Discover supported devices.""" TIMEOUT = 5 async def print_discovered(dev): pretty_name = '%s - %s' % (dev.name, dev.model_number) click.echo(click.style('\nFound %s' % pretty_name, bold=True)) click.echo('* API version: %s' % dev.version) click.echo('* Endpoint: %s' % dev.endpoint) click.echo(' Services:') for serv in dev.services: click.echo(' - Service: %s' % serv) click.echo('\n[UPnP]') click.echo('* URL: %s' % dev.upnp_location) click.echo('* UDN: %s' % dev.udn) click.echo(' Services:') for serv in dev.upnp_services: click.echo(' - Service: %s' % serv) click.echo('Discovering for %s seconds' % TIMEOUT) await Discover.discover(TIMEOUT, ctx.obj['debug'] or 0, callback= print_discovered)
discover
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def discover(ctx):\n \"\"\"Discover supported devices.\"\"\"\n TIMEOUT = 5\n\n async def print_discovered(dev):\n pretty_name = '%s - %s' % (dev.name, dev.model_number)\n click.echo(click.style('\\nFound %s' % pretty_name, bold=True))\n click.echo('* API version: %s' % dev.version)\n click.echo('* Endpoint: %s' % dev.endpoint)\n click.echo(' Services:')\n for serv in dev.services:\n click.echo(' - Service: %s' % serv)\n click.echo('\\n[UPnP]')\n click.echo('* URL: %s' % dev.upnp_location)\n click.echo('* UDN: %s' % dev.udn)\n click.echo(' Services:')\n for serv in dev.upnp_services:\n click.echo(' - Service: %s' % serv)\n click.echo('Discovering for %s seconds' % TIMEOUT)\n await Discover.discover(TIMEOUT, ctx.obj['debug'] or 0, callback=\n print_discovered)\n", "role": "user" }, { "content": "discover", "role": "assistant" } ]
async def power(dev: Device, cmd, target, value): """Turn on and off, control power settings. Accepts commands 'on', 'off', and 'settings'. """ async def try_turn(cmd): state = True if cmd == 'on' else False try: return await dev.set_power(state) except SongpalException as ex: if ex.code == 3: err('The device is already %s.' % cmd) else: raise ex if cmd == 'on' or cmd == 'off': click.echo(await try_turn(cmd)) elif cmd == 'settings': settings = await dev.get_power_settings() print_settings(settings) elif cmd == 'set' and target and value: click.echo(await dev.set_power_settings(target, value)) else: power = await dev.get_power() click.echo(click.style(str(power), bold=power))
power
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def power(dev: Device, cmd, target, value):\n \"\"\"Turn on and off, control power settings.\n\n Accepts commands 'on', 'off', and 'settings'.\n \"\"\"\n\n async def try_turn(cmd):\n state = True if cmd == 'on' else False\n try:\n return await dev.set_power(state)\n except SongpalException as ex:\n if ex.code == 3:\n err('The device is already %s.' % cmd)\n else:\n raise ex\n if cmd == 'on' or cmd == 'off':\n click.echo(await try_turn(cmd))\n elif cmd == 'settings':\n settings = await dev.get_power_settings()\n print_settings(settings)\n elif cmd == 'set' and target and value:\n click.echo(await dev.set_power_settings(target, value))\n else:\n power = await dev.get_power()\n click.echo(click.style(str(power), bold=power))\n", "role": "user" }, { "content": "power", "role": "assistant" } ]
async def input(dev: Device, input, output): """Get and change outputs.""" inputs = await dev.get_inputs() if input: click.echo('Activating %s' % input) try: input = next(x for x in inputs if x.title == input) except StopIteration: click.echo('Unable to find input %s' % input) return zone = None if output: zone = await dev.get_zone(output) if zone.uri not in input.outputs: click.echo('Input %s not valid for zone %s' % (input.title, output)) return await input.activate(zone) else: click.echo('Inputs:') for input in inputs: act = False if input.active: act = True click.echo(' * ' + click.style(str(input), bold=act)) for out in input.outputs: click.echo(' - %s' % out)
input
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def input(dev: Device, input, output):\n \"\"\"Get and change outputs.\"\"\"\n inputs = await dev.get_inputs()\n if input:\n click.echo('Activating %s' % input)\n try:\n input = next(x for x in inputs if x.title == input)\n except StopIteration:\n click.echo('Unable to find input %s' % input)\n return\n zone = None\n if output:\n zone = await dev.get_zone(output)\n if zone.uri not in input.outputs:\n click.echo('Input %s not valid for zone %s' % (input.title,\n output))\n return\n await input.activate(zone)\n else:\n click.echo('Inputs:')\n for input in inputs:\n act = False\n if input.active:\n act = True\n click.echo(' * ' + click.style(str(input), bold=act))\n for out in input.outputs:\n click.echo(' - %s' % out)\n", "role": "user" }, { "content": "input", "role": "assistant" } ]
async def zone(dev: Device, zone, activate): """Get and change outputs.""" if zone: zone = await dev.get_zone(zone) click.echo('%s %s' % ('Activating' if activate else 'Deactivating', zone)) await zone.activate(activate) else: click.echo('Zones:') for zone in (await dev.get_zones()): act = False if zone.active: act = True click.echo(' * ' + click.style(str(zone), bold=act))
zone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def zone(dev: Device, zone, activate):\n \"\"\"Get and change outputs.\"\"\"\n if zone:\n zone = await dev.get_zone(zone)\n click.echo('%s %s' % ('Activating' if activate else 'Deactivating',\n zone))\n await zone.activate(activate)\n else:\n click.echo('Zones:')\n for zone in (await dev.get_zones()):\n act = False\n if zone.active:\n act = True\n click.echo(' * ' + click.style(str(zone), bold=act))\n", "role": "user" }, { "content": "zone", "role": "assistant" } ]
async def googlecast(dev: Device, target, value): """Return Googlecast settings.""" if target and value: click.echo('Setting %s = %s' % (target, value)) await dev.set_googlecast_settings(target, value) print_settings(await dev.get_googlecast_settings())
googlecast
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def googlecast(dev: Device, target, value):\n \"\"\"Return Googlecast settings.\"\"\"\n if target and value:\n click.echo('Setting %s = %s' % (target, value))\n await dev.set_googlecast_settings(target, value)\n print_settings(await dev.get_googlecast_settings())\n", "role": "user" }, { "content": "googlecast", "role": "assistant" } ]
async def source(dev: Device, scheme): """List available sources. If no `scheme` is given, will list sources for all sc hemes. """ if scheme is None: schemes = await dev.get_schemes() schemes = [scheme.scheme for scheme in schemes] else: schemes = [scheme] for schema in schemes: try: sources = await dev.get_source_list(schema) except SongpalException as ex: click.echo('Unable to get sources for %s' % schema) continue for src in sources: click.echo(src) if src.isBrowsable: try: count = await dev.get_content_count(src.source) if count.count > 0: click.echo(' %s' % count) for content in (await dev.get_contents(src.source)): click.echo(' %s\n\t%s' % (content.title, content.uri)) else: click.echo(' No content to list.') except SongpalException as ex: click.echo(' %s' % ex)
source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def source(dev: Device, scheme):\n \"\"\"List available sources.\n\n If no `scheme` is given, will list sources for all sc hemes.\n \"\"\"\n if scheme is None:\n schemes = await dev.get_schemes()\n schemes = [scheme.scheme for scheme in schemes]\n else:\n schemes = [scheme]\n for schema in schemes:\n try:\n sources = await dev.get_source_list(schema)\n except SongpalException as ex:\n click.echo('Unable to get sources for %s' % schema)\n continue\n for src in sources:\n click.echo(src)\n if src.isBrowsable:\n try:\n count = await dev.get_content_count(src.source)\n if count.count > 0:\n click.echo(' %s' % count)\n for content in (await dev.get_contents(src.source)):\n click.echo(' %s\\n\\t%s' % (content.title,\n content.uri))\n else:\n click.echo(' No content to list.')\n except SongpalException as ex:\n click.echo(' %s' % ex)\n", "role": "user" }, { "content": "source", "role": "assistant" } ]
async def volume(dev: Device, volume, output): """Get and set the volume settings. Passing 'mute' as new volume will mute the volume, 'unmute' removes it. """ vol = None vol_controls = await dev.get_volume_information() if output is not None: click.echo('Using output: %s' % output) output_uri = (await dev.get_zone(output)).uri for v in vol_controls: if v.output == output_uri: vol = v break else: vol = vol_controls[0] if vol is None: err('Unable to find volume controller: %s' % output) return if volume and volume == 'mute': click.echo('Muting') await vol.set_mute(True) elif volume and volume == 'unmute': click.echo('Unmuting') await vol.set_mute(False) elif volume: click.echo('Setting volume to %s' % volume) await vol.set_volume(volume) if output is not None: click.echo(vol) else: [click.echo(x) for x in vol_controls]
volume
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def volume(dev: Device, volume, output):\n \"\"\"Get and set the volume settings.\n\n Passing 'mute' as new volume will mute the volume,\n 'unmute' removes it.\n \"\"\"\n vol = None\n vol_controls = await dev.get_volume_information()\n if output is not None:\n click.echo('Using output: %s' % output)\n output_uri = (await dev.get_zone(output)).uri\n for v in vol_controls:\n if v.output == output_uri:\n vol = v\n break\n else:\n vol = vol_controls[0]\n if vol is None:\n err('Unable to find volume controller: %s' % output)\n return\n if volume and volume == 'mute':\n click.echo('Muting')\n await vol.set_mute(True)\n elif volume and volume == 'unmute':\n click.echo('Unmuting')\n await vol.set_mute(False)\n elif volume:\n click.echo('Setting volume to %s' % volume)\n await vol.set_volume(volume)\n if output is not None:\n click.echo(vol)\n else:\n [click.echo(x) for x in vol_controls]\n", "role": "user" }, { "content": "volume", "role": "assistant" } ]
async def schemes(dev: Device): """Print supported uri schemes.""" schemes = await dev.get_schemes() for scheme in schemes: click.echo(scheme)
schemes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def schemes(dev: Device):\n \"\"\"Print supported uri schemes.\"\"\"\n schemes = await dev.get_schemes()\n for scheme in schemes:\n click.echo(scheme)\n", "role": "user" }, { "content": "schemes", "role": "assistant" } ]
async def check_update(dev: Device, internet: bool, update: bool): """Print out update information.""" if internet: print('Checking updates from network') else: print('Not checking updates from internet') update_info = await dev.get_update_info(from_network=internet) if not update_info.isUpdatable: click.echo('No updates available.') return if not update: click.echo('Update available: %s' % update_info) click.echo('Use --update to activate update!') else: click.echo('Activating update, please be seated.') res = await dev.activate_system_update() click.echo('Update result: %s' % res)
check_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def check_update(dev: Device, internet: bool, update: bool):\n \"\"\"Print out update information.\"\"\"\n if internet:\n print('Checking updates from network')\n else:\n print('Not checking updates from internet')\n update_info = await dev.get_update_info(from_network=internet)\n if not update_info.isUpdatable:\n click.echo('No updates available.')\n return\n if not update:\n click.echo('Update available: %s' % update_info)\n click.echo('Use --update to activate update!')\n else:\n click.echo('Activating update, please be seated.')\n res = await dev.activate_system_update()\n click.echo('Update result: %s' % res)\n", "role": "user" }, { "content": "check_update", "role": "assistant" } ]
async def bluetooth(dev: Device, target, value): """Get or set bluetooth settings.""" if target and value: await dev.set_bluetooth_settings(target, value) print_settings(await dev.get_bluetooth_settings())
bluetooth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def bluetooth(dev: Device, target, value):\n \"\"\"Get or set bluetooth settings.\"\"\"\n if target and value:\n await dev.set_bluetooth_settings(target, value)\n print_settings(await dev.get_bluetooth_settings())\n", "role": "user" }, { "content": "bluetooth", "role": "assistant" } ]