source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, node, new_node): assert not self.node_is_on_list(new_node) assert node is not new_node prev = self.node_prev(node) assert prev is not None self.node_set_prev(node, new_node) self.node_set_next(new_node, node) self.node_set_prev(new_node, prev) self.node_set_next(prev, new_node)
node_insert_before
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, new_node):\n assert not self.node_is_on_list(new_node)\n assert node is not new_node\n prev = self.node_prev(node)\n assert prev is not...
def x(self): new_peer_to_rtfilter_map = self._compute_rtfilter_map() for peer in self._peer_manager.iterpeers: pre_rt_filter = self._rt_mgr.peer_to_rtfilter_map.get(peer, set()) curr_rt_filter = new_peer_to_rtfilter_map.get(peer, set()) old_rts = pre_rt_filter - curr_rt_filter new_rts = curr_rt_filter - pre_rt_filter if new_rts or old_rts: LOG.debug( 'RT Filter for peer %s updated: Added RTs %s, Removed Rts %s', peer.ip_address, new_rts, old_rts) self._on_update_rt_filter(peer, new_rts, old_rts) self._peer_manager.set_peer_to_rtfilter_map(new_peer_to_rtfilter_map) self._rt_mgr.peer_to_rtfilter_map = new_peer_to_rtfilter_map LOG.debug('Updated RT filters: %s', self._rt_mgr.peer_to_rtfilter_map) self._rt_mgr.update_interested_rts()
update_rtfilters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n new_peer_to_rtfilter_map = self._compute_rtfilter_map()\n for peer in self._peer_manager.iterpeers:\n pre_rt_filter = self._rt_mgr.peer_t...
def x(self, peer, new_rts, old_rts): for table in self._table_manager._global_tables.values(): if table.route_family == RF_RTC_UC: continue self._spawn('rt_filter_chg_%s' % peer, self._rt_mgr. on_rt_filter_chg_sync_peer, peer, new_rts, old_rts, table) LOG.debug('RT Filter change handler launched for route_family %s', table.route_family)
on_update_rt_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, peer, new_rts, old_rts):\n for table in self._table_manager._global_tables.values():\n if table.route_family == RF_RTC_UC:\n continu...
def x(self): rtfilter_map = {} def x(neigh): neigh_filter = rtfilter_map.get(neigh) if neigh_filter is None: neigh_filter = set() rtfilter_map[neigh] = neigh_filter return neigh_filter if self._common_config.max_path_ext_rtfilter_all: for rtcdest in self._table_manager.get_rtc_table().values(): known_path_list = rtcdest.known_path_list for path in known_path_list: neigh = path.source if neigh is None: continue neigh_filter = get_neigh_filter(neigh) neigh_filter.add(path.nlri.route_target) else: for rtcdest in self._table_manager.get_rtc_table().values(): path = rtcdest.best_path if not path: continue neigh = path.source if neigh and neigh.is_ebgp_peer(): neigh_filter = get_neigh_filter(neigh) neigh_filter.add(path.nlri.route_target) else: known_path_list = rtcdest.known_path_list for path in known_path_list: neigh = path.source if neigh and not neigh.is_ebgp_peer(): neigh_filter = get_neigh_filter(neigh) neigh_filter.add(path.nlri.route_target) return rtfilter_map
compute_rtfilter_map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n rtfilter_map = {}\n\n def x(neigh):\n neigh_filter = rtfilter_map.get(neigh)\n if neigh_filter is None:\n neigh_filter ...
def x(self, socket): assert socket peer_addr, peer_port = self.get_remotename(socket) peer = self._peer_manager.get_by_addr(peer_addr) bgp_proto = self.build_protocol(socket) if not peer or not peer.enabled: LOG.debug('Closed connection %s %s:%s as it is not a recognized peer.', 'from' if bgp_proto.is_reactive else 'to', peer_addr, peer_port) code = BGP_ERROR_CEASE subcode = BGP_ERROR_SUB_CONNECTION_RESET bgp_proto.send_notification(code, subcode) elif bgp_proto.is_reactive and peer.connect_mode is CONNECT_MODE_ACTIVE: LOG.debug( 'Closed connection from %s:%s as connect_mode is configured ACTIVE.' , peer_addr, peer_port) code = BGP_ERROR_CEASE subcode = BGP_ERROR_SUB_CONNECTION_RESET bgp_proto.send_notification(code, subcode) elif not (peer.in_idle() or peer.in_active() or peer.in_connect()): LOG.debug( 'Closing connection to %s:%s as we have connection in state other than IDLE or ACTIVE, i.e. connection resolution' , peer_addr, peer_port) code = BGP_ERROR_CEASE subcode = BGP_ERROR_SUB_CONNECTION_COLLISION_RESOLUTION bgp_proto.send_notification(code, subcode) else: bind_ip, bind_port = self.get_localname(socket) peer._host_bind_ip = bind_ip peer._host_bind_port = bind_port self._spawn_activity(bgp_proto, peer)
start_protocol
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, socket):\n assert socket\n peer_addr, peer_port = self.get_remotename(socket)\n peer = self._peer_manager.get_by_addr(peer_addr)\n bgp_proto ...
def x(path_cost1, path_cost2, bridge_id1, bridge_id2, port_id1, port_id2): result = Stp._cmp_value(path_cost1, path_cost2) if not result: result = Stp._cmp_value(bridge_id1, bridge_id2) if not result: result = Stp._cmp_value(port_id1, port_id2) return result
compare_root_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path_cost1, path_cost2, bridge_id1, bridge_id2, port_id1, port_id2):\n result = Stp._cmp_value(path_cost1, path_cost2)\n if not result:\n result =...
def x(my_priority, my_times, rcv_priority, rcv_times): if my_priority is None: result = SUPERIOR else: result = Stp._cmp_value(rcv_priority.root_id.value, my_priority. root_id.value) if not result: result = Stp.compare_root_path(rcv_priority.root_path_cost, my_priority.root_path_cost, rcv_priority. designated_bridge_id.value, my_priority. designated_bridge_id.value, rcv_priority.designated_port_id .value, my_priority.designated_port_id.value) if not result: result1 = Stp._cmp_value(rcv_priority.designated_bridge_id. value, mac.haddr_to_int(my_priority. designated_bridge_id.mac_addr)) result2 = Stp._cmp_value(rcv_priority.designated_port_id. value, my_priority.designated_port_id.port_no) if not result1 and not result2: result = SUPERIOR else: result = Stp._cmp_obj(rcv_times, my_times) return result
compare_bpdu_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(my_priority, my_times, rcv_priority, rcv_times):\n if my_priority is None:\n result = SUPERIOR\n else:\n result = Stp._cmp_value(rcv_priori...
def x(self, ofp_port): port = self.ports[ofp_port.port_no] init_stp_flg = bool(port.role is ROOT_PORT) port.down(PORT_STATE_DISABLE, msg_init=True) self.ports_state[ofp_port.port_no] = ofp_port.state if init_stp_flg: self.recalculate_spanning_tree()
link_down
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ofp_port):\n port = self.ports[ofp_port.port_no]\n init_stp_flg = bool(port.role is ROOT_PORT)\n port.down(PORT_STATE_DISABLE, msg_init=True)\n ...
def x(self, init=True): for port in self.ports.values(): if port.state is not PORT_STATE_DISABLE: port.down(PORT_STATE_BLOCK, msg_init=init) if init: self.send_event(EventTopologyChange(self.dp)) port_roles = {} self.root_priority = Priority(self.bridge_id, 0, None, None) self.root_times = self.bridge_times if init: self.logger.info('Root bridge.', extra=self.dpid_str) for port_no in self.ports: port_roles[port_no] = DESIGNATED_PORT else: port_roles, self.root_priority, self.root_times = (self. _spanning_tree_algorithm()) for port_no, role in port_roles.items(): if self.ports[port_no].state is not PORT_STATE_DISABLE: self.ports[port_no].up(role, self.root_priority, self.root_times)
recalculate_spanning_tree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, init=True):\n for port in self.ports.values():\n if port.state is not PORT_STATE_DISABLE:\n port.down(PORT_STATE_BLOCK, msg_init=ini...
def x(self): port_roles = {} root_port = self._select_root_port() if root_port is None: self.logger.info('Root bridge.', extra=self.dpid_str) root_priority = self.root_priority root_times = self.root_times for port_no in self.ports: if self.ports[port_no].state is not PORT_STATE_DISABLE: port_roles[port_no] = DESIGNATED_PORT else: self.logger.info('Non root bridge.', extra=self.dpid_str) root_priority = root_port.designated_priority root_times = root_port.designated_times port_roles[root_port.ofport.port_no] = ROOT_PORT d_ports = self._select_designated_port(root_port) for port_no in d_ports: port_roles[port_no] = DESIGNATED_PORT for port in self.ports.values(): if port.state is not PORT_STATE_DISABLE: port_roles.setdefault(port.ofport.port_no, NON_DESIGNATED_PORT) return port_roles, root_priority, root_times
spanning_tree_algorithm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n port_roles = {}\n root_port = self._select_root_port()\n if root_port is None:\n self.logger.info('Root bridge.', extra=self.dpid_str)...
def x(self): root_port = None for port in self.ports.values(): root_msg = (self.root_priority if root_port is None else root_port. designated_priority) port_msg = port.designated_priority if port.state is PORT_STATE_DISABLE or port_msg is None: continue if root_msg.root_id.value > port_msg.root_id.value: result = SUPERIOR elif root_msg.root_id.value == port_msg.root_id.value: if root_msg.designated_bridge_id is None: result = INFERIOR else: result = Stp.compare_root_path(port_msg.root_path_cost, root_msg.root_path_cost, port_msg.designated_bridge_id. value, root_msg.designated_bridge_id.value, port_msg. designated_port_id.value, root_msg.designated_port_id.value ) else: result = INFERIOR if result is SUPERIOR: root_port = port return root_port
select_root_port
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n root_port = None\n for port in self.ports.values():\n root_msg = (self.root_priority if root_port is None else root_port.\n de...
def x(self, root_port): d_ports = [] root_msg = root_port.designated_priority for port in self.ports.values(): port_msg = port.designated_priority if (port.state is PORT_STATE_DISABLE or port.ofport.port_no == root_port.ofport.port_no): continue if (port_msg is None or port_msg.root_id.value != root_msg.root_id. value): d_ports.append(port.ofport.port_no) else: result = Stp.compare_root_path(root_msg.root_path_cost, port_msg.root_path_cost - port.path_cost, self.bridge_id. value, port_msg.designated_bridge_id.value, port.port_id. value, port_msg.designated_port_id.value) if result is SUPERIOR: d_ports.append(port.ofport.port_no) return d_ports
select_designated_port
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, root_port):\n d_ports = []\n root_msg = root_port.designated_priority\n for port in self.ports.values():\n port_msg = port.designated_pri...
def x(self, role, root_priority, root_times): self.port_priority = root_priority self.port_times = root_times state = PORT_STATE_LISTEN if self.config_enable else PORT_STATE_DISABLE self._change_role(role) self._change_status(state)
up
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, role, root_priority, root_times):\n self.port_priority = root_priority\n self.port_times = root_times\n state = PORT_STATE_LISTEN if self.config...
def x(self, state, msg_init=False): assert state is PORT_STATE_DISABLE or state is PORT_STATE_BLOCK if not self.config_enable: return if msg_init: self.designated_priority = None self.designated_times = None self._change_role(DESIGNATED_PORT) self._change_status(state)
down
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, state, msg_init=False):\n assert state is PORT_STATE_DISABLE or state is PORT_STATE_BLOCK\n if not self.config_enable:\n return\n if msg_...
def x(self): role_str = {ROOT_PORT: 'ROOT_PORT ', DESIGNATED_PORT: 'DESIGNATED_PORT ', NON_DESIGNATED_PORT: 'NON_DESIGNATED_PORT'} state_str = {PORT_STATE_DISABLE: 'DISABLE', PORT_STATE_BLOCK: 'BLOCK', PORT_STATE_LISTEN: 'LISTEN', PORT_STATE_LEARN: 'LEARN', PORT_STATE_FORWARD: 'FORWARD'} if self.state is PORT_STATE_DISABLE: self.ofctl.set_port_status(self.ofport, self.state) while True: self.logger.info('[port=%d] %s / %s', self.ofport.port_no, role_str [self.role], state_str[self.state], extra=self.dpid_str) self.state_event = hub.Event() timer = self._get_timer() if timer: timeout = hub.Timeout(timer) try: self.state_event.wait() except hub.Timeout as t: if t is not timeout: err_msg = 'Internal error. Not my timeout.' raise RyuException(msg=err_msg) new_state = self._get_next_state() self._change_status(new_state, thread_switch=False) finally: timeout.cancel() else: self.state_event.wait() self.state_event = None
state_machine
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n role_str = {ROOT_PORT: 'ROOT_PORT ', DESIGNATED_PORT:\n 'DESIGNATED_PORT ', NON_DESIGNATED_PORT: 'NON_DESIGNATED_PORT'}\n sta...
def x(self): if not self.send_tc_flg: timer = datetime.timedelta(seconds=self.port_times.max_age + self. port_times.forward_delay) self.send_tc_timer = datetime.datetime.today() + timer self.send_tc_flg = True
transmit_tc_bpdu
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.send_tc_flg:\n timer = datetime.timedelta(seconds=self.port_times.max_age + self.\n port_times.forward_delay)\n ...
def x(self): ack_flags = 129 bpdu_data = self._generate_config_bpdu(ack_flags) self.ofctl.send_packet_out(self.ofport.port_no, bpdu_data)
transmit_ack_bpdu
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ack_flags = 129\n bpdu_data = self._generate_config_bpdu(ack_flags)\n self.ofctl.send_packet_out(self.ofport.port_no, bpdu_data)\n", "rol...
def x(self, *flags): mask = sum(flags) return self.bits & mask == mask
has_flags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *flags):\n mask = sum(flags)\n return self.bits & mask == mask\n", "role": "user" }, { "content": "has_flags", "role": "assistant" ...
def x(): try: idx = list(sys.argv).index('--user-flags') user_flags_file = sys.argv[idx + 1] except (ValueError, IndexError): user_flags_file = '' if user_flags_file and os.path.isfile(user_flags_file): from ryu.utils import _import_module_file _import_module_file(user_flags_file)
parse_user_flags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n try:\n idx = list(sys.argv).index('--user-flags')\n user_flags_file = sys.argv[idx + 1]\n except (ValueError, IndexError):\n us...
def x(version=0, vsid=0, flow_id=0): return gre(version=version, protocol=ether_types.ETH_TYPE_TEB, vsid= vsid, flow_id=flow_id)
nvgre
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(version=0, vsid=0, flow_id=0):\n return gre(version=version, protocol=ether_types.ETH_TYPE_TEB, vsid=\n vsid, flow_id=flow_id)\n", "role": "user"...
def x(dp, jsondict): parser = dp.ofproto_parser assert len(jsondict) == 1 for k, v in jsondict.items(): cls = getattr(parser, k) assert issubclass(cls, MsgBase) return cls.from_jsondict(v, datapath=dp)
ofp_msg_from_jsondict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dp, jsondict):\n parser = dp.ofproto_parser\n assert len(jsondict) == 1\n for k, v in jsondict.items():\n cls = getattr(parser, k)\n ass...
def x(dp, jsonlist, encap=True): proto = dp.ofproto parser = dp.ofproto_parser actions = [] result = [] for jsondict in jsonlist: assert len(jsondict) == 1 k, v = list(jsondict.items())[0] cls = getattr(parser, k) if issubclass(cls, parser.OFPAction): if encap: actions.append(cls.from_jsondict(v)) continue else: ofpinst = getattr(parser, 'OFPInstruction', None) if not ofpinst or not issubclass(cls, ofpinst): raise ValueError('Supplied jsondict is of wrong type: %s', jsondict) result.append(cls.from_jsondict(v)) if not encap: return result if actions: result = [parser.OFPInstructionActions(proto.OFPIT_APPLY_ACTIONS, actions)] + result return result
ofp_instruction_from_jsondict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dp, jsonlist, encap=True):\n proto = dp.ofproto\n parser = dp.ofproto_parser\n actions = []\n result = []\n for jsondict in jsonlist:\n a...
def x(s, addr, key): impls = {'FreeBSD': _set_tcp_md5sig_bsd, 'Linux': _set_tcp_md5sig_linux, 'NetBSD': _set_tcp_md5sig_bsd} system = platform.system() try: impl = impls[system] except KeyError: raise NotImplementedError('TCP-MD5 unsupported on this platform') impl(s, addr, key)
set_tcp_md5sig
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, addr, key):\n impls = {'FreeBSD': _set_tcp_md5sig_bsd, 'Linux': _set_tcp_md5sig_linux,\n 'NetBSD': _set_tcp_md5sig_bsd}\n system = platform.sys...
def x(addr, interval=None): assert len(addr) == 2 assert ip.valid_ipv4(addr[0]) or ip.valid_ipv6(addr[0]) ofp_handler = app_manager.lookup_service_brick(ofp_event.NAME) _TMP_ADDRESSES[addr] = interval def x(): while True: if ofp_handler.controller is not None: for a, i in _TMP_ADDRESSES.items(): ofp_handler.controller.spawn_client_loop(a, i) hub.sleep(1) break hub.sleep(1) hub.spawn(_retry_loop)
register_switch_address
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(addr, interval=None):\n assert len(addr) == 2\n assert ip.valid_ipv4(addr[0]) or ip.valid_ipv6(addr[0])\n ofp_handler = app_manager.lookup_service_bri...
def x(addr): ofp_handler = app_manager.lookup_service_brick(ofp_event.NAME) if ofp_handler.controller is None: return ofp_handler.controller.stop_client_loop(addr)
unregister_switch_address
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(addr):\n ofp_handler = app_manager.lookup_service_brick(ofp_event.NAME)\n if ofp_handler.controller is None:\n return\n ofp_handler.controller....
def x(quick_helps): ret = '' for line in quick_helps: cmd_path, param_hlp, cmd_hlp = line ret += ' '.join(cmd_path) + ' ' if param_hlp: ret += param_hlp + ' ' ret += '- ' + cmd_hlp + '\n' return ret
default_help_formatter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(quick_helps):\n ret = ''\n for line in quick_helps:\n cmd_path, param_hlp, cmd_hlp = line\n ret += ' '.join(cmd_path) + ' '\n if par...
def x(cls, resp): if not resp.value: return '' if resp.status == STATUS_OK: if type(resp.value) in (str, bool, int, float, six.text_type): return str(resp.value) ret = '' val = resp.value if not isinstance(val, list): val = [val] for line in val: for k, v in line.items(): if isinstance(v, dict): ret += cls.cli_resp_line_template.format(k, '\n' + pprint.pformat(v)) else: ret += cls.cli_resp_line_template.format(k, v) return ret else: return 'Error: {0}'.format(resp.value)
cli_resp_formatter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, resp):\n if not resp.value:\n return ''\n if resp.status == STATUS_OK:\n if type(resp.value) in (str, bool, int, float, six.text_type)...
def x(self, action_resp, filter_params): if action_resp.status == STATUS_OK: try: return CommandsResponse(STATUS_OK, TextFilter.filter( action_resp.value, filter_params)) except FilterError as e: return CommandsResponse(STATUS_ERROR, str(e)) else: return action_resp
filter_resp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action_resp, filter_params):\n if action_resp.status == STATUS_OK:\n try:\n return CommandsResponse(STATUS_OK, TextFilter.filter(\n ...
def x(self): ret = [] if self.param_help_msg or len(self.subcommands) == 0: ret.append(self._quick_help()) if len(self.subcommands) > 0: for k, _ in sorted(self.subcommands.items()): command_path, param_help, cmd_help = self._instantiate_subcommand(k )._quick_help(nested=True) if command_path or param_help or cmd_help: ret.append((command_path, param_help, cmd_help)) return CommandsResponse(STATUS_OK, self.help_formatter(ret) ), self.__class__
question_mark
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ret = []\n if self.param_help_msg or len(self.subcommands) == 0:\n ret.append(self._quick_help())\n if len(self.subcommands) > 0:\n ...
def x(self, nested=False): if nested: return self.command_path(), None, self.help_msg else: return self.command_path(), self.param_help_msg, self.help_msg
quick_help
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, nested=False):\n if nested:\n return self.command_path(), None, self.help_msg\n else:\n return self.command_path(), self.param_help_m...
def x(session, name, type_='loopback', lladdr='00:00:00:00:00:00'): intf = ip_link_show(session, ifname=name) if intf: LOG.debug('Interface "%s" already exists: %s', intf.ifname, intf) return intf if type_ == 'ethernet': intf = Interface(ifname=name, flags=DEFAULT_ETH_FLAGS, ifmtu= DEFAULT_ETH_MTU, ifmtu6=DEFAULT_ETH_MTU, hw_addr=lladdr) else: intf = Interface(ifname=name, inet='127.0.0.1/8', inet6='::1/128') session.add(intf) return intf
ip_link_add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(session, name, type_='loopback', lladdr='00:00:00:00:00:00'):\n intf = ip_link_show(session, ifname=name)\n if intf:\n LOG.debug('Interface \"%s\"...
def x(session, name): intf = ip_link_show(session, ifname=name) if not intf: LOG.debug('Interface "%s" does not exist', name) return None session.delete(intf) return name
ip_link_delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(session, name):\n intf = ip_link_show(session, ifname=name)\n if not intf:\n LOG.debug('Interface \"%s\" does not exist', name)\n return No...
def x(session, ifname, ifaddr): def x(intf_inet, addr): addr_list = intf_inet.split(',') if addr in addr_list: LOG.debug('Interface "%s" has already "ifaddr": %s', intf. ifname, addr) return intf_inet else: addr_list.append(addr) return ','.join(addr_list) intf = ip_link_show(session, ifname=ifname) if not intf: LOG.debug('Interface "%s" does not exist', ifname) return None if ip.valid_ipv4(ifaddr): intf.inet = _append_inet_addr(intf.inet, ifaddr) elif ip.valid_ipv6(ifaddr): intf.inet6 = _append_inet_addr(intf.inet6, ifaddr) else: LOG.debug('Invalid IP address for "ifaddr": %s', ifaddr) return None return intf
ip_address_add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(session, ifname, ifaddr):\n\n def x(intf_inet, addr):\n addr_list = intf_inet.split(',')\n if addr in addr_list:\n LOG.debug('Inter...
def x(session, ifname, ifaddr): def x(intf_inet, addr): addr_list = intf_inet.split(',') if addr not in addr_list: LOG.debug('Interface "%s" does not have "ifaddr": %s', intf. ifname, addr) return intf_inet else: addr_list.remove(addr) return ','.join(addr_list) intf = ip_link_show(session, ifname=ifname) if not intf: LOG.debug('Interface "%s" does not exist', ifname) return None if ip.valid_ipv4(ifaddr): intf.inet = _remove_inet_addr(intf.inet, ifaddr) elif ip.valid_ipv6(ifaddr): intf.inet6 = _remove_inet_addr(intf.inet6, ifaddr) else: LOG.debug('Invalid IP address for "ifaddr": %s', ifaddr) return None return intf
ip_address_delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(session, ifname, ifaddr):\n\n def x(intf_inet, addr):\n addr_list = intf_inet.split(',')\n if addr not in addr_list:\n LOG.debug('I...
def x(s, n): length = len(s) return [s[i:i + n] for i in range(0, length, n)]
split_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, n):\n length = len(s)\n return [s[i:i + n] for i in range(0, length, n)]\n", "role": "user" }, { "content": "split_str", "role": "assi...
def x(meta, surface_tilt, surface_azimuth, albedo, modules_per_string, strings_per_inverter): try: name = meta['Name'] except KeyError: name = meta['City'] system = {'surface_tilt': surface_tilt, 'surface_azimuth': surface_azimuth, 'albedo': albedo, 'modules_per_string': modules_per_string, 'strings_per_inverter': strings_per_inverter, 'latitude': meta['latitude'], 'longitude': meta['longitude'], 'tz': meta['TZ'], 'name': name, 'altitude': meta['altitude']} return system
systemdef
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(meta, surface_tilt, surface_azimuth, albedo, modules_per_string,\n strings_per_inverter):\n try:\n name = meta['Name']\n except KeyError:\n ...
def x(aoi, b=0.05): iam = 1 - b * (1 / np.cos(np.radians(aoi)) - 1) aoi_gte_90 = np.full_like(aoi, False, dtype='bool') np.greater_equal(np.abs(aoi), 90, where=~np.isnan(aoi), out=aoi_gte_90) iam = np.where(aoi_gte_90, 0, iam) iam = np.maximum(0, iam) if isinstance(iam, pd.Series): iam = pd.Series(iam, index=aoi.index) return iam
ashraeiam
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(aoi, b=0.05):\n iam = 1 - b * (1 / np.cos(np.radians(aoi)) - 1)\n aoi_gte_90 = np.full_like(aoi, False, dtype='bool')\n np.greater_equal(np.abs(aoi), ...
def x(aoi, n=1.526, K=4.0, L=0.002): zeroang = 1e-06 aoi_input = aoi aoi = np.where(aoi == 0, zeroang, aoi) thetar_deg = tools.asind(1.0 / n * tools.sind(aoi)) rho_zero = ((1 - n) / (1 + n)) ** 2 tau_zero = np.exp(-K * L) rho_para = (tools.tand(thetar_deg - aoi) / tools.tand(thetar_deg + aoi) ) ** 2 rho_perp = (tools.sind(thetar_deg - aoi) / tools.sind(thetar_deg + aoi) ) ** 2 tau = np.exp(-K * L / tools.cosd(thetar_deg)) iam = (1 - (rho_para + rho_perp) / 2) / (1 - rho_zero) * tau / tau_zero with np.errstate(invalid='ignore'): small_angle = 1e-06 iam = np.where(np.abs(aoi) < small_angle, 1.0, iam) iam = np.where(iam < 0, 0, iam) iam = np.where(aoi > 90, 0, iam) if isinstance(aoi_input, pd.Series): iam = pd.Series(iam, index=aoi_input.index) return iam
physicaliam
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(aoi, n=1.526, K=4.0, L=0.002):\n zeroang = 1e-06\n aoi_input = aoi\n aoi = np.where(aoi == 0, zeroang, aoi)\n thetar_deg = tools.asind(1.0 / n * to...
def x(effective_irradiance, temp_cell, alpha_sc, a_ref, I_L_ref, I_o_ref, R_sh_ref, R_s, EgRef=1.121, dEgdT=-0.0002677, irrad_ref=1000, temp_ref=25): if isinstance(a_ref, dict) or isinstance(a_ref, pd.Series ) and 'a_ref' in a_ref.keys(): import warnings warnings.warn('module_parameters detected as fourth positional' + ' argument of calcparams_desoto. calcparams_desoto' + ' will require one argument for each module model' + ' parameter in v0.7.0 and later', DeprecationWarning) try: module_parameters = a_ref a_ref = module_parameters['a_ref'] I_L_ref = module_parameters['I_L_ref'] I_o_ref = module_parameters['I_o_ref'] R_sh_ref = module_parameters['R_sh_ref'] R_s = module_parameters['R_s'] except Exception as e: raise e('Module parameters could not be extracted from fourth' + ' positional argument of calcparams_desoto. Check that' + ' parameters are from the CEC database and/or update' + ' your code for the new API for calcparams_desoto') k = 8.617332478e-05 Tref_K = temp_ref + 273.15 Tcell_K = temp_cell + 273.15 E_g = EgRef * (1 + dEgdT * (Tcell_K - Tref_K)) nNsVth = a_ref * (Tcell_K / Tref_K) IL = effective_irradiance / irrad_ref * (I_L_ref + alpha_sc * (Tcell_K - Tref_K)) I0 = I_o_ref * (Tcell_K / Tref_K) ** 3 * np.exp(EgRef / (k * Tref_K) - E_g / (k * Tcell_K)) Rsh = R_sh_ref * (irrad_ref / effective_irradiance) Rs = R_s return IL, I0, Rs, Rsh, nNsVth
calcparams_desoto
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(effective_irradiance, temp_cell, alpha_sc, a_ref, I_L_ref, I_o_ref,\n R_sh_ref, R_s, EgRef=1.121, dEgdT=-0.0002677, irrad_ref=1000, temp_ref=25):\n if is...
def x(effective_irradiance, temp_cell, alpha_sc, a_ref, I_L_ref, I_o_ref, R_sh_ref, R_s, Adjust, EgRef=1.121, dEgdT=-0.0002677, irrad_ref=1000, temp_ref=25): return calcparams_desoto(effective_irradiance, temp_cell, alpha_sc * ( 1.0 - Adjust / 100), a_ref, I_L_ref, I_o_ref, R_sh_ref, R_s, EgRef= 1.121, dEgdT=-0.0002677, irrad_ref=1000, temp_ref=25)
calcparams_cec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(effective_irradiance, temp_cell, alpha_sc, a_ref, I_L_ref, I_o_ref,\n R_sh_ref, R_s, Adjust, EgRef=1.121, dEgdT=-0.0002677, irrad_ref=1000,\n temp_ref=25...
def x(effective_irradiance, temp_cell, alpha_sc, gamma_ref, mu_gamma, I_L_ref, I_o_ref, R_sh_ref, R_sh_0, R_s, cells_in_series, R_sh_exp=5.5, EgRef=1.121, irrad_ref=1000, temp_ref=25): k = 1.38064852e-23 q = 1.6021766e-19 Tref_K = temp_ref + 273.15 Tcell_K = temp_cell + 273.15 gamma = gamma_ref + mu_gamma * (Tcell_K - Tref_K) nNsVth = gamma * k / q * cells_in_series * Tcell_K IL = effective_irradiance / irrad_ref * (I_L_ref + alpha_sc * (Tcell_K - Tref_K)) I0 = I_o_ref * (Tcell_K / Tref_K) ** 3 * np.exp(q * EgRef / (k * gamma) * (1 / Tref_K - 1 / Tcell_K)) Rsh_tmp = (R_sh_ref - R_sh_0 * np.exp(-R_sh_exp)) / (1.0 - np.exp(- R_sh_exp)) Rsh_base = np.maximum(0.0, Rsh_tmp) Rsh = Rsh_base + (R_sh_0 - Rsh_base) * np.exp(-R_sh_exp * effective_irradiance / irrad_ref) Rs = R_s return IL, I0, Rs, Rsh, nNsVth
calcparams_pvsyst
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(effective_irradiance, temp_cell, alpha_sc, gamma_ref, mu_gamma,\n I_L_ref, I_o_ref, R_sh_ref, R_sh_0, R_s, cells_in_series, R_sh_exp=5.5,\n EgRef=1.121, ...
def x(name=None, path=None): if name is not None: name = name.lower() data_path = os.path.join(os.path.dirname(os.path.abspath(__file__)), 'data') if name == 'cecmod': csvdata = os.path.join(data_path, 'sam-library-cec-modules-2017-6-5.csv') elif name == 'sandiamod': csvdata = os.path.join(data_path, 'sam-library-sandia-modules-2015-6-30.csv') elif name == 'adrinverter': csvdata = os.path.join(data_path, 'adr-library-2013-10-01.csv') elif name in ['cecinverter', 'sandiainverter']: csvdata = os.path.join(data_path, 'sam-library-cec-inverters-2018-3-18.csv') else: raise ValueError('invalid name {}'.format(name)) elif path is not None: if path.startswith('http'): response = urlopen(path) csvdata = io.StringIO(response.read().decode(errors='ignore')) else: csvdata = path elif name is None and path is None: try: import Tkinter as tkinter from tkFileDialog import askopenfilename except ImportError: import tkinter from tkinter.filedialog import askopenfilename tkinter.Tk().withdraw() csvdata = askopenfilename() return _parse_raw_sam_df(csvdata)
retrieve_sam
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name=None, path=None):\n if name is not None:\n name = name.lower()\n data_path = os.path.join(os.path.dirname(os.path.abspath(__file__)),\n ...
def x(effective_irradiance, temp_cell, module): T0 = 25 q = 1.60218e-19 kb = 1.38066e-23 Ee = np.array(effective_irradiance, dtype='float64') Ee_gt_0 = np.full_like(Ee, False, dtype='bool') Ee_eq_0 = np.full_like(Ee, False, dtype='bool') notnan = ~np.isnan(Ee) np.greater(Ee, 0, where=notnan, out=Ee_gt_0) np.equal(Ee, 0, where=notnan, out=Ee_eq_0) Bvmpo = module['Bvmpo'] + module['Mbvmp'] * (1 - Ee) Bvoco = module['Bvoco'] + module['Mbvoc'] * (1 - Ee) delta = module['N'] * kb * (temp_cell + 273.15) / q logEe = np.full_like(Ee, np.nan) np.log(Ee, where=Ee_gt_0, out=logEe) logEe = np.where(Ee_eq_0, -np.inf, logEe) cells_in_series = module['Cells_in_Series'] out = OrderedDict() out['i_sc'] = module['Isco'] * Ee * (1 + module['Aisc'] * (temp_cell - T0)) out['i_mp'] = module['Impo'] * (module['C0'] * Ee + module['C1'] * Ee ** 2 ) * (1 + module['Aimp'] * (temp_cell - T0)) out['v_oc'] = np.maximum(0, module['Voco'] + cells_in_series * delta * logEe + Bvoco * (temp_cell - T0)) out['v_mp'] = np.maximum(0, module['Vmpo'] + module['C2'] * cells_in_series * delta * logEe + module['C3'] * cells_in_series * (delta * logEe) ** 2 + Bvmpo * (temp_cell - T0)) out['p_mp'] = out['i_mp'] * out['v_mp'] out['i_x'] = module['IXO'] * (module['C4'] * Ee + module['C5'] * Ee ** 2 ) * (1 + module['Aisc'] * (temp_cell - T0)) out['i_xx'] = module['IXXO'] * (module['C6'] * Ee + module['C7'] * Ee ** 2 ) * (1 + module['Aisc'] * (temp_cell - T0)) if isinstance(out['i_sc'], pd.Series): out = pd.DataFrame(out) return out
sapm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(effective_irradiance, temp_cell, module):\n T0 = 25\n q = 1.60218e-19\n kb = 1.38066e-23\n Ee = np.array(effective_irradiance, dtype='float64')\n ...
def x(poa_global, wind_speed, temp_air, model='open_rack_cell_glassback'): temp_models = TEMP_MODEL_PARAMS['sapm'] if isinstance(model, str): model = temp_models[model.lower()] elif isinstance(model, (dict, pd.Series)): model = [model['a'], model['b'], model['deltaT']] a = model[0] b = model[1] deltaT = model[2] E0 = 1000.0 temp_module = pd.Series(poa_global * np.exp(a + b * wind_speed) + temp_air) temp_cell = temp_module + poa_global / E0 * deltaT return pd.DataFrame({'temp_cell': temp_cell, 'temp_module': temp_module})
sapm_celltemp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(poa_global, wind_speed, temp_air, model='open_rack_cell_glassback'):\n temp_models = TEMP_MODEL_PARAMS['sapm']\n if isinstance(model, str):\n mode...
def x(poa_global, temp_air, wind_speed=1.0, eta_m=0.1, alpha_absorption=0.9, model_params='freestanding'): pvsyst_presets = TEMP_MODEL_PARAMS['pvsyst'] if isinstance(model_params, str): model_params = model_params.lower() constant_loss_factor, wind_loss_factor = pvsyst_presets[model_params] elif isinstance(model_params, (tuple, list)): constant_loss_factor, wind_loss_factor = model_params else: raise TypeError('Please provide model_params as a str, or tuple/list.') total_loss_factor = wind_loss_factor * wind_speed + constant_loss_factor heat_input = poa_global * alpha_absorption * (1 - eta_m) temp_difference = heat_input / total_loss_factor temp_cell = temp_air + temp_difference return temp_cell
pvsyst_celltemp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(poa_global, temp_air, wind_speed=1.0, eta_m=0.1, alpha_absorption=0.9,\n model_params='freestanding'):\n pvsyst_presets = TEMP_MODEL_PARAMS['pvsyst']\n ...
def x(airmass_absolute, module): am_coeff = [module['A4'], module['A3'], module['A2'], module['A1'], module['A0']] spectral_loss = np.polyval(am_coeff, airmass_absolute) spectral_loss = np.where(np.isnan(spectral_loss), 0, spectral_loss) spectral_loss = np.maximum(0, spectral_loss) if isinstance(airmass_absolute, pd.Series): spectral_loss = pd.Series(spectral_loss, airmass_absolute.index) return spectral_loss
sapm_spectral_loss
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(airmass_absolute, module):\n am_coeff = [module['A4'], module['A3'], module['A2'], module['A1'],\n module['A0']]\n spectral_loss = np.polyval(am_c...
def x(aoi, module, upper=None): aoi_coeff = [module['B5'], module['B4'], module['B3'], module['B2'], module['B1'], module['B0']] aoi_loss = np.polyval(aoi_coeff, aoi) aoi_loss = np.clip(aoi_loss, 0, upper) aoi_lt_0 = np.full_like(aoi, False, dtype='bool') np.less(aoi, 0, where=~np.isnan(aoi), out=aoi_lt_0) aoi_loss = np.where(aoi_lt_0, 0, aoi_loss) if isinstance(aoi, pd.Series): aoi_loss = pd.Series(aoi_loss, aoi.index) return aoi_loss
sapm_aoi_loss
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(aoi, module, upper=None):\n aoi_coeff = [module['B5'], module['B4'], module['B3'], module['B2'],\n module['B1'], module['B0']]\n aoi_loss = np.pol...
def x(poa_direct, poa_diffuse, airmass_absolute, aoi, module, reference_irradiance=1000): F1 = sapm_spectral_loss(airmass_absolute, module) F2 = sapm_aoi_loss(aoi, module) E0 = reference_irradiance Ee = F1 * (poa_direct * F2 + module['FD'] * poa_diffuse) / E0 return Ee
sapm_effective_irradiance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(poa_direct, poa_diffuse, airmass_absolute, aoi, module,\n reference_irradiance=1000):\n F1 = sapm_spectral_loss(airmass_absolute, module)\n F2 = sapm_...
def x(photocurrent, saturation_current, resistance_series, resistance_shunt, nNsVth, ivcurve_pnts=None, method='lambertw'): if method.lower() == 'lambertw': out = _singlediode._lambertw(photocurrent, saturation_current, resistance_series, resistance_shunt, nNsVth, ivcurve_pnts) i_sc, v_oc, i_mp, v_mp, p_mp, i_x, i_xx = out[:7] if ivcurve_pnts: ivcurve_i, ivcurve_v = out[7:] else: args = (photocurrent, saturation_current, resistance_series, resistance_shunt, nNsVth) v_oc = _singlediode.bishop88_v_from_i(0.0, *args, method=method.lower() ) i_mp, v_mp, p_mp = _singlediode.bishop88_mpp(*args, method=method. lower()) i_sc = _singlediode.bishop88_i_from_v(0.0, *args, method=method.lower() ) i_x = _singlediode.bishop88_i_from_v(v_oc / 2.0, *args, method= method.lower()) i_xx = _singlediode.bishop88_i_from_v((v_oc + v_mp) / 2.0, *args, method=method.lower()) if ivcurve_pnts: vd = v_oc * ((11.0 - np.logspace(np.log10(11.0), 0.0, ivcurve_pnts)) / 10.0) ivcurve_i, ivcurve_v, _ = _singlediode.bishop88(vd, *args) out = OrderedDict() out['i_sc'] = i_sc out['v_oc'] = v_oc out['i_mp'] = i_mp out['v_mp'] = v_mp out['p_mp'] = p_mp out['i_x'] = i_x out['i_xx'] = i_xx if ivcurve_pnts: out['v'] = ivcurve_v out['i'] = ivcurve_i if isinstance(photocurrent, pd.Series) and not ivcurve_pnts: out = pd.DataFrame(out, index=photocurrent.index) return out
singlediode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(photocurrent, saturation_current, resistance_series, resistance_shunt,\n nNsVth, ivcurve_pnts=None, method='lambertw'):\n if method.lower() == 'lambertw'...
def x(photocurrent, saturation_current, resistance_series, resistance_shunt, nNsVth, method='brentq'): i_mp, v_mp, p_mp = _singlediode.bishop88_mpp(photocurrent, saturation_current, resistance_series, resistance_shunt, nNsVth, method=method.lower()) if isinstance(photocurrent, pd.Series): ivp = {'i_mp': i_mp, 'v_mp': v_mp, 'p_mp': p_mp} out = pd.DataFrame(ivp, index=photocurrent.index) else: out = OrderedDict() out['i_mp'] = i_mp out['v_mp'] = v_mp out['p_mp'] = p_mp return out
max_power_point
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(photocurrent, saturation_current, resistance_series, resistance_shunt,\n nNsVth, method='brentq'):\n i_mp, v_mp, p_mp = _singlediode.bishop88_mpp(photocu...
def x(resistance_shunt, resistance_series, nNsVth, current, saturation_current, photocurrent, method='lambertw'): if method.lower() == 'lambertw': return _singlediode._lambertw_v_from_i(resistance_shunt, resistance_series, nNsVth, current, saturation_current, photocurrent) else: args = (current, photocurrent, saturation_current, resistance_series, resistance_shunt, nNsVth) V = _singlediode.bishop88_v_from_i(*args, method=method.lower()) size, shape = _singlediode._get_size_and_shape(args) if size <= 1: if shape is not None: V = np.tile(V, shape) if np.isnan(V).any() and size <= 1: V = np.repeat(V, size) if shape is not None: V = V.reshape(shape) return V
v_from_i
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(resistance_shunt, resistance_series, nNsVth, current,\n saturation_current, photocurrent, method='lambertw'):\n if method.lower() == 'lambertw':\n ...
def x(resistance_shunt, resistance_series, nNsVth, voltage, saturation_current, photocurrent, method='lambertw'): if method.lower() == 'lambertw': return _singlediode._lambertw_i_from_v(resistance_shunt, resistance_series, nNsVth, voltage, saturation_current, photocurrent) else: args = (voltage, photocurrent, saturation_current, resistance_series, resistance_shunt, nNsVth) I = _singlediode.bishop88_i_from_v(*args, method=method.lower()) size, shape = _singlediode._get_size_and_shape(args) if size <= 1: if shape is not None: I = np.tile(I, shape) if np.isnan(I).any() and size <= 1: I = np.repeat(I, size) if shape is not None: I = I.reshape(shape) return I
i_from_v
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(resistance_shunt, resistance_series, nNsVth, voltage,\n saturation_current, photocurrent, method='lambertw'):\n if method.lower() == 'lambertw':\n ...
def x(v_dc, p_dc, inverter): Paco = inverter['Paco'] Pdco = inverter['Pdco'] Vdco = inverter['Vdco'] Pso = inverter['Pso'] C0 = inverter['C0'] C1 = inverter['C1'] C2 = inverter['C2'] C3 = inverter['C3'] Pnt = inverter['Pnt'] A = Pdco * (1 + C1 * (v_dc - Vdco)) B = Pso * (1 + C2 * (v_dc - Vdco)) C = C0 * (1 + C3 * (v_dc - Vdco)) ac_power = (Paco / (A - B) - C * (A - B)) * (p_dc - B) + C * (p_dc - B ) ** 2 ac_power = np.minimum(Paco, ac_power) ac_power = np.where(p_dc < Pso, -1.0 * abs(Pnt), ac_power) if isinstance(p_dc, pd.Series): ac_power = pd.Series(ac_power, index=p_dc.index) return ac_power
snlinverter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(v_dc, p_dc, inverter):\n Paco = inverter['Paco']\n Pdco = inverter['Pdco']\n Vdco = inverter['Vdco']\n Pso = inverter['Pso']\n C0 = inverter['C0...
def x(v_dc, p_dc, inverter, vtol=0.1): p_nom = inverter['Pnom'] v_nom = inverter['Vnom'] pac_max = inverter['Pacmax'] p_nt = inverter['Pnt'] ce_list = inverter['ADRCoefficients'] v_max = inverter['Vmax'] v_min = inverter['Vmin'] vdc_max = inverter['Vdcmax'] mppt_hi = inverter['MPPTHi'] mppt_low = inverter['MPPTLow'] v_lim_upper = float(np.nanmax([v_max, vdc_max, mppt_hi]) * (1 + vtol)) v_lim_lower = float(np.nanmax([v_min, mppt_low]) * (1 - vtol)) pdc = p_dc / p_nom vdc = v_dc / v_nom with np.errstate(invalid='ignore', divide='ignore'): poly = np.array([pdc ** 0, pdc, pdc ** 2, vdc - 1, pdc * (vdc - 1), pdc ** 2 * (vdc - 1), 1.0 / vdc - 1, pdc * (1.0 / vdc - 1), pdc ** 2 * (1.0 / vdc - 1)]) p_loss = np.dot(np.array(ce_list), poly) ac_power = p_nom * (pdc - p_loss) p_nt = -1 * np.absolute(p_nt) with np.errstate(invalid='ignore'): invalid = (v_lim_upper < v_dc) | (v_dc < v_lim_lower) ac_power = np.where(invalid, np.nan, ac_power) ac_power = np.where(vdc == 0, p_nt, ac_power) ac_power = np.maximum(ac_power, p_nt) ac_power = np.minimum(ac_power, pac_max) if isinstance(p_dc, pd.Series): ac_power = pd.Series(ac_power, index=pdc.index) return ac_power
adrinverter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(v_dc, p_dc, inverter, vtol=0.1):\n p_nom = inverter['Pnom']\n v_nom = inverter['Vnom']\n pac_max = inverter['Pacmax']\n p_nt = inverter['Pnt']\n ...
def x(data, voltage=1, current=1): data = data.copy() voltages = ['v_mp', 'v_oc'] currents = ['i_mp', 'i_x', 'i_xx', 'i_sc'] data[voltages] *= voltage data[currents] *= current data['p_mp'] *= voltage * current return data
scale_voltage_current_power
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, voltage=1, current=1):\n data = data.copy()\n voltages = ['v_mp', 'v_oc']\n currents = ['i_mp', 'i_x', 'i_xx', 'i_sc']\n data[voltages] *= vo...
def x(g_poa_effective, temp_cell, pdc0, gamma_pdc, temp_ref=25.0): pdc = g_poa_effective * 0.001 * pdc0 * (1 + gamma_pdc * (temp_cell - temp_ref)) return pdc
pvwatts_dc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(g_poa_effective, temp_cell, pdc0, gamma_pdc, temp_ref=25.0):\n pdc = g_poa_effective * 0.001 * pdc0 * (1 + gamma_pdc * (temp_cell -\n temp_ref))\n ...
def x(soiling=2, shading=3, snow=0, mismatch=2, wiring=2, connections=0.5, lid=1.5, nameplate_rating=1, age=0, availability=3): params = [soiling, shading, snow, mismatch, wiring, connections, lid, nameplate_rating, age, availability] perf = 1 for param in params: perf *= 1 - param / 100 losses = (1 - perf) * 100.0 return losses
pvwatts_losses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(soiling=2, shading=3, snow=0, mismatch=2, wiring=2, connections=0.5,\n lid=1.5, nameplate_rating=1, age=0, availability=3):\n params = [soiling, shading,...
def x(pdc, pdc0, eta_inv_nom=0.96, eta_inv_ref=0.9637): pac0 = eta_inv_nom * pdc0 zeta = pdc / pdc0 eta = np.zeros_like(pdc, dtype=float) pdc_neq_0 = ~np.equal(pdc, 0) eta = eta_inv_nom / eta_inv_ref * (-0.0162 * zeta - np.divide(0.0059, zeta, out=eta, where=pdc_neq_0) + 0.9858) pac = eta * pdc pac = np.minimum(pac0, pac) pac = np.maximum(0, pac) return pac
pvwatts_ac
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pdc, pdc0, eta_inv_nom=0.96, eta_inv_ref=0.9637):\n pac0 = eta_inv_nom * pdc0\n zeta = pdc / pdc0\n eta = np.zeros_like(pdc, dtype=float)\n pdc_neq...
def x(self, solar_zenith, solar_azimuth): aoi = irradiance.aoi(self.surface_tilt, self.surface_azimuth, solar_zenith, solar_azimuth) return aoi
get_aoi
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, solar_zenith, solar_azimuth):\n aoi = irradiance.aoi(self.surface_tilt, self.surface_azimuth,\n solar_zenith, solar_azimuth)\n return aoi\n"...
def x(self, aoi): kwargs = _build_kwargs(['b'], self.module_parameters) return ashraeiam(aoi, **kwargs)
ashraeiam
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, aoi):\n kwargs = _build_kwargs(['b'], self.module_parameters)\n return ashraeiam(aoi, **kwargs)\n", "role": "user" }, { "content": "ash...
def x(self, aoi): kwargs = _build_kwargs(['K', 'L', 'n'], self.module_parameters) return physicaliam(aoi, **kwargs)
physicaliam
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, aoi):\n kwargs = _build_kwargs(['K', 'L', 'n'], self.module_parameters)\n return physicaliam(aoi, **kwargs)\n", "role": "user" }, { "co...
def x(self, effective_irradiance, temp_cell, **kwargs): kwargs = _build_kwargs(['a_ref', 'I_L_ref', 'I_o_ref', 'R_sh_ref', 'R_s', 'alpha_sc', 'EgRef', 'dEgdT', 'irrad_ref', 'temp_ref'], self .module_parameters) return calcparams_desoto(effective_irradiance, temp_cell, **kwargs)
calcparams_desoto
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, effective_irradiance, temp_cell, **kwargs):\n kwargs = _build_kwargs(['a_ref', 'I_L_ref', 'I_o_ref', 'R_sh_ref',\n 'R_s', 'alpha_sc', 'EgRef', ...
def x(self, effective_irradiance, temp_cell, **kwargs): kwargs = _build_kwargs(['a_ref', 'I_L_ref', 'I_o_ref', 'R_sh_ref', 'R_s', 'alpha_sc', 'Adjust', 'EgRef', 'dEgdT', 'irrad_ref', 'temp_ref'], self.module_parameters) return calcparams_cec(effective_irradiance, temp_cell, **kwargs)
calcparams_cec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, effective_irradiance, temp_cell, **kwargs):\n kwargs = _build_kwargs(['a_ref', 'I_L_ref', 'I_o_ref', 'R_sh_ref',\n 'R_s', 'alpha_sc', 'Adjust',...
def x(self, effective_irradiance, temp_cell): kwargs = _build_kwargs(['gamma_ref', 'mu_gamma', 'I_L_ref', 'I_o_ref', 'R_sh_ref', 'R_sh_0', 'R_sh_exp', 'R_s', 'alpha_sc', 'EgRef', 'irrad_ref', 'temp_ref', 'cells_in_series'], self.module_parameters) return calcparams_pvsyst(effective_irradiance, temp_cell, **kwargs)
calcparams_pvsyst
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, effective_irradiance, temp_cell):\n kwargs = _build_kwargs(['gamma_ref', 'mu_gamma', 'I_L_ref', 'I_o_ref',\n 'R_sh_ref', 'R_sh_0', 'R_sh_exp', ...
def x(self, effective_irradiance, temp_cell, **kwargs): return sapm(effective_irradiance, temp_cell, self.module_parameters)
sapm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, effective_irradiance, temp_cell, **kwargs):\n return sapm(effective_irradiance, temp_cell, self.module_parameters)\n", "role": "user" }, { ...
def x(self, irrad, wind, temp): return sapm_celltemp(irrad, wind, temp, self.racking_model)
sapm_celltemp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, irrad, wind, temp):\n return sapm_celltemp(irrad, wind, temp, self.racking_model)\n", "role": "user" }, { "content": "sapm_celltemp", ...
def x(self, poa_direct, poa_diffuse, airmass_absolute, aoi, reference_irradiance=1000): return sapm_effective_irradiance(poa_direct, poa_diffuse, airmass_absolute, aoi, self.module_parameters, reference_irradiance =reference_irradiance)
sapm_effective_irradiance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, poa_direct, poa_diffuse, airmass_absolute, aoi,\n reference_irradiance=1000):\n return sapm_effective_irradiance(poa_direct, poa_diffuse,\n ...
def x(self, poa_global, temp_air, wind_speed=1.0): kwargs = _build_kwargs(['eta_m', 'alpha_absorption'], self. module_parameters) return pvsyst_celltemp(poa_global, temp_air, wind_speed, model_params= self.racking_model, **kwargs)
pvsyst_celltemp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, poa_global, temp_air, wind_speed=1.0):\n kwargs = _build_kwargs(['eta_m', 'alpha_absorption'], self.\n module_parameters)\n return pvsyst_ce...
def x(self, pw, airmass_absolute): if 'first_solar_spectral_coefficients' in self.module_parameters.keys(): coefficients = self.module_parameters[ 'first_solar_spectral_coefficients'] module_type = None else: module_type = self._infer_cell_type() coefficients = None return atmosphere.first_solar_spectral_correction(pw, airmass_absolute, module_type, coefficients)
first_solar_spectral_loss
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pw, airmass_absolute):\n if 'first_solar_spectral_coefficients' in self.module_parameters.keys():\n coefficients = self.module_parameters[\n ...
def x(self): _cell_type_dict = {'Multi-c-Si': 'multisi', 'Mono-c-Si': 'monosi', 'Thin Film': 'cigs', 'a-Si/nc': 'asi', 'CIS': 'cigs', 'CIGS': 'cigs', '1-a-Si': 'asi', 'CdTe': 'cdte', 'a-Si': 'asi', '2-a-Si': None, '3-a-Si': None, 'HIT-Si': 'monosi', 'mc-Si': 'multisi', 'c-Si': 'multisi', 'Si-Film': 'asi', 'EFG mc-Si': 'multisi', 'GaAs': None, 'a-Si / mono-Si': 'monosi'} if 'Technology' in self.module_parameters.keys(): cell_type = _cell_type_dict[self.module_parameters['Technology']] elif 'Material' in self.module_parameters.keys(): cell_type = _cell_type_dict[self.module_parameters['Material']] else: cell_type = None return cell_type
infer_cell_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n _cell_type_dict = {'Multi-c-Si': 'multisi', 'Mono-c-Si': 'monosi',\n 'Thin Film': 'cigs', 'a-Si/nc': 'asi', 'CIS': 'cigs', 'CIGS':\n ...
def x(self, photocurrent, saturation_current, resistance_series, resistance_shunt, nNsVth, ivcurve_pnts=None): return singlediode(photocurrent, saturation_current, resistance_series, resistance_shunt, nNsVth, ivcurve_pnts=ivcurve_pnts)
singlediode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, photocurrent, saturation_current, resistance_series,\n resistance_shunt, nNsVth, ivcurve_pnts=None):\n return singlediode(photocurrent, saturation_...
def x(self, resistance_shunt, resistance_series, nNsVth, voltage, saturation_current, photocurrent): return i_from_v(resistance_shunt, resistance_series, nNsVth, voltage, saturation_current, photocurrent)
i_from_v
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, resistance_shunt, resistance_series, nNsVth, voltage,\n saturation_current, photocurrent):\n return i_from_v(resistance_shunt, resistance_series, n...
def x(self, data): return scale_voltage_current_power(data, voltage=self. modules_per_string, current=self.strings_per_inverter)
scale_voltage_current_power
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n return scale_voltage_current_power(data, voltage=self.\n modules_per_string, current=self.strings_per_inverter)\n", "role": "user"...
def x(self, g_poa_effective, temp_cell): kwargs = _build_kwargs(['temp_ref'], self.module_parameters) return pvwatts_dc(g_poa_effective, temp_cell, self.module_parameters[ 'pdc0'], self.module_parameters['gamma_pdc'], **kwargs)
pvwatts_dc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, g_poa_effective, temp_cell):\n kwargs = _build_kwargs(['temp_ref'], self.module_parameters)\n return pvwatts_dc(g_poa_effective, temp_cell, self.mo...
def x(self, pdc): kwargs = _build_kwargs(['eta_inv_nom', 'eta_inv_ref'], self. inverter_parameters) return pvwatts_ac(pdc, self.module_parameters['pdc0'], **kwargs)
pvwatts_ac
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pdc):\n kwargs = _build_kwargs(['eta_inv_nom', 'eta_inv_ref'], self.\n inverter_parameters)\n return pvwatts_ac(pdc, self.module_parameters[...
def x(self, location=None, latitude=None, longitude=None, **kwargs): if location is None: location = Location(latitude, longitude, **kwargs) return LocalizedPVSystem(pvsystem=self, location=location)
localize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, location=None, latitude=None, longitude=None, **kwargs):\n if location is None:\n location = Location(latitude, longitude, **kwargs)\n retur...
def x(): root = os.path.realpath(os.path.abspath(os.getcwd())) setup_py = os.path.join(root, 'setup.py') versioneer_py = os.path.join(root, 'versioneer.py') if not (os.path.exists(setup_py) or os.path.exists(versioneer_py)): root = os.path.dirname(os.path.realpath(os.path.abspath(sys.argv[0]))) setup_py = os.path.join(root, 'setup.py') versioneer_py = os.path.join(root, 'versioneer.py') if not (os.path.exists(setup_py) or os.path.exists(versioneer_py)): err = ( "Versioneer was unable to run the project root directory. Versioneer requires setup.py to be executed from its immediate directory (like 'python setup.py COMMAND'), or in a way that lets it use sys.argv[0] to find the root (like 'python path/to/setup.py COMMAND')." ) raise VersioneerBadRootError(err) try: me = os.path.realpath(os.path.abspath(__file__)) if os.path.splitext(me)[0] != os.path.splitext(versioneer_py)[0]: print('Warning: build in %s is using versioneer.py from %s' % ( os.path.dirname(me), versioneer_py)) except NameError: pass return root
get_root
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n root = os.path.realpath(os.path.abspath(os.getcwd()))\n setup_py = os.path.join(root, 'setup.py')\n versioneer_py = os.path.join(root, 'versionee...
def x(tag_prefix, root, verbose, run_command=run_command): if not os.path.exists(os.path.join(root, '.git')): if verbose: print('no .git in %s' % root) raise NotThisMethod('no .git directory') GITS = ['git'] if sys.platform == 'win32': GITS = ['git.cmd', 'git.exe'] describe_out = run_command(GITS, ['describe', '--tags', '--dirty', '--always', '--long', '--match', '%s*' % tag_prefix], cwd=root) if describe_out is None: raise NotThisMethod("'git describe' failed") describe_out = describe_out.strip() full_out = run_command(GITS, ['rev-parse', 'HEAD'], cwd=root) if full_out is None: raise NotThisMethod("'git rev-parse' failed") full_out = full_out.strip() pieces = {} pieces['long'] = full_out pieces['short'] = full_out[:7] pieces['error'] = None git_describe = describe_out dirty = git_describe.endswith('-dirty') pieces['dirty'] = dirty if dirty: git_describe = git_describe[:git_describe.rindex('-dirty')] if '-' in git_describe: mo = re.search('^(.+)-(\\d+)-g([0-9a-f]+)$', git_describe) if not mo: pieces['error' ] = "unable to parse git-describe output: '%s'" % describe_out return pieces full_tag = mo.group(1) if not full_tag.startswith(tag_prefix): if verbose: fmt = "tag '%s' doesn't start with prefix '%s'" print(fmt % (full_tag, tag_prefix)) pieces['error'] = "tag '%s' doesn't start with prefix '%s'" % ( full_tag, tag_prefix) return pieces pieces['closest-tag'] = full_tag[len(tag_prefix):] pieces['distance'] = int(mo.group(2)) pieces['short'] = mo.group(3) else: pieces['closest-tag'] = None count_out = run_command(GITS, ['rev-list', 'HEAD', '--count'], cwd=root ) pieces['distance'] = int(count_out) return pieces
git_pieces_from_vcs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tag_prefix, root, verbose, run_command=run_command):\n if not os.path.exists(os.path.join(root, '.git')):\n if verbose:\n print('no .git i...
def x(parentdir_prefix, root, verbose): dirname = os.path.basename(root) if not dirname.startswith(parentdir_prefix): if verbose: print( "guessing rootdir is '%s', but '%s' doesn't start with prefix '%s'" % (root, dirname, parentdir_prefix)) raise NotThisMethod("rootdir doesn't start with parentdir_prefix") return {'version': dirname[len(parentdir_prefix):], 'full-revisionid': None, 'dirty': False, 'error': None}
versions_from_parentdir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parentdir_prefix, root, verbose):\n dirname = os.path.basename(root)\n if not dirname.startswith(parentdir_prefix):\n if verbose:\n pri...
def x(verbose=False): if 'versioneer' in sys.modules: del sys.modules['versioneer'] root = get_root() cfg = get_config_from_root(root) assert cfg.VCS is not None, 'please set [versioneer]VCS= in setup.cfg' handlers = HANDLERS.get(cfg.VCS) assert handlers, "unrecognized VCS '%s'" % cfg.VCS verbose = verbose or cfg.verbose assert cfg.versionfile_source is not None, 'please set versioneer.versionfile_source' assert cfg.tag_prefix is not None, 'please set versioneer.tag_prefix' versionfile_abs = os.path.join(root, cfg.versionfile_source) get_keywords_f = handlers.get('get_keywords') from_keywords_f = handlers.get('keywords') if get_keywords_f and from_keywords_f: try: keywords = get_keywords_f(versionfile_abs) ver = from_keywords_f(keywords, cfg.tag_prefix, verbose) if verbose: print('got version from expanded keyword %s' % ver) return ver except NotThisMethod: pass try: ver = versions_from_file(versionfile_abs) if verbose: print('got version from file %s %s' % (versionfile_abs, ver)) return ver except NotThisMethod: pass from_vcs_f = handlers.get('pieces_from_vcs') if from_vcs_f: try: pieces = from_vcs_f(cfg.tag_prefix, root, verbose) ver = render(pieces, cfg.style) if verbose: print('got version from VCS %s' % ver) return ver except NotThisMethod: pass try: if cfg.parentdir_prefix: ver = versions_from_parentdir(cfg.parentdir_prefix, root, verbose) if verbose: print('got version from parentdir %s' % ver) return ver except NotThisMethod: pass if verbose: print('unable to compute version') return {'version': '0+unknown', 'full-revisionid': None, 'dirty': None, 'error': 'unable to compute version'}
get_versions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(verbose=False):\n if 'versioneer' in sys.modules:\n del sys.modules['versioneer']\n root = get_root()\n cfg = get_config_from_root(root)\n a...
def x(): if 'versioneer' in sys.modules: del sys.modules['versioneer'] cmds = {} from distutils.core import Command class cmd_version(Command): description = 'report generated version string' user_options = [] boolean_options = [] def x(self): pass def x(self): pass def x(self): vers = get_versions(verbose=True) print('Version: %s' % vers['version']) print(' full-revisionid: %s' % vers.get('full-revisionid')) print(' dirty: %s' % vers.get('dirty')) if vers['error']: print(' error: %s' % vers['error']) cmds['version'] = cmd_version if 'setuptools' in sys.modules: from setuptools.command.build_py import build_py as _build_py else: from distutils.command.build_py import build_py as _build_py class cmd_build_py(_build_py): def x(self): root = get_root() cfg = get_config_from_root(root) versions = get_versions() _build_py.run(self) if cfg.versionfile_build: target_versionfile = os.path.join(self.build_lib, cfg. versionfile_build) print('UPDATING %s' % target_versionfile) write_to_version_file(target_versionfile, versions) cmds['build_py'] = cmd_build_py if 'cx_Freeze' in sys.modules: from cx_Freeze.dist import build_exe as _build_exe class cmd_build_exe(_build_exe): def x(self): root = get_root() cfg = get_config_from_root(root) versions = get_versions() target_versionfile = cfg.versionfile_source print('UPDATING %s' % target_versionfile) write_to_version_file(target_versionfile, versions) _build_exe.run(self) os.unlink(target_versionfile) with open(cfg.versionfile_source, 'w') as f: LONG = LONG_VERSION_PY[cfg.VCS] f.write(LONG % {'DOLLAR': '$', 'STYLE': cfg.style, 'TAG_PREFIX': cfg.tag_prefix, 'PARENTDIR_PREFIX': cfg.parentdir_prefix, 'VERSIONFILE_SOURCE': cfg. versionfile_source}) cmds['build_exe'] = cmd_build_exe del cmds['build_py'] if 'setuptools' in sys.modules: from setuptools.command.sdist import sdist as _sdist else: from distutils.command.sdist import sdist as _sdist class cmd_sdist(_sdist): def x(self): versions = get_versions() self._versioneer_generated_versions = versions self.distribution.metadata.version = versions['version'] return _sdist.run(self) def x(self, base_dir, files): root = get_root() cfg = get_config_from_root(root) _sdist.make_release_tree(self, base_dir, files) target_versionfile = os.path.join(base_dir, cfg.versionfile_source) print('UPDATING %s' % target_versionfile) write_to_version_file(target_versionfile, self. _versioneer_generated_versions) cmds['sdist'] = cmd_sdist return cmds
get_cmdclass
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if 'versioneer' in sys.modules:\n del sys.modules['versioneer']\n cmds = {}\n from distutils.core import Command\n\n\n class cmd_versio...
def x(filename=None, coerce_year=None, recolumn=True): if filename is None: try: filename = _interactive_load() except ImportError: raise ImportError( 'Interactive load failed. Tkinter not supported on this system. Try installing X-Quartz and reloading' ) head = ['USAF', 'Name', 'State', 'TZ', 'latitude', 'longitude', 'altitude'] if filename.startswith('http'): request = Request(filename, headers={'User-Agent': 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_13_5) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/67.0.3396.87 Safari/537.36' }) response = urlopen(request) csvdata = io.StringIO(response.read().decode(errors='ignore')) else: csvdata = open(filename, 'r') firstline = csvdata.readline() if 'Request Rejected' in firstline: raise IOError('Remote server rejected TMY file request') meta = dict(zip(head, firstline.rstrip('\n').split(','))) meta['altitude'] = float(meta['altitude']) meta['latitude'] = float(meta['latitude']) meta['longitude'] = float(meta['longitude']) meta['TZ'] = float(meta['TZ']) meta['USAF'] = int(meta['USAF']) data = pd.read_csv(csvdata, header=0, parse_dates={'datetime': [ 'Date (MM/DD/YYYY)', 'Time (HH:MM)']}, date_parser=lambda *x: _parsedate(*x, year=coerce_year), index_col='datetime') if recolumn: data = _recolumn(data) data = data.tz_localize(int(meta['TZ'] * 3600)) return data, meta
read_tmy3
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename=None, coerce_year=None, recolumn=True):\n if filename is None:\n try:\n filename = _interactive_load()\n except ImportErro...
def x(tmy3_dataframe): raw_columns = ( 'ETR (W/m^2),ETRN (W/m^2),GHI (W/m^2),GHI source,GHI uncert (%),DNI (W/m^2),DNI source,DNI uncert (%),DHI (W/m^2),DHI source,DHI uncert (%),GH illum (lx),GH illum source,Global illum uncert (%),DN illum (lx),DN illum source,DN illum uncert (%),DH illum (lx),DH illum source,DH illum uncert (%),Zenith lum (cd/m^2),Zenith lum source,Zenith lum uncert (%),TotCld (tenths),TotCld source,TotCld uncert (code),OpqCld (tenths),OpqCld source,OpqCld uncert (code),Dry-bulb (C),Dry-bulb source,Dry-bulb uncert (code),Dew-point (C),Dew-point source,Dew-point uncert (code),RHum (%),RHum source,RHum uncert (code),Pressure (mbar),Pressure source,Pressure uncert (code),Wdir (degrees),Wdir source,Wdir uncert (code),Wspd (m/s),Wspd source,Wspd uncert (code),Hvis (m),Hvis source,Hvis uncert (code),CeilHgt (m),CeilHgt source,CeilHgt uncert (code),Pwat (cm),Pwat source,Pwat uncert (code),AOD (unitless),AOD source,AOD uncert (code),Alb (unitless),Alb source,Alb uncert (code),Lprecip depth (mm),Lprecip quantity (hr),Lprecip source,Lprecip uncert (code),PresWth (METAR code),PresWth source,PresWth uncert (code)' ) new_columns = ['ETR', 'ETRN', 'GHI', 'GHISource', 'GHIUncertainty', 'DNI', 'DNISource', 'DNIUncertainty', 'DHI', 'DHISource', 'DHIUncertainty', 'GHillum', 'GHillumSource', 'GHillumUncertainty', 'DNillum', 'DNillumSource', 'DNillumUncertainty', 'DHillum', 'DHillumSource', 'DHillumUncertainty', 'Zenithlum', 'ZenithlumSource', 'ZenithlumUncertainty', 'TotCld', 'TotCldSource', 'TotCldUnertainty', 'OpqCld', 'OpqCldSource', 'OpqCldUncertainty', 'DryBulb', 'DryBulbSource', 'DryBulbUncertainty', 'DewPoint', 'DewPointSource', 'DewPointUncertainty', 'RHum', 'RHumSource', 'RHumUncertainty', 'Pressure', 'PressureSource', 'PressureUncertainty', 'Wdir', 'WdirSource', 'WdirUncertainty', 'Wspd', 'WspdSource', 'WspdUncertainty', 'Hvis', 'HvisSource', 'HvisUncertainty', 'CeilHgt', 'CeilHgtSource', 'CeilHgtUncertainty', 'Pwat', 'PwatSource', 'PwatUncertainty', 'AOD', 'AODSource', 'AODUncertainty', 'Alb', 'AlbSource', 'AlbUncertainty', 'Lprecipdepth', 'Lprecipquantity', 'LprecipSource', 'LprecipUncertainty', 'PresWth', 'PresWthSource', 'PresWthUncertainty'] mapping = dict(zip(raw_columns.split(','), new_columns)) return tmy3_dataframe.rename(columns=mapping)
recolumn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tmy3_dataframe):\n raw_columns = (\n 'ETR (W/m^2),ETRN (W/m^2),GHI (W/m^2),GHI source,GHI uncert (%),DNI (W/m^2),DNI source,DNI uncert (%),DHI (W/m^2...
def x(filename): if filename is None: try: filename = _interactive_load() except ImportError: raise ImportError( 'Interactive load failed. Tkinter not supported on this system. Try installing X-Quartz and reloading' ) string = ( '%2d%2d%2d%2d%4d%4d%4d%1s%1d%4d%1s%1d%4d%1s%1d%4d%1s%1d%4d%1s%1d%4d%1s%1d%4d%1s%1d%2d%1s%1d%2d%1s%1d%4d%1s%1d%4d%1s%1d%3d%1s%1d%4d%1s%1d%3d%1s%1d%3d%1s%1d%4d%1s%1d%5d%1s%1d%10d%3d%1s%1d%3d%1s%1d%3d%1s%1d%2d%1s%1d' ) columns = ( 'year,month,day,hour,ETR,ETRN,GHI,GHISource,GHIUncertainty,DNI,DNISource,DNIUncertainty,DHI,DHISource,DHIUncertainty,GHillum,GHillumSource,GHillumUncertainty,DNillum,DNillumSource,DNillumUncertainty,DHillum,DHillumSource,DHillumUncertainty,Zenithlum,ZenithlumSource,ZenithlumUncertainty,TotCld,TotCldSource,TotCldUnertainty,OpqCld,OpqCldSource,OpqCldUncertainty,DryBulb,DryBulbSource,DryBulbUncertainty,DewPoint,DewPointSource,DewPointUncertainty,RHum,RHumSource,RHumUncertainty,Pressure,PressureSource,PressureUncertainty,Wdir,WdirSource,WdirUncertainty,Wspd,WspdSource,WspdUncertainty,Hvis,HvisSource,HvisUncertainty,CeilHgt,CeilHgtSource,CeilHgtUncertainty,PresentWeather,Pwat,PwatSource,PwatUncertainty,AOD,AODSource,AODUncertainty,SnowDepth,SnowDepthSource,SnowDepthUncertainty,LastSnowfall,LastSnowfallSource,LastSnowfallUncertaint' ) hdr_columns = 'WBAN,City,State,TZ,latitude,longitude,altitude' tmy2, tmy2_meta = _read_tmy2(string, columns, hdr_columns, filename) return tmy2, tmy2_meta
read_tmy2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n if filename is None:\n try:\n filename = _interactive_load()\n except ImportError:\n raise ImportError(\n ...
def x(columns, line): rawmeta = ' '.join(line.split()).split(' ') meta = rawmeta[:3] meta.append(int(rawmeta[3])) longitude = (float(rawmeta[5]) + float(rawmeta[6]) / 60) * (2 * ( rawmeta[4] == 'N') - 1) latitude = (float(rawmeta[8]) + float(rawmeta[9]) / 60) * (2 * (rawmeta [7] == 'E') - 1) meta.append(longitude) meta.append(latitude) meta.append(float(rawmeta[10])) meta_dict = dict(zip(columns.split(','), meta)) return meta_dict
parsemeta_tmy2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(columns, line):\n rawmeta = ' '.join(line.split()).split(' ')\n meta = rawmeta[:3]\n meta.append(int(rawmeta[3]))\n longitude = (float(rawmeta[5]) ...
def x(time, latitude, longitude, altitude=None, pressure=None, method= 'nrel_numpy', temperature=12, **kwargs): if altitude is None and pressure is None: altitude = 0.0 pressure = 101325.0 elif altitude is None: altitude = atmosphere.pres2alt(pressure) elif pressure is None: pressure = atmosphere.alt2pres(altitude) method = method.lower() if isinstance(time, dt.datetime): time = pd.DatetimeIndex([time]) if method == 'nrel_c': ephem_df = spa_c(time, latitude, longitude, pressure, temperature, **kwargs) elif method == 'nrel_numba': ephem_df = spa_python(time, latitude, longitude, altitude, pressure, temperature, how='numba', **kwargs) elif method == 'nrel_numpy': ephem_df = spa_python(time, latitude, longitude, altitude, pressure, temperature, how='numpy', **kwargs) elif method == 'pyephem': ephem_df = pyephem(time, latitude, longitude, altitude=altitude, pressure=pressure, temperature=temperature, **kwargs) elif method == 'ephemeris': ephem_df = ephemeris(time, latitude, longitude, pressure, temperature, **kwargs) else: raise ValueError('Invalid solar position method') return ephem_df
get_solarposition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(time, latitude, longitude, altitude=None, pressure=None, method=\n 'nrel_numpy', temperature=12, **kwargs):\n if altitude is None and pressure is None:\n...
def x(time, latitude, longitude, pressure=101325, altitude=0, temperature= 12, delta_t=67.0, raw_spa_output=False): try: from pvlib.spa_c_files.spa_py import spa_calc except ImportError: raise ImportError('Could not import built-in SPA calculator. ' + 'You may need to recompile the SPA code.') try: time_utc = time.tz_convert('UTC') except TypeError: time_utc = time spa_out = [] for date in time_utc: spa_out.append(spa_calc(year=date.year, month=date.month, day=date. day, hour=date.hour, minute=date.minute, second=date.second, time_zone=0, latitude=latitude, longitude=longitude, elevation= altitude, pressure=pressure / 100, temperature=temperature, delta_t=delta_t)) spa_df = pd.DataFrame(spa_out, index=time) if raw_spa_output: return spa_df.rename(columns={'time_zone': 'timezone'}) else: dfout = pd.DataFrame({'azimuth': spa_df['azimuth'], 'apparent_zenith': spa_df['zenith'], 'apparent_elevation': spa_df['e'], 'elevation': spa_df['e0'], 'zenith': 90 - spa_df[ 'e0']}) return dfout
spa_c
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(time, latitude, longitude, pressure=101325, altitude=0, temperature=\n 12, delta_t=67.0, raw_spa_output=False):\n try:\n from pvlib.spa_c_files.sp...
def x(how): from pvlib import spa using_numba = spa.USE_NUMBA if how == 'numpy' and using_numba: warnings.warn('Reloading spa to use numpy') os.environ['PVLIB_USE_NUMBA'] = '0' spa = reload(spa) del os.environ['PVLIB_USE_NUMBA'] elif how == 'numba' and not using_numba: warnings.warn('Reloading spa to use numba') os.environ['PVLIB_USE_NUMBA'] = '1' spa = reload(spa) del os.environ['PVLIB_USE_NUMBA'] elif how != 'numba' and how != 'numpy': raise ValueError("how must be either 'numba' or 'numpy'") return spa
spa_python_import
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(how):\n from pvlib import spa\n using_numba = spa.USE_NUMBA\n if how == 'numpy' and using_numba:\n warnings.warn('Reloading spa to use numpy')\...
def x(time, latitude, longitude, altitude=0, pressure=101325, temperature= 12, delta_t=67.0, atmos_refract=None, how='numpy', numthreads=4, **kwargs): lat = latitude lon = longitude elev = altitude pressure = pressure / 100 atmos_refract = atmos_refract or 0.5667 if not isinstance(time, pd.DatetimeIndex): try: time = pd.DatetimeIndex(time) except (TypeError, ValueError): time = pd.DatetimeIndex([time]) unixtime = np.array(time.astype(np.int64) / 10 ** 9) spa = _spa_python_import(how) delta_t = delta_t or spa.calculate_deltat(time.year, time.month) app_zenith, zenith, app_elevation, elevation, azimuth, eot = (spa. solar_position(unixtime, lat, lon, elev, pressure, temperature, delta_t, atmos_refract, numthreads)) result = pd.DataFrame({'apparent_zenith': app_zenith, 'zenith': zenith, 'apparent_elevation': app_elevation, 'elevation': elevation, 'azimuth': azimuth, 'equation_of_time': eot}, index=time) return result
spa_python
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(time, latitude, longitude, altitude=0, pressure=101325, temperature=\n 12, delta_t=67.0, atmos_refract=None, how='numpy', numthreads=4, **kwargs):\n lat ...
def x(times, latitude, longitude, how='numpy', delta_t=67.0, numthreads=4): lat = latitude lon = longitude if times.tz: tzinfo = times.tz else: raise ValueError('times must be localized') utcday = pd.DatetimeIndex(times.date).tz_localize('UTC') unixtime = np.array(utcday.astype(np.int64) / 10 ** 9) spa = _spa_python_import(how) delta_t = delta_t or spa.calculate_deltat(times.year, times.month) transit, sunrise, sunset = spa.transit_sunrise_sunset(unixtime, lat, lon, delta_t, numthreads) transit = pd.to_datetime(transit * 1000000000.0, unit='ns', utc=True ).tz_convert(tzinfo).tolist() sunrise = pd.to_datetime(sunrise * 1000000000.0, unit='ns', utc=True ).tz_convert(tzinfo).tolist() sunset = pd.to_datetime(sunset * 1000000000.0, unit='ns', utc=True ).tz_convert(tzinfo).tolist() return pd.DataFrame(index=times, data={'sunrise': sunrise, 'sunset': sunset, 'transit': transit})
sun_rise_set_transit_spa
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(times, latitude, longitude, how='numpy', delta_t=67.0, numthreads=4):\n lat = latitude\n lon = longitude\n if times.tz:\n tzinfo = times.tz\n ...
def x(date): microseconds = int(round(24 * 60 * 60 * 1000000 * date)) seconds, microseconds = divmod(microseconds, 1000000) seconds -= 2209032000 return seconds, microseconds
ephem_convert_to_seconds_and_microseconds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(date):\n microseconds = int(round(24 * 60 * 60 * 1000000 * date))\n seconds, microseconds = divmod(microseconds, 1000000)\n seconds -= 2209032000\n ...
def x(date, tzinfo): seconds, microseconds = _ephem_convert_to_seconds_and_microseconds(date) date = dt.datetime.fromtimestamp(seconds, tzinfo) date = date.replace(microsecond=microseconds) return date
ephem_to_timezone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(date, tzinfo):\n seconds, microseconds = _ephem_convert_to_seconds_and_microseconds(date)\n date = dt.datetime.fromtimestamp(seconds, tzinfo)\n date =...
def x(times, latitude, longitude, next_or_previous='next', altitude=0, pressure=101325, temperature=12, horizon='0:00'): try: import ephem except ImportError: raise ImportError('PyEphem must be installed') if times.tz: tzinfo = times.tz else: raise ValueError('times must be localized') obs, sun = _ephem_setup(latitude, longitude, altitude, pressure, temperature, horizon) if next_or_previous.lower() == 'next': rising = obs.next_rising setting = obs.next_setting transit = obs.next_transit elif next_or_previous.lower() == 'previous': rising = obs.previous_rising setting = obs.previous_setting transit = obs.previous_transit else: raise ValueError("next_or_previous must be either 'next' or" + " 'previous'") sunrise = [] sunset = [] trans = [] for thetime in times: thetime = thetime.to_pydatetime() obs.date = ephem.Date(thetime - thetime.utcoffset()) sunrise.append(_ephem_to_timezone(rising(sun), tzinfo)) sunset.append(_ephem_to_timezone(setting(sun), tzinfo)) trans.append(_ephem_to_timezone(transit(sun), tzinfo)) return pd.DataFrame(index=times, data={'sunrise': sunrise, 'sunset': sunset, 'transit': trans})
sun_rise_set_transit_ephem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(times, latitude, longitude, next_or_previous='next', altitude=0,\n pressure=101325, temperature=12, horizon='0:00'):\n try:\n import ephem\n ex...
def x(time, latitude, longitude, altitude=0, pressure=101325, temperature= 12, horizon='+0:00'): try: import ephem except ImportError: raise ImportError('PyEphem must be installed') try: time_utc = time.tz_convert('UTC') except TypeError: time_utc = time sun_coords = pd.DataFrame(index=time) obs, sun = _ephem_setup(latitude, longitude, altitude, pressure, temperature, horizon) alts = [] azis = [] for thetime in time_utc: obs.date = ephem.Date(thetime) sun.compute(obs) alts.append(sun.alt) azis.append(sun.az) sun_coords['apparent_elevation'] = alts sun_coords['apparent_azimuth'] = azis obs.pressure = 0 alts = [] azis = [] for thetime in time_utc: obs.date = ephem.Date(thetime) sun.compute(obs) alts.append(sun.alt) azis.append(sun.az) sun_coords['elevation'] = alts sun_coords['azimuth'] = azis sun_coords = np.rad2deg(sun_coords) sun_coords['apparent_zenith'] = 90 - sun_coords['apparent_elevation'] sun_coords['zenith'] = 90 - sun_coords['elevation'] return sun_coords
pyephem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(time, latitude, longitude, altitude=0, pressure=101325, temperature=\n 12, horizon='+0:00'):\n try:\n import ephem\n except ImportError:\n ...
def x(time, latitude, longitude, pressure=101325, temperature=12): Latitude = latitude Longitude = -1 * longitude Abber = 20 / 3600.0 LatR = np.radians(Latitude) try: time_utc = time.tz_convert('UTC') except TypeError: time_utc = time DayOfYear = time_utc.dayofyear DecHours = (time_utc.hour + time_utc.minute / 60.0 + time_utc.second / 3600.0 + time_utc.microsecond / 3600000000.0) UnivDate = np.array(DayOfYear) UnivHr = np.array(DecHours) Yr = np.array(time_utc.year) - 1900 YrBegin = 365 * Yr + np.floor((Yr - 1) / 4.0) - 0.5 Ezero = YrBegin + UnivDate T = Ezero / 36525.0 GMST0 = 6 / 24.0 + 38 / 1440.0 + (45.836 + 8640184.542 * T + 0.0929 * T ** 2) / 86400.0 GMST0 = 360 * (GMST0 - np.floor(GMST0)) GMSTi = np.mod(GMST0 + 360 * (1.0027379093 * UnivHr / 24.0), 360) LocAST = np.mod(360 + GMSTi - Longitude, 360) EpochDate = Ezero + UnivHr / 24.0 T1 = EpochDate / 36525.0 ObliquityR = np.radians(23.452294 - 0.0130125 * T1 - 1.64e-06 * T1 ** 2 + 5.03e-07 * T1 ** 3) MlPerigee = (281.22083 + 4.70684e-05 * EpochDate + 0.000453 * T1 ** 2 + 3e-06 * T1 ** 3) MeanAnom = np.mod(358.47583 + 0.985600267 * EpochDate - 0.00015 * T1 ** 2 - 3e-06 * T1 ** 3, 360) Eccen = 0.01675104 - 4.18e-05 * T1 - 1.26e-07 * T1 ** 2 EccenAnom = MeanAnom E = 0 while np.max(abs(EccenAnom - E)) > 0.0001: E = EccenAnom EccenAnom = MeanAnom + np.degrees(Eccen) * np.sin(np.radians(E)) TrueAnom = 2 * np.mod(np.degrees(np.arctan2(((1 + Eccen) / (1 - Eccen)) ** 0.5 * np.tan(np.radians(EccenAnom) / 2.0), 1)), 360) EcLon = np.mod(MlPerigee + TrueAnom, 360) - Abber EcLonR = np.radians(EcLon) DecR = np.arcsin(np.sin(ObliquityR) * np.sin(EcLonR)) RtAscen = np.degrees(np.arctan2(np.cos(ObliquityR) * np.sin(EcLonR), np .cos(EcLonR))) HrAngle = LocAST - RtAscen HrAngleR = np.radians(HrAngle) HrAngle = HrAngle - 360 * (abs(HrAngle) > 180) SunAz = np.degrees(np.arctan2(-np.sin(HrAngleR), np.cos(LatR) * np.tan( DecR) - np.sin(LatR) * np.cos(HrAngleR))) SunAz[SunAz < 0] += 360 SunEl = np.degrees(np.arcsin(np.cos(LatR) * np.cos(DecR) * np.cos( HrAngleR) + np.sin(LatR) * np.sin(DecR))) SolarTime = (180 + HrAngle) / 15.0 Elevation = SunEl TanEl = pd.Series(np.tan(np.radians(Elevation)), index=time_utc) Refract = pd.Series(0, index=time_utc) Refract[(Elevation > 5) & (Elevation <= 85) ] = 58.1 / TanEl - 0.07 / TanEl ** 3 + 8.6e-05 / TanEl ** 5 Refract[(Elevation > -0.575) & (Elevation <= 5)] = Elevation * (-518.2 + Elevation * (103.4 + Elevation * (-12.79 + Elevation * 0.711))) + 1735 Refract[(Elevation > -1) & (Elevation <= -0.575)] = -20.774 / TanEl Refract *= 283 / (273.0 + temperature) * (pressure / 101325.0) / 3600.0 ApparentSunEl = SunEl + Refract DFOut = pd.DataFrame(index=time_utc) DFOut['apparent_elevation'] = ApparentSunEl DFOut['elevation'] = SunEl DFOut['azimuth'] = SunAz DFOut['apparent_zenith'] = 90 - ApparentSunEl DFOut['zenith'] = 90 - SunEl DFOut['solar_time'] = SolarTime DFOut.index = time return DFOut
ephemeris
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(time, latitude, longitude, pressure=101325, temperature=12):\n Latitude = latitude\n Longitude = -1 * longitude\n Abber = 20 / 3600.0\n LatR = np.r...
def x(lower_bound, upper_bound, latitude, longitude, attribute, value, altitude=0, pressure=101325, temperature=12, horizon='+0:00', xtol=1e-12): try: import scipy.optimize as so except ImportError: raise ImportError('The calc_time function requires scipy') obs, sun = _ephem_setup(latitude, longitude, altitude, pressure, temperature, horizon) def x(thetime, target, attr): obs.date = thetime sun.compute(obs) return getattr(sun, attr) - target lb = datetime_to_djd(lower_bound) ub = datetime_to_djd(upper_bound) djd_root = so.brentq(compute_attr, lb, ub, (value, attribute), xtol=xtol) return djd_to_datetime(djd_root)
calc_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lower_bound, upper_bound, latitude, longitude, attribute, value,\n altitude=0, pressure=101325, temperature=12, horizon='+0:00', xtol=1e-12):\n try:\n ...
def x(time): import ephem sun = ephem.Sun() earthsun = [] for thetime in time: sun.compute(ephem.Date(thetime)) earthsun.append(sun.earth_distance) return pd.Series(earthsun, index=time)
pyephem_earthsun_distance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(time):\n import ephem\n sun = ephem.Sun()\n earthsun = []\n for thetime in time:\n sun.compute(ephem.Date(thetime))\n earthsun.append...
def x(time, how='numpy', delta_t=67.0, numthreads=4): if not isinstance(time, pd.DatetimeIndex): try: time = pd.DatetimeIndex(time) except (TypeError, ValueError): time = pd.DatetimeIndex([time]) unixtime = np.array(time.astype(np.int64) / 10 ** 9) spa = _spa_python_import(how) delta_t = delta_t or spa.calculate_deltat(time.year, time.month) dist = spa.earthsun_distance(unixtime, delta_t, numthreads) dist = pd.Series(dist, index=time) return dist
nrel_earthsun_distance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(time, how='numpy', delta_t=67.0, numthreads=4):\n if not isinstance(time, pd.DatetimeIndex):\n try:\n time = pd.DatetimeIndex(time)\n ...
def x(dayofyear): day_angle = _calculate_simple_day_angle(dayofyear) eot = 1440.0 / 2 / np.pi * (7.5e-06 + 0.001868 * np.cos(day_angle) - 0.032077 * np.sin(day_angle) - 0.014615 * np.cos(2.0 * day_angle) - 0.040849 * np.sin(2.0 * day_angle)) return eot
equation_of_time_spencer71
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dayofyear):\n day_angle = _calculate_simple_day_angle(dayofyear)\n eot = 1440.0 / 2 / np.pi * (7.5e-06 + 0.001868 * np.cos(day_angle) - \n 0.03207...
def x(dayofyear): bday = _calculate_simple_day_angle(dayofyear) - 2.0 * np.pi / 365.0 * 80.0 return 9.87 * np.sin(2.0 * bday) - 7.53 * np.cos(bday) - 1.5 * np.sin(bday)
equation_of_time_pvcdrom
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dayofyear):\n bday = _calculate_simple_day_angle(dayofyear) - 2.0 * np.pi / 365.0 * 80.0\n return 9.87 * np.sin(2.0 * bday) - 7.53 * np.cos(bday) - 1.5 *...