source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(dayofyear): day_angle = _calculate_simple_day_angle(dayofyear) return 0.006918 - 0.399912 * np.cos(day_angle) + 0.070257 * np.sin( day_angle) - 0.006758 * np.cos(2.0 * day_angle) + 0.000907 * np.sin( 2.0 * day_angle) - 0.002697 * np.cos(3.0 * day_angle ) + 0.00148 * np.sin(3.0 * day_angle)
declination_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 return 0.006918 - 0.399912 * np.cos(day_angle) + 0.070257 * np.sin(\n day_angle...
def x(dayofyear): day_angle = _calculate_simple_day_angle(dayofyear) dec = np.deg2rad(23.45 * np.sin(day_angle + 2.0 * np.pi / 365.0 * 285.0)) return dec
declination_cooper69
[ { "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 dec = np.deg2rad(23.45 * np.sin(day_angle + 2.0 * np.pi / 365.0 * 285.0))\n return ...
def x(latitude, hourangle, declination, zenith): numer = np.cos(zenith) * np.sin(latitude) - np.sin(declination) denom = np.sin(zenith) * np.cos(latitude) with np.errstate(invalid='ignore', divide='ignore'): cos_azi = numer / denom cos_azi = np.where(np.isclose(denom, 0.0, rtol=0.0, atol=1e-08), 1.0, cos_azi) cos_azi = np.where(np.isclose(cos_azi, 1.0, rtol=0.0, atol=1e-08), 1.0, cos_azi) cos_azi = np.where(np.isclose(cos_azi, -1.0, rtol=0.0, atol=1e-08), - 1.0, cos_azi) with np.errstate(invalid='ignore'): sign_ha = np.sign(hourangle) return sign_ha * np.arccos(cos_azi) + np.pi
solar_azimuth_analytical
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(latitude, hourangle, declination, zenith):\n numer = np.cos(zenith) * np.sin(latitude) - np.sin(declination)\n denom = np.sin(zenith) * np.cos(latitude)\...
def x(latitude, hourangle, declination): return np.arccos(np.cos(declination) * np.cos(latitude) * np.cos( hourangle) + np.sin(declination) * np.sin(latitude))
solar_zenith_analytical
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(latitude, hourangle, declination):\n return np.arccos(np.cos(declination) * np.cos(latitude) * np.cos(\n hourangle) + np.sin(declination) * np.sin(la...
def x(times, longitude, equation_of_time): naive_times = times.tz_localize(None) hrs_minus_tzs = 1 / NS_PER_HR * (2 * times.astype(np.int64) - times. normalize().astype(np.int64) - naive_times.astype(np.int64)) return np.asarray(15.0 * (hrs_minus_tzs - 12.0) + longitude + equation_of_time / 4.0)
hour_angle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(times, longitude, equation_of_time):\n naive_times = times.tz_localize(None)\n hrs_minus_tzs = 1 / NS_PER_HR * (2 * times.astype(np.int64) - times.\n ...
def x(times, hourangle, longitude, equation_of_time): naive_times = times.tz_localize(None) tzs = 1 / NS_PER_HR * (naive_times.astype(np.int64) - times.astype(np. int64)) hours = (hourangle - longitude - equation_of_time / 4.0 ) / 15.0 + 12.0 + tzs return np.asarray(hours)
hour_angle_to_hours
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(times, hourangle, longitude, equation_of_time):\n naive_times = times.tz_localize(None)\n tzs = 1 / NS_PER_HR * (naive_times.astype(np.int64) - times.ast...
def x(times, hours): tz_info = times.tz naive_times = times.tz_localize(None) return pd.DatetimeIndex((naive_times.normalize().astype(np.int64) + ( hours * NS_PER_HR).astype(np.int64)).astype('datetime64[ns]'), tz= tz_info)
local_times_from_hours_since_midnight
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(times, hours):\n tz_info = times.tz\n naive_times = times.tz_localize(None)\n return pd.DatetimeIndex((naive_times.normalize().astype(np.int64) + (\n ...
def x(times): times = times.tz_localize(None) hrs = 1 / NS_PER_HR * (times.astype(np.int64) - times.normalize(). astype(np.int64)) return np.array(hrs)
times_to_hours_after_local_midnight
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(times):\n times = times.tz_localize(None)\n hrs = 1 / NS_PER_HR * (times.astype(np.int64) - times.normalize().\n astype(np.int64))\n return np....
def x(times, latitude, longitude, declination, equation_of_time): latitude_rad = np.radians(latitude) sunset_angle_rad = np.arccos(-np.tan(declination) * np.tan(latitude_rad)) sunset_angle = np.degrees(sunset_angle_rad) sunrise_angle = -sunset_angle sunrise_hour = _hour_angle_to_hours(times, sunrise_angle, longitude, equation_of_time) sunset_hour = _hour_angle_to_hours(times, sunset_angle, longitude, equation_of_time) transit_hour = _hour_angle_to_hours(times, 0, longitude, equation_of_time) sunrise = _local_times_from_hours_since_midnight(times, sunrise_hour) sunset = _local_times_from_hours_since_midnight(times, sunset_hour) transit = _local_times_from_hours_since_midnight(times, transit_hour) return sunrise, sunset, transit
sun_rise_set_transit_geometric
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(times, latitude, longitude, declination, equation_of_time):\n latitude_rad = np.radians(latitude)\n sunset_angle_rad = np.arccos(-np.tan(declination) * n...
def x(times, latitude, longitude, module_parameters, inverter_parameters, irradiance=None, weather=None, surface_tilt=None, surface_azimuth=None, orientation_strategy=None, transposition_model='haydavies', solar_position_method='nrel_numpy', airmass_model='kastenyoung1989', altitude=None, pressure=None, **kwargs): if surface_tilt is not None and surface_azimuth is not None: pass elif orientation_strategy is not None: surface_tilt, surface_azimuth = get_orientation(orientation_strategy, latitude=latitude) else: raise ValueError( 'orientation_strategy or surface_tilt and surface_azimuth must be provided' ) 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) solar_position = solarposition.get_solarposition(times, latitude, longitude, altitude=altitude, pressure=pressure, method= solar_position_method, **kwargs) airmass = atmosphere.get_relative_airmass(solar_position[ 'apparent_zenith'], model=airmass_model) airmass = atmosphere.get_absolute_airmass(airmass, pressure) dni_extra = pvlib.irradiance.get_extra_radiation(solar_position.index) aoi = pvlib.irradiance.aoi(surface_tilt, surface_azimuth, solar_position['apparent_zenith'], solar_position['azimuth']) if irradiance is None: linke_turbidity = clearsky.lookup_linke_turbidity(solar_position. index, latitude, longitude) irradiance = clearsky.ineichen(solar_position['apparent_zenith'], airmass, linke_turbidity, altitude=altitude, dni_extra=dni_extra) total_irrad = pvlib.irradiance.get_total_irradiance(surface_tilt, surface_azimuth, solar_position['apparent_zenith'], solar_position[ 'azimuth'], irradiance['dni'], irradiance['ghi'], irradiance['dhi'], model=transposition_model, dni_extra=dni_extra) if weather is None: weather = {'wind_speed': 0, 'temp_air': 20} temps = pvsystem.sapm_celltemp(total_irrad['poa_global'], weather[ 'wind_speed'], weather['temp_air']) effective_irradiance = pvsystem.sapm_effective_irradiance(total_irrad[ 'poa_direct'], total_irrad['poa_diffuse'], airmass, aoi, module_parameters) dc = pvsystem.sapm(effective_irradiance, temps['temp_cell'], module_parameters) ac = pvsystem.snlinverter(dc['v_mp'], dc['p_mp'], inverter_parameters) return dc, ac
basic_chain
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(times, latitude, longitude, module_parameters, inverter_parameters,\n irradiance=None, weather=None, surface_tilt=None, surface_azimuth=None,\n orientati...
def x(strategy, **kwargs): if strategy == 'south_at_latitude_tilt': surface_azimuth = 180 surface_tilt = kwargs['latitude'] elif strategy == 'flat': surface_azimuth = 180 surface_tilt = 0 else: raise ValueError( 'invalid orientation strategy. strategy must be one of south_at_latitude, flat,' ) return surface_tilt, surface_azimuth
get_orientation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(strategy, **kwargs):\n if strategy == 'south_at_latitude_tilt':\n surface_azimuth = 180\n surface_tilt = kwargs['latitude']\n elif strategy...
def x(self): (photocurrent, saturation_current, resistance_series, resistance_shunt, nNsVth) = (self.system.calcparams_desoto(self.effective_irradiance, self.temps['temp_cell'])) self.desoto = (photocurrent, saturation_current, resistance_series, resistance_shunt, nNsVth) self.dc = self.system.singlediode(photocurrent, saturation_current, resistance_series, resistance_shunt, nNsVth) self.dc = self.system.scale_voltage_current_power(self.dc).fillna(0) return self
singlediode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n (photocurrent, saturation_current, resistance_series, resistance_shunt,\n nNsVth) = (self.system.calcparams_desoto(self.effective_irradiance...
def x(self, times=None, weather=None): if weather is not None: self.weather = weather if times is not None: self.times = times self.solar_position = self.location.get_solarposition(self.times, method=self.solar_position_method) icolumns = set(self.weather.columns) wrn_txt = ('This function is not safe at the moment.\n' + """Results can be too high or negative. """ + 'Help to improve this function on github:\n' + 'https://github.com/pvlib/pvlib-python \n') if {'ghi', 'dhi'} <= icolumns and 'dni' not in icolumns: clearsky = self.location.get_clearsky(times, solar_position=self. solar_position) self.weather.loc[:, 'dni'] = pvlib.irradiance.dni(self.weather.loc[ :, 'ghi'], self.weather.loc[:, 'dhi'], self.solar_position. zenith, clearsky_dni=clearsky['dni'], clearsky_tolerance=1.1) elif {'dni', 'dhi'} <= icolumns and 'ghi' not in icolumns: warnings.warn(wrn_txt, UserWarning) self.weather.loc[:, 'ghi'] = self.weather.dni * tools.cosd(self. solar_position.zenith) + self.weather.dhi elif {'dni', 'ghi'} <= icolumns and 'dhi' not in icolumns: warnings.warn(wrn_txt, UserWarning) self.weather.loc[:, 'dhi' ] = self.weather.ghi - self.weather.dni * tools.cosd(self. solar_position.zenith) return self
complete_irradiance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, times=None, weather=None):\n if weather is not None:\n self.weather = weather\n if times is not None:\n self.times = times\n self....
def x(self, times=None, weather=None): if weather is not None: self.weather = weather if self.weather is None: self.weather = pd.DataFrame(index=times) if times is not None: self.times = times self.solar_position = self.location.get_solarposition(self.times, method=self.solar_position_method) self.airmass = self.location.get_airmass(solar_position=self. solar_position, model=self.airmass_model) if not any([(x in ['ghi', 'dni', 'dhi']) for x in self.weather.columns]): self.weather[['ghi', 'dni', 'dhi']] = self.location.get_clearsky(self .solar_position.index, self.clearsky_model, solar_position=self .solar_position, airmass_absolute=self.airmass['airmass_absolute']) if not {'ghi', 'dni', 'dhi'} <= set(self.weather.columns): raise ValueError( 'Uncompleted irradiance data set. Please check you input ' + """data. Data set needs to have 'dni', 'dhi' and 'ghi'. """ + 'Detected data: {0}'.format(list(self.weather.columns))) if isinstance(self.system, SingleAxisTracker): self.tracking = self.system.singleaxis(self.solar_position[ 'apparent_zenith'], self.solar_position['azimuth']) self.tracking['surface_tilt'] = self.tracking['surface_tilt'].fillna( self.system.axis_tilt) self.tracking['surface_azimuth'] = self.tracking['surface_azimuth' ].fillna(self.system.axis_azimuth) self.aoi = self.tracking['aoi'] get_irradiance = partial(self.system.get_irradiance, self.tracking[ 'surface_tilt'], self.tracking['surface_azimuth'], self. solar_position['apparent_zenith'], self.solar_position['azimuth']) else: self.aoi = self.system.get_aoi(self.solar_position[ 'apparent_zenith'], self.solar_position['azimuth']) get_irradiance = partial(self.system.get_irradiance, self. solar_position['apparent_zenith'], self.solar_position['azimuth']) self.total_irrad = get_irradiance(self.weather['dni'], self.weather[ 'ghi'], self.weather['dhi'], airmass=self.airmass[ 'airmass_relative'], model=self.transposition_model) if self.weather.get('wind_speed') is None: self.weather['wind_speed'] = 0 if self.weather.get('temp_air') is None: self.weather['temp_air'] = 20 return self
prepare_inputs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, times=None, weather=None):\n if weather is not None:\n self.weather = weather\n if self.weather is None:\n self.weather = pd.DataFram...
def x(self, times=None, weather=None): self.prepare_inputs(times, weather) self.aoi_model() self.spectral_model() self.effective_irradiance_model() self.temp_model() self.dc_model() self.ac_model() self.losses_model() return self
run_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, times=None, weather=None):\n self.prepare_inputs(times, weather)\n self.aoi_model()\n self.spectral_model()\n self.effective_irradiance_model...
def x(photocurrent, saturation_current, nNsVth): return nNsVth * np.log(np.asarray(photocurrent) / saturation_current + 1.0)
estimate_voc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(photocurrent, saturation_current, nNsVth):\n return nNsVth * np.log(np.asarray(photocurrent) / saturation_current + 1.0)\n", "role": "user" }, { ...
def x(diode_voltage, photocurrent, saturation_current, resistance_series, resistance_shunt, nNsVth, d2mutau=0, NsVbi=np.Inf, gradients=False): is_recomb = d2mutau > 0 v_recomb = np.where(is_recomb, NsVbi - diode_voltage, np.inf) i_recomb = np.where(is_recomb, photocurrent * d2mutau / v_recomb, 0) v_star = diode_voltage / nNsVth g_sh = 1.0 / resistance_shunt i = photocurrent - saturation_current * np.expm1(v_star ) - diode_voltage * g_sh - i_recomb v = diode_voltage - i * resistance_series retval = i, v, i * v if gradients: grad_i_recomb = np.where(is_recomb, i_recomb / v_recomb, 0) grad_2i_recomb = np.where(is_recomb, 2 * grad_i_recomb / v_recomb, 0) g_diode = saturation_current * np.exp(v_star) / nNsVth grad_i = -g_diode - g_sh - grad_i_recomb grad_v = 1.0 - grad_i * resistance_series grad = grad_i / grad_v grad_p = v * grad + i grad2i = -g_diode / nNsVth - grad_2i_recomb grad2v = -grad2i * resistance_series grad2p = grad_v * grad + v * (grad2i / grad_v - grad_i * grad2v / grad_v ** 2) + grad_i retval += grad_i, grad_v, grad, grad_p, grad2p return retval
bishop88
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(diode_voltage, photocurrent, saturation_current, resistance_series,\n resistance_shunt, nNsVth, d2mutau=0, NsVbi=np.Inf, gradients=False):\n is_recomb = ...
def x(voltage, photocurrent, saturation_current, resistance_series, resistance_shunt, nNsVth, method='newton'): args = (photocurrent, saturation_current, resistance_series, resistance_shunt, nNsVth) def x(x, v, *a): return bishop88(x, *a)[1] - v if method.lower() == 'brentq': voc_est = estimate_voc(photocurrent, saturation_current, nNsVth) def x(voc, v, iph, isat, rs, rsh, gamma): return brentq(fv, 0.0, voc, args=(v, iph, isat, rs, rsh, gamma)) vd_from_brent_vectorized = np.vectorize(vd_from_brent) vd = vd_from_brent_vectorized(voc_est, voltage, *args) elif method.lower() == 'newton': args, v0 = _prepare_newton_inputs((voltage,), args, voltage) vd = newton(func=lambda x, *a: fv(x, voltage, *a), x0=v0, fprime=lambda x, *a: bishop88(x, *a, gradients=True)[4], args=args) else: raise NotImplementedError("Method '%s' isn't implemented" % method) return bishop88(vd, *args)[0]
bishop88_i_from_v
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(voltage, photocurrent, saturation_current, resistance_series,\n resistance_shunt, nNsVth, method='newton'):\n args = (photocurrent, saturation_current, r...
def x(photocurrent, saturation_current, resistance_series, resistance_shunt, nNsVth, method='newton'): args = (photocurrent, saturation_current, resistance_series, resistance_shunt, nNsVth) voc_est = estimate_voc(photocurrent, saturation_current, nNsVth) def x(x, *a): return bishop88(x, *a, gradients=True)[6] if method.lower() == 'brentq': vec_fun = np.vectorize(lambda voc, iph, isat, rs, rsh, gamma: brentq(fmpp, 0.0, voc, args=(iph, isat, rs, rsh, gamma))) vd = vec_fun(voc_est, *args) elif method.lower() == 'newton': args, v0 = _prepare_newton_inputs((), args, voc_est) vd = newton(func=fmpp, x0=v0, fprime=lambda x, *a: bishop88(x, *a, gradients=True)[7], args=args) else: raise NotImplementedError("Method '%s' isn't implemented" % method) return bishop88(vd, *args)
bishop88_mpp
[ { "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='newton'):\n args = (photocurrent, saturation_current, resistance...
def x(df, loc): I = _lambertw_i_from_v(df['r_sh'], df['r_s'], df['nNsVth'], df[loc], df ['i_0'], df['i_l']) return I * df[loc]
pwr_optfcn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(df, loc):\n I = _lambertw_i_from_v(df['r_sh'], df['r_s'], df['nNsVth'], df[loc], df\n ['i_0'], df['i_l'])\n return I * df[loc]\n", "role": "us...
def x(self): keys = list(self.model.datasets.keys()) labels = [item.split()[0].lower() for item in keys] if self.set_type == 'best': self.dataset = self.model.datasets[keys[labels.index('best')]] elif self.set_type == 'latest': self.dataset = self.model.datasets[keys[labels.index('latest')]] elif self.set_type == 'full': self.dataset = self.model.datasets[keys[labels.index('full')]] self.access_url = self.dataset.access_urls[self.access_url_key] self.ncss = NCSS(self.access_url) self.query = self.ncss.query()
set_dataset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n keys = list(self.model.datasets.keys())\n labels = [item.split()[0].lower() for item in keys]\n if self.set_type == 'best':\n self.dat...
def x(self): if isinstance(self.longitude, list) and isinstance(self.latitude, list): self.lbox = True self.query.lonlat_box(self.longitude[0], self.longitude[1], self. latitude[0], self.latitude[1]) else: self.lbox = False self.query.lonlat_point(self.longitude, self.latitude)
set_query_latlon
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if isinstance(self.longitude, list) and isinstance(self.latitude, list):\n self.lbox = True\n self.query.lonlat_box(self.longitude[0]...
def x(self, time, latitude, longitude): if isinstance(time, datetime.datetime): tzinfo = time.tzinfo else: tzinfo = time.tz if tzinfo is None: self.location = Location(latitude, longitude) else: self.location = Location(latitude, longitude, tz=tzinfo)
set_location
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time, latitude, longitude):\n if isinstance(time, datetime.datetime):\n tzinfo = time.tzinfo\n else:\n tzinfo = time.tz\n if tzinf...
def x(self, latitude, longitude, start, end, vert_level=None, query_variables=None, close_netcdf_data=True): if not self.connected: self.connect_to_catalog() if vert_level is not None: self.vert_level = vert_level if query_variables is None: self.query_variables = list(self.variables.values()) else: self.query_variables = query_variables self.latitude = latitude self.longitude = longitude self.set_query_latlon() self.set_location(start, latitude, longitude) self.start = start self.end = end self.query.time_range(self.start, self.end) if self.vert_level is not None: self.query.vertical_level(self.vert_level) self.query.variables(*self.query_variables) self.query.accept(self.data_format) self.netcdf_data = self.ncss.get_data(self.query) self.data = self._netcdf2pandas(self.netcdf_data, self.query_variables, self.start, self.end) if close_netcdf_data: self.netcdf_data.close() return self.data
get_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, latitude, longitude, start, end, vert_level=None,\n query_variables=None, close_netcdf_data=True):\n if not self.connected:\n self.connect_t...
def x(self, *args, **kwargs): return self.process_data(self.get_data(*args, **kwargs), **kwargs)
get_processed_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n return self.process_data(self.get_data(*args, **kwargs), **kwargs)\n", "role": "user" }, { "content": "get_processed_d...
def x(self, data, variables=None): if variables is None: variables = self.variables return data.rename(columns={y: x for x, y in variables.items()})
rename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, variables=None):\n if variables is None:\n variables = self.variables\n return data.rename(columns={y: x for x, y in variables.items()...
def x(self, netcdf_data, query_variables, start, end): try: time_var = 'time' self.set_time(netcdf_data.variables[time_var]) except KeyError: time_var = 'time1' self.set_time(netcdf_data.variables[time_var]) data_dict = {} for key, data in netcdf_data.variables.items(): if key not in query_variables: continue squeezed = data[:].squeeze() if squeezed.ndim == 1: data_dict[key] = squeezed elif squeezed.ndim == 2: for num, data_level in enumerate(squeezed.T): data_dict[key + '_' + str(num)] = data_level else: raise ValueError('cannot parse ndim > 2') data = pd.DataFrame(data_dict, index=self.time) data = data.sort_index().loc[start:end] return data
netcdf2pandas
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, netcdf_data, query_variables, start, end):\n try:\n time_var = 'time'\n self.set_time(netcdf_data.variables[time_var])\n except KeyEr...
def x(self, time): times = num2date(time[:].squeeze(), time.units) self.time = pd.DatetimeIndex(pd.Series(times), tz=self.location.tz)
set_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time):\n times = num2date(time[:].squeeze(), time.units)\n self.time = pd.DatetimeIndex(pd.Series(times), tz=self.location.tz)\n", "role": "use...
def x(self, cloud_cover, ghi_clear, offset=35, **kwargs): offset = offset / 100.0 cloud_cover = cloud_cover / 100.0 ghi = (offset + (1 - offset) * (1 - cloud_cover)) * ghi_clear return ghi
cloud_cover_to_ghi_linear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cloud_cover, ghi_clear, offset=35, **kwargs):\n offset = offset / 100.0\n cloud_cover = cloud_cover / 100.0\n ghi = (offset + (1 - offset) * (1 ...
def x(self, cloud_cover, method='linear', **kwargs): solpos = self.location.get_solarposition(cloud_cover.index) cs = self.location.get_clearsky(cloud_cover.index, model='ineichen', solar_position=solpos) method = method.lower() if method == 'linear': ghi = self.cloud_cover_to_ghi_linear(cloud_cover, cs['ghi'], **kwargs) else: raise ValueError('invalid method argument') dni = disc(ghi, solpos['zenith'], cloud_cover.index)['dni'] dhi = ghi - dni * np.cos(np.radians(solpos['zenith'])) irrads = pd.DataFrame({'ghi': ghi, 'dni': dni, 'dhi': dhi}).fillna(0) return irrads
cloud_cover_to_irradiance_clearsky_scaling
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cloud_cover, method='linear', **kwargs):\n solpos = self.location.get_solarposition(cloud_cover.index)\n cs = self.location.get_clearsky(cloud_cove...
def x(self, cloud_cover, **kwargs): solar_position = self.location.get_solarposition(cloud_cover.index) dni_extra = get_extra_radiation(cloud_cover.index) airmass = self.location.get_airmass(cloud_cover.index) transmittance = self.cloud_cover_to_transmittance_linear(cloud_cover, **kwargs) irrads = liujordan(solar_position['apparent_zenith'], transmittance, airmass['airmass_absolute'], dni_extra=dni_extra) irrads = irrads.fillna(0) return irrads
cloud_cover_to_irradiance_liujordan
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cloud_cover, **kwargs):\n solar_position = self.location.get_solarposition(cloud_cover.index)\n dni_extra = get_extra_radiation(cloud_cover.index)\...
def x(self, cloud_cover, how='clearsky_scaling', **kwargs): how = how.lower() if how == 'clearsky_scaling': irrads = self.cloud_cover_to_irradiance_clearsky_scaling(cloud_cover, **kwargs) elif how == 'liujordan': irrads = self.cloud_cover_to_irradiance_liujordan(cloud_cover, **kwargs ) else: raise ValueError('invalid how argument') return irrads
cloud_cover_to_irradiance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cloud_cover, how='clearsky_scaling', **kwargs):\n how = how.lower()\n if how == 'clearsky_scaling':\n irrads = self.cloud_cover_to_irradianc...
def x(self, data): P = data['pressure'] / 100.0 Tiso = data['temperature_iso'] Td = data['temperature_dew_iso'] - 273.15 e = 6.11 * 10 ** (7.5 * Td / (Td + 273.3)) w = 0.622 * (e / (P - e)) temperature = Tiso - 2.501 * 10.0 ** 6 / 1005.7 * w return temperature
isobaric_to_ambient_temperature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n P = data['pressure'] / 100.0\n Tiso = data['temperature_iso']\n Td = data['temperature_dew_iso'] - 273.15\n e = 6.11 * 10 ** (7.5 * ...
def x(self, data, cloud_cover='total_clouds', **kwargs): data = super(GFS, self).process_data(data, **kwargs) data['temp_air'] = self.kelvin_to_celsius(data['temp_air']) data['wind_speed'] = self.uv_to_speed(data) irrads = self.cloud_cover_to_irradiance(data[cloud_cover], **kwargs) data = data.join(irrads, how='outer') return data[self.output_variables]
process_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, cloud_cover='total_clouds', **kwargs):\n data = super(GFS, self).process_data(data, **kwargs)\n data['temp_air'] = self.kelvin_to_celsius(dat...
def x(self, data, cloud_cover='total_clouds', **kwargs): data = super(HRRR, self).process_data(data, **kwargs) wind_mapping = {'wind_speed_u': 'u-component_of_wind_height_above_ground_0', 'wind_speed_v': 'v-component_of_wind_height_above_ground_0'} data = self.rename(data, variables=wind_mapping) data['temp_air'] = self.kelvin_to_celsius(data['temp_air']) data['wind_speed'] = self.uv_to_speed(data) irrads = self.cloud_cover_to_irradiance(data[cloud_cover], **kwargs) data = data.join(irrads, how='outer') data = data.iloc[:-1, :] return data[self.output_variables]
process_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, cloud_cover='total_clouds', **kwargs):\n data = super(HRRR, self).process_data(data, **kwargs)\n wind_mapping = {'wind_speed_u':\n 'u-...
def x(datetime_or_doy, solar_constant=1366.1, method='spencer', epoch_year= 2014, **kwargs): to_doy, to_datetimeindex, to_output = _handle_extra_radiation_types( datetime_or_doy, epoch_year) method = method.lower() if method == 'asce': B = solarposition._calculate_simple_day_angle(to_doy(datetime_or_doy)) RoverR0sqrd = 1 + 0.033 * np.cos(B) elif method == 'spencer': B = solarposition._calculate_simple_day_angle(to_doy(datetime_or_doy)) RoverR0sqrd = 1.00011 + 0.034221 * np.cos(B) + 0.00128 * np.sin(B ) + 0.000719 * np.cos(2 * B) + 7.7e-05 * np.sin(2 * B) elif method == 'pyephem': times = to_datetimeindex(datetime_or_doy) RoverR0sqrd = solarposition.pyephem_earthsun_distance(times) ** -2 elif method == 'nrel': times = to_datetimeindex(datetime_or_doy) RoverR0sqrd = solarposition.nrel_earthsun_distance(times, **kwargs ) ** -2 else: raise ValueError('Invalid method: %s', method) Ea = solar_constant * RoverR0sqrd Ea = to_output(Ea) return Ea
get_extra_radiation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(datetime_or_doy, solar_constant=1366.1, method='spencer', epoch_year=\n 2014, **kwargs):\n to_doy, to_datetimeindex, to_output = _handle_extra_radiation_...
def x(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth): projection = tools.cosd(surface_tilt) * tools.cosd(solar_zenith ) + tools.sind(surface_tilt) * tools.sind(solar_zenith) * tools.cosd( solar_azimuth - surface_azimuth) try: projection.name = 'aoi_projection' except AttributeError: pass return projection
aoi_projection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth):\n projection = tools.cosd(surface_tilt) * tools.cosd(solar_zenith\n ) + tools.sind(surfa...
def x(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth): projection = aoi_projection(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth) aoi_value = np.rad2deg(np.arccos(projection)) try: aoi_value.name = 'aoi' except AttributeError: pass return aoi_value
aoi
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth):\n projection = aoi_projection(surface_tilt, surface_azimuth, solar_zenith,\n solar_azimu...
def x(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth): cos_poa_zen = aoi_projection(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth) cos_solar_zenith = tools.cosd(solar_zenith) ratio = cos_poa_zen / cos_solar_zenith try: ratio.name = 'poa_ratio' except AttributeError: pass return ratio
poa_horizontal_ratio
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth):\n cos_poa_zen = aoi_projection(surface_tilt, surface_azimuth,\n solar_zenith, solar_azim...
def x(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth, dni): beam = dni * aoi_projection(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth) beam = np.maximum(beam, 0) return beam
beam_component
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth, dni):\n beam = dni * aoi_projection(surface_tilt, surface_azimuth, solar_zenith,\n solar_...
def x(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth, dni, ghi, dhi, dni_extra=None, airmass=None, albedo=0.25, surface_type=None, model='isotropic', model_perez='allsitescomposite1990', **kwargs): poa_sky_diffuse = get_sky_diffuse(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth, dni, ghi, dhi, dni_extra=dni_extra, airmass=airmass, model=model, model_perez=model_perez) poa_ground_diffuse = get_ground_diffuse(surface_tilt, ghi, albedo, surface_type) aoi_ = aoi(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth) irrads = poa_components(aoi_, dni, poa_sky_diffuse, poa_ground_diffuse) return irrads
get_total_irradiance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth, dni, ghi,\n dhi, dni_extra=None, airmass=None, albedo=0.25, surface_type=None,\n model='isotr...
def x(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth, dni, ghi, dhi, dni_extra=None, airmass=None, model='isotropic', model_perez= 'allsitescomposite1990'): model = model.lower() if model == 'isotropic': sky = isotropic(surface_tilt, dhi) elif model == 'klucher': sky = klucher(surface_tilt, surface_azimuth, dhi, ghi, solar_zenith, solar_azimuth) elif model == 'haydavies': sky = haydavies(surface_tilt, surface_azimuth, dhi, dni, dni_extra, solar_zenith, solar_azimuth) elif model == 'reindl': sky = reindl(surface_tilt, surface_azimuth, dhi, dni, ghi, dni_extra, solar_zenith, solar_azimuth) elif model == 'king': sky = king(surface_tilt, dhi, ghi, solar_zenith) elif model == 'perez': sky = perez(surface_tilt, surface_azimuth, dhi, dni, dni_extra, solar_zenith, solar_azimuth, airmass, model=model_perez) else: raise ValueError('invalid model selection {}'.format(model)) return sky
get_sky_diffuse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth, dni, ghi,\n dhi, dni_extra=None, airmass=None, model='isotropic', model_perez=\n 'allsitescom...
def x(aoi, dni, poa_sky_diffuse, poa_ground_diffuse): poa_direct = np.maximum(dni * np.cos(np.radians(aoi)), 0) poa_diffuse = poa_sky_diffuse + poa_ground_diffuse poa_global = poa_direct + poa_diffuse irrads = OrderedDict() irrads['poa_global'] = poa_global irrads['poa_direct'] = poa_direct irrads['poa_diffuse'] = poa_diffuse irrads['poa_sky_diffuse'] = poa_sky_diffuse irrads['poa_ground_diffuse'] = poa_ground_diffuse if isinstance(poa_direct, pd.Series): irrads = pd.DataFrame(irrads) return irrads
poa_components
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(aoi, dni, poa_sky_diffuse, poa_ground_diffuse):\n poa_direct = np.maximum(dni * np.cos(np.radians(aoi)), 0)\n poa_diffuse = poa_sky_diffuse + poa_ground_...
def x(surface_tilt, ghi, albedo=0.25, surface_type=None): if surface_type is not None: albedo = SURFACE_ALBEDOS[surface_type] diffuse_irrad = ghi * albedo * (1 - np.cos(np.radians(surface_tilt))) * 0.5 try: diffuse_irrad.name = 'diffuse_ground' except AttributeError: pass return diffuse_irrad
get_ground_diffuse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surface_tilt, ghi, albedo=0.25, surface_type=None):\n if surface_type is not None:\n albedo = SURFACE_ALBEDOS[surface_type]\n diffuse_irrad = ghi ...
def x(surface_tilt, surface_azimuth, dhi, ghi, solar_zenith, solar_azimuth): cos_tt = aoi_projection(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth) cos_tt = np.maximum(cos_tt, 0) F = 1 - (dhi / ghi) ** 2 try: F.fillna(0, inplace=True) except AttributeError: F = np.where(np.isnan(F), 0, F) term1 = 0.5 * (1 + tools.cosd(surface_tilt)) term2 = 1 + F * tools.sind(0.5 * surface_tilt) ** 3 term3 = 1 + F * cos_tt ** 2 * tools.sind(solar_zenith) ** 3 sky_diffuse = dhi * term1 * term2 * term3 return sky_diffuse
klucher
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surface_tilt, surface_azimuth, dhi, ghi, solar_zenith, solar_azimuth):\n cos_tt = aoi_projection(surface_tilt, surface_azimuth, solar_zenith,\n solar...
def x(surface_tilt, surface_azimuth, dhi, dni, dni_extra, solar_zenith=None, solar_azimuth=None, projection_ratio=None): if projection_ratio is None: cos_tt = aoi_projection(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth) cos_tt = np.maximum(cos_tt, 0) cos_solar_zenith = tools.cosd(solar_zenith) Rb = cos_tt / np.maximum(cos_solar_zenith, 0.01745) else: Rb = projection_ratio AI = dni / dni_extra term1 = 1 - AI term2 = 0.5 * (1 + tools.cosd(surface_tilt)) sky_diffuse = dhi * (AI * Rb + term1 * term2) sky_diffuse = np.maximum(sky_diffuse, 0) return sky_diffuse
haydavies
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surface_tilt, surface_azimuth, dhi, dni, dni_extra, solar_zenith=None,\n solar_azimuth=None, projection_ratio=None):\n if projection_ratio is None:\n ...
def x(surface_tilt, surface_azimuth, dhi, dni, ghi, dni_extra, solar_zenith, solar_azimuth): cos_tt = aoi_projection(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth) cos_tt = np.maximum(cos_tt, 0) cos_solar_zenith = tools.cosd(solar_zenith) Rb = cos_tt / np.maximum(cos_solar_zenith, 0.01745) AI = dni / dni_extra HB = dni * cos_solar_zenith HB = np.maximum(HB, 0) term1 = 1 - AI term2 = 0.5 * (1 + tools.cosd(surface_tilt)) term3 = 1 + np.sqrt(HB / ghi) * tools.sind(0.5 * surface_tilt) ** 3 sky_diffuse = dhi * (AI * Rb + term1 * term2 * term3) sky_diffuse = np.maximum(sky_diffuse, 0) return sky_diffuse
reindl
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surface_tilt, surface_azimuth, dhi, dni, ghi, dni_extra, solar_zenith,\n solar_azimuth):\n cos_tt = aoi_projection(surface_tilt, surface_azimuth, solar_z...
def x(surface_tilt, dhi, ghi, solar_zenith): sky_diffuse = dhi * (1 + tools.cosd(surface_tilt)) / 2 + ghi * (0.012 * solar_zenith - 0.04) * (1 - tools.cosd(surface_tilt)) / 2 sky_diffuse = np.maximum(sky_diffuse, 0) return sky_diffuse
king
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surface_tilt, dhi, ghi, solar_zenith):\n sky_diffuse = dhi * (1 + tools.cosd(surface_tilt)) / 2 + ghi * (0.012 *\n solar_zenith - 0.04) * (1 - tools....
def x(surface_tilt, surface_azimuth, dhi, dni, dni_extra, solar_zenith, solar_azimuth, airmass, model='allsitescomposite1990', return_components=False): kappa = 1.041 z = np.radians(solar_zenith) delta = dhi * airmass / dni_extra with np.errstate(invalid='ignore'): eps = ((dhi + dni) / dhi + kappa * z ** 3) / (1 + kappa * z ** 3) if isinstance(eps, pd.Series): eps = eps.values ebin = np.digitize(eps, (0.0, 1.065, 1.23, 1.5, 1.95, 2.8, 4.5, 6.2)) ebin = np.array(ebin) ebin[np.isnan(eps)] = 0 ebin -= 1 F1c, F2c = _get_perez_coefficients(model) nans = np.array([np.nan, np.nan, np.nan]) F1c = np.vstack((F1c, nans)) F2c = np.vstack((F2c, nans)) F1 = F1c[ebin, 0] + F1c[ebin, 1] * delta + F1c[ebin, 2] * z F1 = np.maximum(F1, 0) F2 = F2c[ebin, 0] + F2c[ebin, 1] * delta + F2c[ebin, 2] * z F2 = np.maximum(F2, 0) A = aoi_projection(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth) A = np.maximum(A, 0) B = tools.cosd(solar_zenith) B = np.maximum(B, tools.cosd(85)) term1 = 0.5 * (1 - F1) * (1 + tools.cosd(surface_tilt)) term2 = F1 * A / B term3 = F2 * tools.sind(surface_tilt) sky_diffuse = np.maximum(dhi * (term1 + term2 + term3), 0) if isinstance(sky_diffuse, pd.Series): sky_diffuse[np.isnan(airmass)] = 0 else: sky_diffuse = np.where(np.isnan(airmass), 0, sky_diffuse) if return_components: diffuse_components = OrderedDict() diffuse_components['sky_diffuse'] = sky_diffuse diffuse_components['isotropic'] = dhi * term1 diffuse_components['circumsolar'] = dhi * term2 diffuse_components['horizon'] = dhi * term3 mask = sky_diffuse == 0 if isinstance(sky_diffuse, pd.Series): diffuse_components = pd.DataFrame(diffuse_components) diffuse_components.loc[mask] = 0 else: diffuse_components = {k: np.where(mask, 0, v) for k, v in diffuse_components.items()} return diffuse_components else: return sky_diffuse
perez
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surface_tilt, surface_azimuth, dhi, dni, dni_extra, solar_zenith,\n solar_azimuth, airmass, model='allsitescomposite1990',\n return_components=False):\n ...
def x(ghi, clearsky_ghi, max_clearsky_index=2.0): clearsky_index = ghi / clearsky_ghi clearsky_index = np.where(~np.isfinite(clearsky_index), 0, clearsky_index) input_is_nan = ~np.isfinite(ghi) | ~np.isfinite(clearsky_ghi) clearsky_index = np.where(input_is_nan, np.nan, clearsky_index) clearsky_index = np.maximum(clearsky_index, 0) clearsky_index = np.minimum(clearsky_index, max_clearsky_index) if isinstance(ghi, pd.Series): clearsky_index = pd.Series(clearsky_index, index=ghi.index) return clearsky_index
clearsky_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ghi, clearsky_ghi, max_clearsky_index=2.0):\n clearsky_index = ghi / clearsky_ghi\n clearsky_index = np.where(~np.isfinite(clearsky_index), 0, clearsky_i...
def x(ghi, solar_zenith, extra_radiation, min_cos_zenith=0.065, max_clearness_index=2.0): cos_zenith = tools.cosd(solar_zenith) I0h = extra_radiation * np.maximum(cos_zenith, min_cos_zenith) kt = ghi / I0h kt = np.maximum(kt, 0) kt = np.minimum(kt, max_clearness_index) return kt
clearness_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ghi, solar_zenith, extra_radiation, min_cos_zenith=0.065,\n max_clearness_index=2.0):\n cos_zenith = tools.cosd(solar_zenith)\n I0h = extra_radiation ...
def x(clearness_index, airmass, max_clearness_index=2.0): kt_prime = clearness_index / _kt_kt_prime_factor(airmass) kt_prime = np.maximum(kt_prime, 0) kt_prime = np.minimum(kt_prime, max_clearness_index) return kt_prime
clearness_index_zenith_independent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(clearness_index, airmass, max_clearness_index=2.0):\n kt_prime = clearness_index / _kt_kt_prime_factor(airmass)\n kt_prime = np.maximum(kt_prime, 0)\n ...
def x(ghi, solar_zenith, datetime_or_doy, pressure=101325, min_cos_zenith= 0.065, max_zenith=87, max_airmass=12): I0 = get_extra_radiation(datetime_or_doy, 1370.0, 'spencer') kt = clearness_index(ghi, solar_zenith, I0, min_cos_zenith= min_cos_zenith, max_clearness_index=1) am = atmosphere.get_relative_airmass(solar_zenith, model='kasten1966') if pressure is not None: am = atmosphere.get_absolute_airmass(am, pressure) Kn, am = _disc_kn(kt, am, max_airmass=max_airmass) dni = Kn * I0 bad_values = (solar_zenith > max_zenith) | (ghi < 0) | (dni < 0) dni = np.where(bad_values, 0, dni) output = OrderedDict() output['dni'] = dni output['kt'] = kt output['airmass'] = am if isinstance(datetime_or_doy, pd.DatetimeIndex): output = pd.DataFrame(output, index=datetime_or_doy) return output
disc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ghi, solar_zenith, datetime_or_doy, pressure=101325, min_cos_zenith=\n 0.065, max_zenith=87, max_airmass=12):\n I0 = get_extra_radiation(datetime_or_doy,...
def x(clearness_index, airmass, max_airmass=12): kt = clearness_index am = airmass am = np.minimum(am, max_airmass) kt2 = kt * kt kt3 = kt2 * kt bools = kt <= 0.6 a = np.where(bools, 0.512 - 1.56 * kt + 2.286 * kt2 - 2.222 * kt3, - 5.743 + 21.77 * kt - 27.49 * kt2 + 11.56 * kt3) b = np.where(bools, 0.37 + 0.962 * kt, 41.4 - 118.5 * kt + 66.05 * kt2 + 31.9 * kt3) c = np.where(bools, -0.28 + 0.932 * kt - 2.048 * kt2, -47.01 + 184.2 * kt - 222.0 * kt2 + 73.81 * kt3) delta_kn = a + b * np.exp(c * am) Knc = (0.866 - 0.122 * am + 0.0121 * am ** 2 - 0.000653 * am ** 3 + 1.4e-05 * am ** 4) Kn = Knc - delta_kn return Kn, am
disc_kn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(clearness_index, airmass, max_airmass=12):\n kt = clearness_index\n am = airmass\n am = np.minimum(am, max_airmass)\n kt2 = kt * kt\n kt3 = kt2 ...
def x(ghi, solar_zenith, times, pressure=101325.0, use_delta_kt_prime=True, temp_dew=None, min_cos_zenith=0.065, max_zenith=87): disc_out = disc(ghi, solar_zenith, times, pressure=pressure, min_cos_zenith=min_cos_zenith, max_zenith=max_zenith) airmass = disc_out['airmass'] kt = disc_out['kt'] kt_prime = clearness_index_zenith_independent(kt, airmass, max_clearness_index=1) delta_kt_prime = _delta_kt_prime_dirint(kt_prime, use_delta_kt_prime, times ) w = _temp_dew_dirint(temp_dew, times) dirint_coeffs = _dirint_coeffs(times, kt_prime, solar_zenith, w, delta_kt_prime) dni = disc_out['dni'] * dirint_coeffs return dni
dirint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ghi, solar_zenith, times, pressure=101325.0, use_delta_kt_prime=True,\n temp_dew=None, min_cos_zenith=0.065, max_zenith=87):\n disc_out = disc(ghi, solar...
def x(dni, kt_prime, solar_zenith, use_delta_kt_prime, temp_dew): times = dni.index delta_kt_prime = _delta_kt_prime_dirint(kt_prime, use_delta_kt_prime, times ) w = _temp_dew_dirint(temp_dew, times) dirint_coeffs = _dirint_coeffs(times, kt_prime, solar_zenith, w, delta_kt_prime) dni_dirint = dni * dirint_coeffs return dni_dirint
dirint_from_dni_ktprime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dni, kt_prime, solar_zenith, use_delta_kt_prime, temp_dew):\n times = dni.index\n delta_kt_prime = _delta_kt_prime_dirint(kt_prime, use_delta_kt_prime, t...
def x(kt_prime, use_delta_kt_prime, times): if use_delta_kt_prime: kt_next = kt_prime.shift(-1) kt_previous = kt_prime.shift(1) kt_next.iloc[-1] = kt_previous.iloc[-1] kt_previous.iloc[0] = kt_next.iloc[0] delta_kt_prime = 0.5 * (kt_prime - kt_next).abs().add((kt_prime - kt_previous).abs(), fill_value=0) else: delta_kt_prime = pd.Series(-1, index=times) return delta_kt_prime
delta_kt_prime_dirint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(kt_prime, use_delta_kt_prime, times):\n if use_delta_kt_prime:\n kt_next = kt_prime.shift(-1)\n kt_previous = kt_prime.shift(1)\n kt_ne...
def x(temp_dew, times): if temp_dew is not None: w = pd.Series(np.exp(0.07 * temp_dew - 0.075), index=times) else: w = pd.Series(-1, index=times) return w
temp_dew_dirint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(temp_dew, times):\n if temp_dew is not None:\n w = pd.Series(np.exp(0.07 * temp_dew - 0.075), index=times)\n else:\n w = pd.Series(-1, inde...
def x(times, kt_prime, solar_zenith, w, delta_kt_prime): kt_prime_bin, zenith_bin, w_bin, delta_kt_prime_bin = _dirint_bins(times, kt_prime, solar_zenith, w, delta_kt_prime) coeffs = _get_dirint_coeffs() dirint_coeffs = coeffs[kt_prime_bin - 1, zenith_bin - 1, delta_kt_prime_bin - 1, w_bin - 1] dirint_coeffs = np.where((kt_prime_bin == 0) | (zenith_bin == 0) | ( w_bin == 0) | (delta_kt_prime_bin == 0), np.nan, dirint_coeffs) return dirint_coeffs
dirint_coeffs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(times, kt_prime, solar_zenith, w, delta_kt_prime):\n kt_prime_bin, zenith_bin, w_bin, delta_kt_prime_bin = _dirint_bins(times,\n kt_prime, solar_zeni...
def x(times, kt_prime, zenith, w, delta_kt_prime): kt_prime_bin = pd.Series(0, index=times, dtype=np.int64) kt_prime_bin[(kt_prime >= 0) & (kt_prime < 0.24)] = 1 kt_prime_bin[(kt_prime >= 0.24) & (kt_prime < 0.4)] = 2 kt_prime_bin[(kt_prime >= 0.4) & (kt_prime < 0.56)] = 3 kt_prime_bin[(kt_prime >= 0.56) & (kt_prime < 0.7)] = 4 kt_prime_bin[(kt_prime >= 0.7) & (kt_prime < 0.8)] = 5 kt_prime_bin[(kt_prime >= 0.8) & (kt_prime <= 1)] = 6 zenith_bin = pd.Series(0, index=times, dtype=np.int64) zenith_bin[(zenith >= 0) & (zenith < 25)] = 1 zenith_bin[(zenith >= 25) & (zenith < 40)] = 2 zenith_bin[(zenith >= 40) & (zenith < 55)] = 3 zenith_bin[(zenith >= 55) & (zenith < 70)] = 4 zenith_bin[(zenith >= 70) & (zenith < 80)] = 5 zenith_bin[zenith >= 80] = 6 w_bin = pd.Series(0, index=times, dtype=np.int64) w_bin[(w >= 0) & (w < 1)] = 1 w_bin[(w >= 1) & (w < 2)] = 2 w_bin[(w >= 2) & (w < 3)] = 3 w_bin[w >= 3] = 4 w_bin[w == -1] = 5 delta_kt_prime_bin = pd.Series(0, index=times, dtype=np.int64) delta_kt_prime_bin[(delta_kt_prime >= 0) & (delta_kt_prime < 0.015)] = 1 delta_kt_prime_bin[(delta_kt_prime >= 0.015) & (delta_kt_prime < 0.035) ] = 2 delta_kt_prime_bin[(delta_kt_prime >= 0.035) & (delta_kt_prime < 0.07)] = 3 delta_kt_prime_bin[(delta_kt_prime >= 0.07) & (delta_kt_prime < 0.15)] = 4 delta_kt_prime_bin[(delta_kt_prime >= 0.15) & (delta_kt_prime < 0.3)] = 5 delta_kt_prime_bin[(delta_kt_prime >= 0.3) & (delta_kt_prime <= 1)] = 6 delta_kt_prime_bin[delta_kt_prime == -1] = 7 return kt_prime_bin, zenith_bin, w_bin, delta_kt_prime_bin
dirint_bins
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(times, kt_prime, zenith, w, delta_kt_prime):\n kt_prime_bin = pd.Series(0, index=times, dtype=np.int64)\n kt_prime_bin[(kt_prime >= 0) & (kt_prime < 0.24...
def x(ghi, ghi_clearsky, dni_clearsky, zenith, times, pressure=101325.0, use_delta_kt_prime=True, temp_dew=None, min_cos_zenith=0.065, max_zenith=87 ): dni_dirint = dirint(ghi, zenith, times, pressure=pressure, use_delta_kt_prime=use_delta_kt_prime, temp_dew=temp_dew, min_cos_zenith=min_cos_zenith, max_zenith=max_zenith) dni_dirint_clearsky = dirint(ghi_clearsky, zenith, times, pressure= pressure, use_delta_kt_prime=use_delta_kt_prime, temp_dew=temp_dew, min_cos_zenith=min_cos_zenith, max_zenith=max_zenith) dni_dirindex = dni_clearsky * dni_dirint / dni_dirint_clearsky dni_dirindex[dni_dirindex < 0] = 0.0 return dni_dirindex
dirindex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ghi, ghi_clearsky, dni_clearsky, zenith, times, pressure=101325.0,\n use_delta_kt_prime=True, temp_dew=None, min_cos_zenith=0.065, max_zenith=87\n ):\n ...
def x(poa_global, aoi, solar_zenith, solar_azimuth, times, surface_tilt, surface_azimuth, pressure=101325.0, use_delta_kt_prime=True, temp_dew= None, albedo=0.25, model='perez', model_perez='allsitescomposite1990', calculate_gt_90=True, max_iterations=30): aoi_lt_90 = aoi < 90 ghi, dni, dhi, kt_prime = _gti_dirint_lt_90(poa_global, aoi, aoi_lt_90, solar_zenith, solar_azimuth, times, surface_tilt, surface_azimuth, pressure=pressure, use_delta_kt_prime=use_delta_kt_prime, temp_dew= temp_dew, albedo=albedo, model=model, model_perez=model_perez, max_iterations=max_iterations) if calculate_gt_90: ghi_gte_90, dni_gte_90, dhi_gte_90 = _gti_dirint_gte_90(poa_global, aoi, solar_zenith, solar_azimuth, surface_tilt, times, kt_prime, pressure=pressure, temp_dew=temp_dew, albedo=albedo) else: ghi_gte_90, dni_gte_90, dhi_gte_90 = np.nan, np.nan, np.nan output = OrderedDict() output['ghi'] = ghi.where(aoi_lt_90, ghi_gte_90) output['dni'] = dni.where(aoi_lt_90, dni_gte_90) output['dhi'] = dhi.where(aoi_lt_90, dhi_gte_90) output = pd.DataFrame(output, index=times) return output
gti_dirint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(poa_global, aoi, solar_zenith, solar_azimuth, times, surface_tilt,\n surface_azimuth, pressure=101325.0, use_delta_kt_prime=True, temp_dew=\n None, albed...
def x(poa_global, aoi, aoi_lt_90, solar_zenith, solar_azimuth, times, surface_tilt, surface_azimuth, pressure=101325.0, use_delta_kt_prime= True, temp_dew=None, albedo=0.25, model='perez', model_perez= 'allsitescomposite1990', max_iterations=30): I0 = get_extra_radiation(times, 1370, 'spencer') cos_zenith = tools.cosd(solar_zenith) I0h = I0 * np.maximum(0.065, cos_zenith) airmass = atmosphere.get_relative_airmass(solar_zenith, model='kasten1966') airmass = atmosphere.get_absolute_airmass(airmass, pressure) coeffs = np.empty(max(30, max_iterations)) coeffs[0:3] = 1 coeffs[3:10] = 0.5 coeffs[10:20] = 0.25 coeffs[20:] = 0.125 coeffs = coeffs[:max_iterations] diff = pd.Series(9999, index=times) best_diff = diff poa_global_i = poa_global for iteration, coeff in enumerate(coeffs): best_diff_lte_1 = best_diff <= 1 best_diff_lte_1_lt_90 = best_diff_lte_1[aoi_lt_90] if best_diff_lte_1_lt_90.all(): break kt = clearness_index(poa_global_i, aoi, I0) disc_dni = np.maximum(_disc_kn(kt, airmass)[0] * I0, 0) kt_prime = clearness_index_zenith_independent(kt, airmass) dni = _dirint_from_dni_ktprime(disc_dni, kt_prime, solar_zenith, use_delta_kt_prime, temp_dew) ghi = kt * I0h dhi = ghi - dni * cos_zenith dni = np.maximum(dni, 0) ghi = np.maximum(ghi, 0) dhi = np.maximum(dhi, 0) all_irrad = get_total_irradiance(surface_tilt, surface_azimuth, solar_zenith, solar_azimuth, dni, ghi, dhi, dni_extra=I0, airmass=airmass, albedo=albedo, model=model, model_perez= model_perez) gti_model = all_irrad['poa_global'] diff = gti_model - poa_global diff_abs = diff.abs() smallest_diff = diff_abs < best_diff best_diff = diff_abs.where(smallest_diff, best_diff) if iteration == 0: best_ghi = ghi best_dni = dni best_dhi = dhi best_kt_prime = kt_prime else: best_ghi = ghi.where(smallest_diff, best_ghi) best_dni = dni.where(smallest_diff, best_dni) best_dhi = dhi.where(smallest_diff, best_dhi) best_kt_prime = kt_prime.where(smallest_diff, best_kt_prime) poa_global_i = np.maximum(1.0, poa_global_i - coeff * diff) else: import warnings failed_points = best_diff[aoi_lt_90][~best_diff_lte_1_lt_90] warnings.warn( '%s points failed to converge after %s iterations. best_diff:\n%s' % (len(failed_points), max_iterations, failed_points), RuntimeWarning) return best_ghi, best_dni, best_dhi, best_kt_prime
gti_dirint_lt_90
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(poa_global, aoi, aoi_lt_90, solar_zenith, solar_azimuth, times,\n surface_tilt, surface_azimuth, pressure=101325.0, use_delta_kt_prime=\n True, temp_dew=...
def x(poa_global, aoi, solar_zenith, solar_azimuth, surface_tilt, times, kt_prime, pressure=101325.0, temp_dew=None, albedo=0.25): kt_prime_gte_90 = _gti_dirint_gte_90_kt_prime(aoi, solar_zenith, solar_azimuth, times, kt_prime) I0 = get_extra_radiation(times, 1370, 'spencer') airmass = atmosphere.get_relative_airmass(solar_zenith, model='kasten1966') airmass = atmosphere.get_absolute_airmass(airmass, pressure) kt = kt_prime_gte_90 * _kt_kt_prime_factor(airmass) disc_dni = np.maximum(_disc_kn(kt, airmass)[0] * I0, 0) dni_gte_90 = _dirint_from_dni_ktprime(disc_dni, kt_prime, solar_zenith, False, temp_dew) dni_gte_90_proj = dni_gte_90 * tools.cosd(solar_zenith) cos_surface_tilt = tools.cosd(surface_tilt) dhi_gte_90 = (2 * poa_global - dni_gte_90_proj * albedo * (1 - cos_surface_tilt)) / (1 + cos_surface_tilt + albedo * (1 - cos_surface_tilt)) ghi_gte_90 = dni_gte_90_proj + dhi_gte_90 return ghi_gte_90, dni_gte_90, dhi_gte_90
gti_dirint_gte_90
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(poa_global, aoi, solar_zenith, solar_azimuth, surface_tilt, times,\n kt_prime, pressure=101325.0, temp_dew=None, albedo=0.25):\n kt_prime_gte_90 = _gti_d...
def x(aoi, solar_zenith, solar_azimuth, times, kt_prime): aoi_gte_90 = aoi >= 90 aoi_65_80 = (aoi > 65) & (aoi < 80) zenith_lt_90 = solar_zenith < 90 morning = solar_azimuth < 180 afternoon = solar_azimuth > 180 aoi_65_80_morning = aoi_65_80 & morning aoi_65_80_afternoon = aoi_65_80 & afternoon zenith_lt_90_aoi_gte_90_morning = zenith_lt_90 & aoi_gte_90 & morning zenith_lt_90_aoi_gte_90_afternoon = zenith_lt_90 & aoi_gte_90 & afternoon kt_prime_gte_90 = [] for date, data in kt_prime.groupby(times.date): kt_prime_am_avg = data[aoi_65_80_morning].mean() kt_prime_pm_avg = data[aoi_65_80_afternoon].mean() kt_prime_by_date = pd.Series(np.nan, index=data.index) kt_prime_by_date[zenith_lt_90_aoi_gte_90_morning] = kt_prime_am_avg kt_prime_by_date[zenith_lt_90_aoi_gte_90_afternoon] = kt_prime_pm_avg kt_prime_gte_90.append(kt_prime_by_date) kt_prime_gte_90 = pd.concat(kt_prime_gte_90) return kt_prime_gte_90
gti_dirint_gte_90_kt_prime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(aoi, solar_zenith, solar_azimuth, times, kt_prime):\n aoi_gte_90 = aoi >= 90\n aoi_65_80 = (aoi > 65) & (aoi < 80)\n zenith_lt_90 = solar_zenith < 90\...
def x(ghi, zenith, datetime_or_doy, min_cos_zenith=0.065, max_zenith=87): dni_extra = get_extra_radiation(datetime_or_doy) kt = clearness_index(ghi, zenith, dni_extra, min_cos_zenith= min_cos_zenith, max_clearness_index=1) df = 1 - 0.09 * kt df = np.where((kt > 0.22) & (kt <= 0.8), 0.9511 - 0.1604 * kt + 4.388 * kt ** 2 - 16.638 * kt ** 3 + 12.336 * kt ** 4, df) df = np.where(kt > 0.8, 0.165, df) dhi = df * ghi dni = (ghi - dhi) / tools.cosd(zenith) bad_values = (zenith > max_zenith) | (ghi < 0) | (dni < 0) dni = np.where(bad_values, 0, dni) dhi = np.where(bad_values, ghi, dhi) data = OrderedDict() data['dni'] = dni data['dhi'] = dhi data['kt'] = kt if isinstance(datetime_or_doy, pd.DatetimeIndex): data = pd.DataFrame(data, index=datetime_or_doy) return data
erbs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ghi, zenith, datetime_or_doy, min_cos_zenith=0.065, max_zenith=87):\n dni_extra = get_extra_radiation(datetime_or_doy)\n kt = clearness_index(ghi, zenith...
def x(zenith, transmittance, airmass, dni_extra=1367.0): tau = transmittance dni = dni_extra * tau ** airmass dhi = 0.3 * (1.0 - tau ** airmass) * dni_extra * np.cos(np.radians(zenith)) ghi = dhi + dni * np.cos(np.radians(zenith)) irrads = OrderedDict() irrads['ghi'] = ghi irrads['dni'] = dni irrads['dhi'] = dhi if isinstance(ghi, pd.Series): irrads = pd.DataFrame(irrads) return irrads
liujordan
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(zenith, transmittance, airmass, dni_extra=1367.0):\n tau = transmittance\n dni = dni_extra * tau ** airmass\n dhi = 0.3 * (1.0 - tau ** airmass) * dni...
def x(ghi, dhi, zenith, clearsky_dni=None, clearsky_tolerance=1.1, zenith_threshold_for_zero_dni=88.0, zenith_threshold_for_clearsky_limit =80.0): dni = (ghi - dhi) / tools.cosd(zenith) dni[dni < 0] = float('nan') dni[(zenith >= zenith_threshold_for_zero_dni) & (dni != 0)] = float('nan') if clearsky_dni is not None: max_dni = clearsky_dni * clearsky_tolerance dni[(zenith >= zenith_threshold_for_clearsky_limit) & (zenith < zenith_threshold_for_zero_dni) & (dni > max_dni)] = max_dni return dni
dni
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ghi, dhi, zenith, clearsky_dni=None, clearsky_tolerance=1.1,\n zenith_threshold_for_zero_dni=88.0, zenith_threshold_for_clearsky_limit\n =80.0):\n dni...
def x(apparent_zenith, airmass_absolute, linke_turbidity, altitude=0, dni_extra=1364.0, perez_enhancement=False): cos_zenith = np.maximum(tools.cosd(apparent_zenith), 0) tl = linke_turbidity fh1 = np.exp(-altitude / 8000.0) fh2 = np.exp(-altitude / 1250.0) cg1 = 5.09e-05 * altitude + 0.868 cg2 = 3.92e-05 * altitude + 0.0387 ghi = np.exp(-cg2 * airmass_absolute * (fh1 + fh2 * (tl - 1))) if perez_enhancement: ghi *= np.exp(0.01 * airmass_absolute ** 1.8) ghi = cg1 * dni_extra * cos_zenith * tl / tl * np.fmax(ghi, 0) b = 0.664 + 0.163 / fh1 bnci = b * np.exp(-0.09 * airmass_absolute * (tl - 1)) bnci = dni_extra * np.fmax(bnci, 0) bnci_2 = (1 - (0.1 - 0.2 * np.exp(-tl)) / (0.1 + 0.882 / fh1)) / cos_zenith bnci_2 = ghi * np.fmin(np.fmax(bnci_2, 0), 1e+20) dni = np.minimum(bnci, bnci_2) dhi = ghi - dni * cos_zenith irrads = OrderedDict() irrads['ghi'] = ghi irrads['dni'] = dni irrads['dhi'] = dhi if isinstance(dni, pd.Series): irrads = pd.DataFrame.from_dict(irrads) return irrads
ineichen
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(apparent_zenith, airmass_absolute, linke_turbidity, altitude=0,\n dni_extra=1364.0, perez_enhancement=False):\n cos_zenith = np.maximum(tools.cosd(appare...
def x(time, latitude, longitude, filepath=None, interp_turbidity=True): try: import tables except ImportError: raise ImportError( 'The Linke turbidity lookup table requires tables. You can still use clearsky.ineichen if you supply your own turbidities.' ) if filepath is None: pvlib_path = os.path.dirname(os.path.abspath(__file__)) filepath = os.path.join(pvlib_path, 'data', 'LinkeTurbidities.h5') latitude_index = np.around(_linearly_scale(latitude, 90, -90, 0, 2160) ).astype(np.int64) longitude_index = np.around(_linearly_scale(longitude, -180, 180, 0, 4320) ).astype(np.int64) lt_h5_file = tables.open_file(filepath) try: lts = lt_h5_file.root.LinkeTurbidity[latitude_index, longitude_index, : ] except IndexError: raise IndexError( 'Latitude should be between 90 and -90, longitude between -180 and 180.' ) finally: lt_h5_file.close() if interp_turbidity: linke_turbidity = _interpolate_turbidity(lts, time) else: months = time.month - 1 linke_turbidity = pd.Series(lts[months], index=time) linke_turbidity /= 20.0 return linke_turbidity
lookup_linke_turbidity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(time, latitude, longitude, filepath=None, interp_turbidity=True):\n try:\n import tables\n except ImportError:\n raise ImportError(\n ...
def x(year): isleap = (np.mod(year, 4) == 0) & ((np.mod(year, 100) != 0) | (np.mod( year, 400) == 0)) return isleap
is_leap_year
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(year):\n isleap = (np.mod(year, 4) == 0) & ((np.mod(year, 100) != 0) | (np.mod(\n year, 400) == 0))\n return isleap\n", "role": "user" }, ...
def x(lts, time): lts_concat = np.concatenate([[lts[-1]], lts, [lts[0]]]) try: isleap = time.is_leap_year except AttributeError: year = time.year isleap = _is_leap_year(year) dayofyear = time.dayofyear days_leap = _calendar_month_middles(2016) days_no_leap = _calendar_month_middles(2015) lt_leap = np.interp(dayofyear, days_leap, lts_concat) lt_no_leap = np.interp(dayofyear, days_no_leap, lts_concat) linke_turbidity = np.where(isleap, lt_leap, lt_no_leap) linke_turbidity = pd.Series(linke_turbidity, index=time) return linke_turbidity
interpolate_turbidity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lts, time):\n lts_concat = np.concatenate([[lts[-1]], lts, [lts[0]]])\n try:\n isleap = time.is_leap_year\n except AttributeError:\n yea...
def x(year): mdays = np.array(calendar.mdays[1:]) ydays = 365 if calendar.isleap(year): mdays[1] = mdays[1] + 1 ydays = 366 middles = np.concatenate([[-calendar.mdays[-1] / 2.0], np.cumsum(mdays) - np.array(mdays) / 2.0, [ydays + calendar.mdays[1] / 2.0]]) return middles
calendar_month_middles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(year):\n mdays = np.array(calendar.mdays[1:])\n ydays = 365\n if calendar.isleap(year):\n mdays[1] = mdays[1] + 1\n ydays = 366\n mid...
def x(inputmatrix, inputmin, inputmax, outputmin, outputmax): inputrange = inputmax - inputmin outputrange = outputmax - outputmin delta = outputrange / inputrange inputmin = inputmin + 1.0 / delta / 2.0 outputmax = outputmax - 1 outputmatrix = (inputmatrix - inputmin) * delta + outputmin err = IndexError('Input, %g, is out of range (%g, %g).' % (inputmatrix, inputmax - inputrange, inputmax)) if outputmatrix > outputmax: if np.around(outputmatrix - outputmax, 1) <= 0.5: outputmatrix = outputmax else: raise err elif outputmatrix < outputmin: if np.around(outputmin - outputmatrix, 1) <= 0.5: outputmatrix = outputmin else: raise err return outputmatrix
linearly_scale
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(inputmatrix, inputmin, inputmax, outputmin, outputmax):\n inputrange = inputmax - inputmin\n outputrange = outputmax - outputmin\n delta = outputrange...
def x(apparent_zenith): cos_zenith = tools.cosd(apparent_zenith.values) clearsky_ghi = np.zeros_like(apparent_zenith.values) cos_zen_gte_0 = cos_zenith > 0 clearsky_ghi[cos_zen_gte_0] = 1098.0 * cos_zenith[cos_zen_gte_0] * np.exp( -0.059 / cos_zenith[cos_zen_gte_0]) df_out = pd.DataFrame(index=apparent_zenith.index, data=clearsky_ghi, columns=['ghi']) return df_out
haurwitz
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(apparent_zenith):\n cos_zenith = tools.cosd(apparent_zenith.values)\n clearsky_ghi = np.zeros_like(apparent_zenith.values)\n cos_zen_gte_0 = cos_zenit...
def x(apparent_elevation, aod700=0.1, precipitable_water=1.0, pressure= 101325.0, dni_extra=1364.0): p = pressure w = precipitable_water w = np.maximum(w, 0.2) i0p = _calc_i0p(dni_extra, w, aod700, p) taub = _calc_taub(w, aod700, p) b = _calc_b(w, aod700) taug = _calc_taug(w, aod700, p) g = _calc_g(w, aod700) taud = _calc_taud(w, aod700, p) d = _calc_d(aod700, p) sin_elev = np.maximum(1e-30, np.sin(np.radians(apparent_elevation))) dni = i0p * np.exp(-taub / sin_elev ** b) ghi = i0p * np.exp(-taug / sin_elev ** g) * sin_elev dhi = i0p * np.exp(-taud / sin_elev ** d) irrads = OrderedDict() irrads['ghi'] = ghi irrads['dni'] = dni irrads['dhi'] = dhi if isinstance(dni, pd.Series): irrads = pd.DataFrame.from_dict(irrads) return irrads
simplified_solis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(apparent_elevation, aod700=0.1, precipitable_water=1.0, pressure=\n 101325.0, dni_extra=1364.0):\n p = pressure\n w = precipitable_water\n w = np.m...
def x(i0, w, aod700, p): p0 = 101325.0 io0 = 1.08 * w ** 0.0051 i01 = 0.97 * w ** 0.032 i02 = 0.12 * w ** 0.56 i0p = i0 * (i02 * aod700 ** 2 + i01 * aod700 + io0 + 0.071 * np.log(p / p0) ) return i0p
calc_i0p
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(i0, w, aod700, p):\n p0 = 101325.0\n io0 = 1.08 * w ** 0.0051\n i01 = 0.97 * w ** 0.032\n i02 = 0.12 * w ** 0.56\n i0p = i0 * (i02 * aod700 ** 2...
def x(w, aod700, p): p0 = 101325.0 tb1 = 1.82 + 0.056 * np.log(w) + 0.0071 * np.log(w) ** 2 tb0 = 0.33 + 0.045 * np.log(w) + 0.0096 * np.log(w) ** 2 tbp = 0.0089 * w + 0.13 taub = tb1 * aod700 + tb0 + tbp * np.log(p / p0) return taub
calc_taub
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(w, aod700, p):\n p0 = 101325.0\n tb1 = 1.82 + 0.056 * np.log(w) + 0.0071 * np.log(w) ** 2\n tb0 = 0.33 + 0.045 * np.log(w) + 0.0096 * np.log(w) ** 2\n...
def x(w, aod700): b1 = 0.00925 * aod700 ** 2 + 0.0148 * aod700 - 0.0172 b0 = -0.7565 * aod700 ** 2 + 0.5057 * aod700 + 0.4557 b = b1 * np.log(w) + b0 return b
calc_b
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(w, aod700):\n b1 = 0.00925 * aod700 ** 2 + 0.0148 * aod700 - 0.0172\n b0 = -0.7565 * aod700 ** 2 + 0.5057 * aod700 + 0.4557\n b = b1 * np.log(w) + b0\...
def x(w, aod700, p): p0 = 101325.0 tg1 = 1.24 + 0.047 * np.log(w) + 0.0061 * np.log(w) ** 2 tg0 = 0.27 + 0.043 * np.log(w) + 0.009 * np.log(w) ** 2 tgp = 0.0079 * w + 0.1 taug = tg1 * aod700 + tg0 + tgp * np.log(p / p0) return taug
calc_taug
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(w, aod700, p):\n p0 = 101325.0\n tg1 = 1.24 + 0.047 * np.log(w) + 0.0061 * np.log(w) ** 2\n tg0 = 0.27 + 0.043 * np.log(w) + 0.009 * np.log(w) ** 2\n ...
def x(w, aod700): g = -0.0147 * np.log(w) - 0.3079 * aod700 ** 2 + 0.2846 * aod700 + 0.3798 return g
calc_g
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(w, aod700):\n g = -0.0147 * np.log(w) - 0.3079 * aod700 ** 2 + 0.2846 * aod700 + 0.3798\n return g\n", "role": "user" }, { "content": "calc_g...
def x(w, aod700, p): if np.isscalar(w) and np.isscalar(aod700): w = np.array([w]) aod700 = np.array([aod700]) elif np.isscalar(w): w = np.full_like(aod700, w) elif np.isscalar(aod700): aod700 = np.full_like(w, aod700) aod700_lt_0p05 = np.full_like(aod700, False, dtype='bool') np.less(aod700, 0.05, where=~np.isnan(aod700), out=aod700_lt_0p05) aod700_mask = np.array([aod700_lt_0p05, ~aod700_lt_0p05], dtype=np.int) td4 = 86 * w - 13800, -0.21 * w + 11.6 td3 = -3.11 * w + 79.4, 0.27 * w - 20.7 td2 = -0.23 * w + 74.8, -0.134 * w + 15.5 td1 = 0.092 * w - 8.86, 0.0554 * w - 5.71 td0 = 0.0042 * w + 3.12, 0.0057 * w + 2.94 tdp = -0.83 * (1 + aod700) ** -17.2, -0.71 * (1 + aod700) ** -15.0 tds = (np.array([td0, td1, td2, td3, td4, tdp]) * aod700_mask).sum(axis=1) p0 = 101325.0 taud = tds[4] * aod700 ** 4 + tds[3] * aod700 ** 3 + tds[2 ] * aod700 ** 2 + tds[1] * aod700 + tds[0] + tds[5] * np.log(p / p0) if len(taud) == 1: taud = taud[0] return taud
calc_taud
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(w, aod700, p):\n if np.isscalar(w) and np.isscalar(aod700):\n w = np.array([w])\n aod700 = np.array([aod700])\n elif np.isscalar(w):\n ...
def x(aod700, p): p0 = 101325.0 dp = 1 / (18 + 152 * aod700) d = -0.337 * aod700 ** 2 + 0.63 * aod700 + 0.116 + dp * np.log(p / p0) return d
calc_d
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(aod700, p):\n p0 = 101325.0\n dp = 1 / (18 + 152 * aod700)\n d = -0.337 * aod700 ** 2 + 0.63 * aod700 + 0.116 + dp * np.log(p / p0)\n return d\n", ...
def x(measured, clearsky, times, window_length, mean_diff=75, max_diff=75, lower_line_length=-5, upper_line_length=10, var_diff=0.005, slope_dev=8, max_iterations=20, return_components=False): deltas = np.diff(times.values) / np.timedelta64(1, '60s') unique_deltas = np.unique(deltas) if len(unique_deltas) == 1: sample_interval = unique_deltas[0] else: raise NotImplementedError( 'algorithm does not yet support unequal times. consider resampling your data.' ) intervals_per_window = int(window_length / sample_interval) from scipy.linalg import hankel H = hankel(np.arange(intervals_per_window), np.arange( intervals_per_window - 1, len(times))) meas_mean = np.mean(measured[H], axis=0) meas_max = np.max(measured[H], axis=0) meas_diff = np.diff(measured[H], n=1, axis=0) meas_slope = np.diff(measured[H], n=1, axis=0) / sample_interval meas_slope_nstd = np.std(meas_slope, axis=0, ddof=1) / meas_mean meas_line_length = np.sum(np.sqrt(meas_diff * meas_diff + sample_interval * sample_interval), axis=0) clear_mean = np.mean(clearsky[H], axis=0) clear_max = np.max(clearsky[H], axis=0) clear_diff = np.diff(clearsky[H], n=1, axis=0) clear_slope = np.diff(clearsky[H], n=1, axis=0) / sample_interval from scipy.optimize import minimize_scalar alpha = 1 for iteration in range(max_iterations): clear_line_length = np.sum(np.sqrt(alpha * alpha * clear_diff * clear_diff + sample_interval * sample_interval), axis=0) line_diff = meas_line_length - clear_line_length c1 = np.abs(meas_mean - alpha * clear_mean) < mean_diff c2 = np.abs(meas_max - alpha * clear_max) < max_diff c3 = (line_diff > lower_line_length) & (line_diff < upper_line_length) c4 = meas_slope_nstd < var_diff c5 = np.max(np.abs(meas_slope - alpha * clear_slope), axis=0 ) < slope_dev c6 = (clear_mean != 0) & ~np.isnan(clear_mean) clear_windows = c1 & c2 & c3 & c4 & c5 & c6 clear_samples = np.full_like(measured, False, dtype='bool') clear_samples[np.unique(H[:, clear_windows])] = True previous_alpha = alpha clear_meas = measured[clear_samples] clear_clear = clearsky[clear_samples] def x(alpha): return np.sqrt(np.mean((clear_meas - alpha * clear_clear) ** 2)) alpha = minimize_scalar(rmse).x if round(alpha * 10000) == round(previous_alpha * 10000): break else: import warnings warnings.warn('failed to converge after %s iterations' % max_iterations, RuntimeWarning) if isinstance(measured, pd.Series): clear_samples = pd.Series(clear_samples, index=times) if return_components: components = OrderedDict() components['mean_diff_flag'] = c1 components['max_diff_flag'] = c2 components['line_length_flag'] = c3 components['slope_nstd_flag'] = c4 components['slope_max_flag'] = c5 components['mean_nan_flag'] = c6 components['windows'] = clear_windows components['mean_diff'] = np.abs(meas_mean - alpha * clear_mean) components['max_diff'] = np.abs(meas_max - alpha * clear_max) components['line_length'] = meas_line_length - clear_line_length components['slope_nstd'] = meas_slope_nstd components['slope_max'] = np.max(meas_slope - alpha * clear_slope, axis=0) return clear_samples, components, alpha else: return clear_samples
detect_clearsky
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(measured, clearsky, times, window_length, mean_diff=75, max_diff=75,\n lower_line_length=-5, upper_line_length=10, var_diff=0.005, slope_dev=8,\n max_ite...
def x(zenith, airmass_relative, aod380, aod500, precipitable_water, ozone= 0.3, pressure=101325.0, dni_extra=1364.0, asymmetry=0.85, albedo=0.2): etr = dni_extra ze_rad = np.deg2rad(zenith) airmass = airmass_relative am_press = atmosphere.get_absolute_airmass(airmass, pressure) t_rayleigh = np.exp(-0.0903 * am_press ** 0.84 * (1.0 + am_press - am_press ** 1.01)) am_o3 = ozone * airmass t_ozone = 1.0 - 0.1611 * am_o3 * (1.0 + 139.48 * am_o3 ) ** -0.3034 - 0.002715 * am_o3 / (1.0 + 0.044 * am_o3 + 0.0003 * am_o3 ** 2.0) t_gases = np.exp(-0.0127 * am_press ** 0.26) am_h2o = airmass * precipitable_water t_water = 1.0 - 2.4959 * am_h2o / ((1.0 + 79.034 * am_h2o) ** 0.6828 + 6.385 * am_h2o) bird_huldstrom = atmosphere.bird_hulstrom80_aod_bb(aod380, aod500) t_aerosol = np.exp(-bird_huldstrom ** 0.873 * (1.0 + bird_huldstrom - bird_huldstrom ** 0.7088) * airmass ** 0.9108) taa = 1.0 - 0.1 * (1.0 - airmass + airmass ** 1.06) * (1.0 - t_aerosol) rs = 0.0685 + (1.0 - asymmetry) * (1.0 - t_aerosol / taa) id_ = 0.9662 * etr * t_aerosol * t_water * t_gases * t_ozone * t_rayleigh ze_cos = np.where(zenith < 90, np.cos(ze_rad), 0.0) id_nh = id_ * ze_cos ias = etr * ze_cos * 0.79 * t_ozone * t_gases * t_water * taa * (0.5 * (1.0 - t_rayleigh) + asymmetry * (1.0 - t_aerosol / taa)) / (1.0 - airmass + airmass ** 1.02) gh = (id_nh + ias) / (1.0 - albedo * rs) diffuse_horiz = gh - id_nh irrads = OrderedDict() irrads['direct_horizontal'] = id_nh irrads['ghi'] = gh irrads['dni'] = id_ irrads['dhi'] = diffuse_horiz if isinstance(irrads['dni'], pd.Series): irrads = pd.DataFrame.from_dict(irrads) return irrads
bird
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(zenith, airmass_relative, aod380, aod500, precipitable_water, ozone=\n 0.3, pressure=101325.0, dni_extra=1364.0, asymmetry=0.85, albedo=0.2):\n etr = dni...
def x(filename, map_variables=True): if filename.startswith('ftp'): req = Request(filename) response = urlopen(req) file_buffer = io.StringIO(response.read().decode(errors='ignore')) else: file_buffer = open(filename, 'r') station = file_buffer.readline() file_metadata = file_buffer.readline() metadata_list = file_metadata.split() metadata = {} metadata['name'] = station.strip() metadata['latitude'] = float(metadata_list[0]) metadata['longitude'] = float(metadata_list[1]) metadata['elevation'] = float(metadata_list[2]) metadata['surfrad_version'] = int(metadata_list[-1]) metadata['tz'] = 'UTC' data = pd.read_csv(file_buffer, delim_whitespace=True, header=None, names=SURFRAD_COLUMNS) file_buffer.close() data = format_index(data) missing = data == -9999.9 data = data.where(~missing, np.NaN) if map_variables: data.rename(columns=VARIABLE_MAP, inplace=True) return data, metadata
read_surfrad
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, map_variables=True):\n if filename.startswith('ftp'):\n req = Request(filename)\n response = urlopen(req)\n file_buffer = io....
def x(data): year = data.year.apply(str) jday = data.jday.apply(lambda x: '{:03d}'.format(x)) hours = data.hour.apply(lambda x: '{:02d}'.format(x)) minutes = data.minute.apply(lambda x: '{:02d}'.format(x)) index = pd.to_datetime(year + jday + hours + minutes, format='%Y%j%H%M') data.index = index data = data.tz_localize('UTC') return data
format_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n year = data.year.apply(str)\n jday = data.jday.apply(lambda x: '{:03d}'.format(x))\n hours = data.hour.apply(lambda x: '{:02d}'.format(x))\n ...
def x(since, message='', name='', alternative='', pending=False, obj_type= 'attribute', addendum='', removal=''): message = '\n' + _generate_deprecation_message(since, message, name, alternative, pending, obj_type, addendum, removal=removal) category = PendingDeprecationWarning if pending else _projectWarning warnings.warn(message, category, stacklevel=2)
warn_deprecated
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(since, message='', name='', alternative='', pending=False, obj_type=\n 'attribute', addendum='', removal=''):\n message = '\\n' + _generate_deprecation_m...
def x(since, message='', name='', alternative='', pending=False, addendum= '', removal=''): def x(obj, message=message, name=name, alternative=alternative, pending =pending, addendum=addendum): if not name: name = obj.__name__ if isinstance(obj, type): obj_type = 'class' old_doc = obj.__doc__ func = obj.__init__ def x(wrapper, new_doc): obj.__doc__ = new_doc obj.__init__ = wrapper return obj else: obj_type = 'function' if isinstance(obj, classmethod): func = obj.__func__ old_doc = func.__doc__ def x(wrapper, new_doc): wrapper = functools.wraps(func)(wrapper) wrapper.__doc__ = new_doc return classmethod(wrapper) else: func = obj old_doc = func.__doc__ def x(wrapper, new_doc): wrapper = functools.wraps(func)(wrapper) wrapper.__doc__ = new_doc return wrapper message = _generate_deprecation_message(since, message, name, alternative, pending, obj_type, addendum, removal=removal) category = PendingDeprecationWarning if pending else _projectWarning def x(*args, **kwargs): warnings.warn(message, category, stacklevel=2) return func(*args, **kwargs) old_doc = textwrap.dedent(old_doc or '').strip('\n') message = message.strip() new_doc = '\n.. deprecated:: %(since)s\n %(message)s\n\n' % {'since' : since, 'message': message} + old_doc if not old_doc: new_doc += '\\ ' return finalize(wrapper, new_doc) return deprecate
deprecated
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(since, message='', name='', alternative='', pending=False, addendum=\n '', removal=''):\n\n def x(obj, message=message, name=name, alternative=alternativ...
def x(variable_map, field_name): new_field_name = field_name for midc_name, pvlib_name in variable_map.items(): if field_name.startswith(midc_name): instrument_units = field_name[len(midc_name):] units_index = instrument_units.find('[') instrument = instrument_units[:units_index - 1] new_field_name = pvlib_name + instrument.replace(' ', '_') break return new_field_name
map_midc_to_pvlib
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(variable_map, field_name):\n new_field_name = field_name\n for midc_name, pvlib_name in variable_map.items():\n if field_name.startswith(midc_name...
def x(data): tz_raw = data.columns[1] timezone = TZ_MAP.get(tz_raw, tz_raw) datetime = data['DATE (MM/DD/YYYY)'] + data[tz_raw] datetime = pd.to_datetime(datetime, format='%m/%d/%Y%H:%M') data = data.set_index(datetime) data = data.tz_localize(timezone) return data
format_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n tz_raw = data.columns[1]\n timezone = TZ_MAP.get(tz_raw, tz_raw)\n datetime = data['DATE (MM/DD/YYYY)'] + data[tz_raw]\n datetime = pd.to_...
def x(data): tz_raw = data.columns[3] timezone = TZ_MAP.get(tz_raw, tz_raw) year = data.Year.apply(str) jday = data.DOY.apply(lambda x: '{:03d}'.format(x)) time = data[tz_raw].apply(lambda x: '{:04d}'.format(x)) index = pd.to_datetime(year + jday + time, format='%Y%j%H%M') data = data.set_index(index) data = data.tz_localize(timezone) return data
format_index_raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n tz_raw = data.columns[3]\n timezone = TZ_MAP.get(tz_raw, tz_raw)\n year = data.Year.apply(str)\n jday = data.DOY.apply(lambda x: '{:03d}'....
def x(filename, variable_map=VARIABLE_MAP, raw_data=False): data = pd.read_csv(filename) if raw_data: data = format_index_raw(data) else: data = format_index(data) mapper = partial(map_midc_to_pvlib, variable_map) data = data.rename(columns=mapper) return data
read_midc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, variable_map=VARIABLE_MAP, raw_data=False):\n data = pd.read_csv(filename)\n if raw_data:\n data = format_index_raw(data)\n else:\n ...
def x(site, start, end): args = {'site': site, 'begin': start.strftime('%Y%m%d'), 'end': end. strftime('%Y%m%d')} endpoint = 'https://midcdmz.nrel.gov/apps/data_api.pl?' url = endpoint + '&'.join(['{}={}'.format(k, v) for k, v in args.items()]) return read_midc(url, raw_data=True)
read_midc_raw_data_from_nrel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(site, start, end):\n args = {'site': site, 'begin': start.strftime('%Y%m%d'), 'end': end.\n strftime('%Y%m%d')}\n endpoint = 'https://midcdmz.nrel...
def x(zenith, model='kastenyoung1989'): z = np.where(zenith > 90, np.nan, zenith) zenith_rad = np.radians(z) model = model.lower() if 'kastenyoung1989' == model: am = 1.0 / (np.cos(zenith_rad) + 0.50572 * (6.07995 + (90 - z)) ** -1.6364) elif 'kasten1966' == model: am = 1.0 / (np.cos(zenith_rad) + 0.15 * (93.885 - z) ** -1.253) elif 'simple' == model: am = 1.0 / np.cos(zenith_rad) elif 'pickering2002' == model: am = 1.0 / np.sin(np.radians(90 - z + 244.0 / (165 + 47.0 * (90 - z ) ** 1.1))) elif 'youngirvine1967' == model: sec_zen = 1.0 / np.cos(zenith_rad) am = sec_zen * (1 - 0.0012 * (sec_zen * sec_zen - 1)) elif 'young1994' == model: am = (1.002432 * np.cos(zenith_rad) ** 2 + 0.148386 * np.cos( zenith_rad) + 0.0096467) / (np.cos(zenith_rad) ** 3 + 0.149864 * np.cos(zenith_rad) ** 2 + 0.0102963 * np.cos(zenith_rad) + 0.000303978) elif 'gueymard1993' == model: am = 1.0 / (np.cos(zenith_rad) + 0.00176759 * z * (94.37515 - z) ** -1.21563) else: raise ValueError('%s is not a valid model for relativeairmass', model) if isinstance(zenith, pd.Series): am = pd.Series(am, index=zenith.index) return am
get_relative_airmass
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(zenith, model='kastenyoung1989'):\n z = np.where(zenith > 90, np.nan, zenith)\n zenith_rad = np.radians(z)\n model = model.lower()\n if 'kastenyoun...
def x(temp_air, relative_humidity): T = temp_air + 273.15 RH = relative_humidity theta = T / 273.15 pw = 0.1 * (0.4976 + 1.5265 * theta + np.exp(13.6897 * theta - 14.9188 * theta ** 3)) * (216.7 * RH / (100 * T) * np.exp(22.33 - 49.14 * ( 100 / T) - 10.922 * (100 / T) ** 2 - 0.39015 * T / 100)) pw = np.maximum(pw, 0.1) return pw
gueymard94_pw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(temp_air, relative_humidity):\n T = temp_air + 273.15\n RH = relative_humidity\n theta = T / 273.15\n pw = 0.1 * (0.4976 + 1.5265 * theta + np.exp(...
def x(pw, airmass_absolute, module_type=None, coefficients=None): if np.min(pw) < 0.1: pw = np.maximum(pw, 0.1) warn( 'Exceptionally low Pwat values replaced with 0.1 cm to prevent' + ' model divergence') if np.max(pw) > 8: warn('Exceptionally high Pwat values. Check input data:' + ' model may diverge in this range') if np.max(airmass_absolute) > 10: airmass_absolute = np.minimum(airmass_absolute, 10) if np.min(airmass_absolute) < 0.58: warn('Exceptionally low air mass: ' + 'model not intended for extra-terrestrial use') _coefficients = {} _coefficients['cdte' ] = 0.86273, -0.038948, -0.012506, 0.098871, 0.084658, -0.0042948 _coefficients['monosi' ] = 0.85914, -0.02088, -0.0058853, 0.12029, 0.026814, -0.001781 _coefficients['xsi'] = _coefficients['monosi'] _coefficients['polysi' ] = 0.8409, -0.027539, -0.0079224, 0.1357, 0.038024, -0.0021218 _coefficients['multisi'] = _coefficients['polysi'] _coefficients['cigs' ] = 0.85252, -0.022314, -0.0047216, 0.13666, 0.013342, -0.0008945 _coefficients['asi' ] = 1.12094, -0.04762, -0.0083627, -0.10443, 0.098382, -0.0033818 if module_type is not None and coefficients is None: coefficients = _coefficients[module_type.lower()] elif module_type is None and coefficients is not None: pass elif module_type is None and coefficients is None: raise TypeError('No valid input provided, both module_type and ' + 'coefficients are None') else: raise TypeError('Cannot resolve input, must supply only one of ' + 'module_type and coefficients') coeff = coefficients ama = airmass_absolute modifier = coeff[0] + coeff[1] * ama + coeff[2] * pw + coeff[3] * np.sqrt( ama) + coeff[4] * np.sqrt(pw) + coeff[5] * ama / np.sqrt(pw) return modifier
first_solar_spectral_correction
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pw, airmass_absolute, module_type=None, coefficients=None):\n if np.min(pw) < 0.1:\n pw = np.maximum(pw, 0.1)\n warn(\n 'Exceptiona...
def x(airmass_absolute, precipitable_water, aod_bb): delta_cda = -0.101 + 0.235 * airmass_absolute ** -0.16 delta_w = 0.112 * airmass_absolute ** -0.55 * precipitable_water ** 0.34 delta_a = aod_bb lt = -(9.4 + 0.9 * airmass_absolute) * np.log(np.exp(-airmass_absolute * (delta_cda + delta_w + delta_a))) / airmass_absolute return lt
kasten96_lt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(airmass_absolute, precipitable_water, aod_bb):\n delta_cda = -0.101 + 0.235 * airmass_absolute ** -0.16\n delta_w = 0.112 * airmass_absolute ** -0.55 * p...
def x(aod1, lambda1, aod2, lambda2): return -np.log(aod1 / aod2) / np.log(lambda1 / lambda2)
angstrom_alpha
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(aod1, lambda1, aod2, lambda2):\n return -np.log(aod1 / aod2) / np.log(lambda1 / lambda2)\n", "role": "user" }, { "content": "angstrom_alpha", ...
def x(time, location): if isinstance(time, dt.datetime): if time.tzinfo is None: time = pytz.timezone(location.tz).localize(time) time_utc = time.astimezone(pytz.utc) else: try: time_utc = time.tz_convert('UTC') except TypeError: time_utc = time.tz_localize(location.tz).tz_convert('UTC') return time_utc
localize_to_utc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(time, location):\n if isinstance(time, dt.datetime):\n if time.tzinfo is None:\n time = pytz.timezone(location.tz).localize(time)\n ...