content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
"""
Good morning! Here's your coding interview problem for today.
This problem was asked by Square.
Assume you have access to a function toss_biased() which returns 0 or 1 with a probability that's not 50-50 (but also not 0-100 or 100-0).
You do not know the bias of the coin.
Write a function to simulate an unbiased coin toss.
https://github.com/nootfly/CodeMoments/blob/master/2018/unbiased-fun.md
"""
def toss_unbiased():
while true:
v1 = toss_biased()
v2 = toss_biased()
if v1 != v2:
return v1
| """
Good morning! Here's your coding interview problem for today.
This problem was asked by Square.
Assume you have access to a function toss_biased() which returns 0 or 1 with a probability that's not 50-50 (but also not 0-100 or 100-0).
You do not know the bias of the coin.
Write a function to simulate an unbiased coin toss.
https://github.com/nootfly/CodeMoments/blob/master/2018/unbiased-fun.md
"""
def toss_unbiased():
while true:
v1 = toss_biased()
v2 = toss_biased()
if v1 != v2:
return v1 |
"""
* Edge Detection.
*
* Exposing areas of contrast within an image
* by processing it through a high-pass filter.
"""
kernel = (( -1, -1, -1 ),
( -1, 9, -1 ),
( -1, -1, -1 ))
size(200, 200)
img = loadImage("house.jpg") # Load the original image
image(img, 0, 0) # Displays the image from point (0,0)
img.loadPixels();
# Create an opaque image of the same size as the original
edgeImg = createImage(img.width, img.height, RGB)
# Loop through every pixel in the image.
for y in range(1, img.height-1): # Skip top and bottom edges
for x in range(1, img.width-1): # Skip left and right edges
sum = 0 # Kernel sum for this pixel
for ky in (-1, 0, 1):
for kx in (-1, 0, 1):
# Calculate the adjacent pixel for this kernel point
pos = (y + ky)*img.width + (x + kx)
# Image is grayscale, red/green/blue are identical
val = red(img.pixels[pos])
# Multiply adjacent pixels based on the kernel values
sum += kernel[ky+1][kx+1] * val
# For this pixel in the new image, set the gray value
# based on the sum from the kernel
edgeImg.pixels[y*img.width + x] = color(sum)
# State that there are changes to edgeImg.pixels[]
edgeImg.updatePixels()
image(edgeImg, 100, 0) # Draw the new image
| """
* Edge Detection.
*
* Exposing areas of contrast within an image
* by processing it through a high-pass filter.
"""
kernel = ((-1, -1, -1), (-1, 9, -1), (-1, -1, -1))
size(200, 200)
img = load_image('house.jpg')
image(img, 0, 0)
img.loadPixels()
edge_img = create_image(img.width, img.height, RGB)
for y in range(1, img.height - 1):
for x in range(1, img.width - 1):
sum = 0
for ky in (-1, 0, 1):
for kx in (-1, 0, 1):
pos = (y + ky) * img.width + (x + kx)
val = red(img.pixels[pos])
sum += kernel[ky + 1][kx + 1] * val
edgeImg.pixels[y * img.width + x] = color(sum)
edgeImg.updatePixels()
image(edgeImg, 100, 0) |
# Copyright 2014-2018 The PySCF Developers. All Rights Reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
'''
NIST physical constants
https://physics.nist.gov/cuu/Constants/
https://physics.nist.gov/cuu/Constants/Table/allascii.txt
'''
LIGHT_SPEED = 137.03599967994 # http://physics.nist.gov/cgi-bin/cuu/Value?alph
# BOHR = .529 177 210 92(17) e-10m # http://physics.nist.gov/cgi-bin/cuu/Value?bohrrada0
BOHR = 0.52917721092 # Angstroms
BOHR_SI = BOHR * 1e-10
ALPHA = 7.2973525664e-3 # http://physics.nist.gov/cgi-bin/cuu/Value?alph
G_ELECTRON = 2.00231930436182 # http://physics.nist.gov/cgi-bin/cuu/Value?gem
E_MASS = 9.10938356e-31 # kg https://physics.nist.gov/cgi-bin/cuu/Value?me
AVOGADRO = 6.022140857e23 # https://physics.nist.gov/cgi-bin/cuu/Value?na
ATOMIC_MASS = 1e-3/AVOGADRO
PROTON_MASS = 1.672621898e-27 # kg https://physics.nist.gov/cgi-bin/cuu/Value?mp
PROTON_MASS_AU = PROTON_MASS/ATOMIC_MASS
BOHR_MAGNETON = 927.4009994e-26 # J/T http://physics.nist.gov/cgi-bin/cuu/Value?mub
NUC_MAGNETON = BOHR_MAGNETON * E_MASS / PROTON_MASS
PLANCK = 6.626070040e-34 # J*s http://physics.nist.gov/cgi-bin/cuu/Value?h
HBAR = PLANCK/(2*3.141592653589793) # https://physics.nist.gov/cgi-bin/cuu/Value?hbar
#HARTREE2J = 4.359744650e-18 # J https://physics.nist.gov/cgi-bin/cuu/Value?hrj
HARTREE2J = HBAR**2/(E_MASS*BOHR_SI**2)
HARTREE2EV = 27.21138602 # eV https://physics.nist.gov/cgi-bin/cuu/Value?threv
E_CHARGE = 1.6021766208e-19 # C https://physics.nist.gov/cgi-bin/cuu/Value?e
LIGHT_SPEED_SI = 299792458 # https://physics.nist.gov/cgi-bin/cuu/Value?c
DEBYE = 3.335641e-30 # C*m = 1e-18/LIGHT_SPEED_SI https://cccbdb.nist.gov/debye.asp
AU2DEBYE = E_CHARGE * BOHR*1e-10 / DEBYE # 2.541746
AUEFG = 9.71736235660e21 # V/m^2 https://physics.nist.gov/cgi-bin/cuu/Value?auefg
AU2TESLA = HBAR/(BOHR_SI**2 * E_CHARGE)
BOLTZMANN = 1.38064852e-23 # J/K https://physics.nist.gov/cgi-bin/cuu/Value?k
HARTREE2WAVENUMBER = 1e-2 * HARTREE2J / (LIGHT_SPEED_SI * PLANCK) # 2.194746313702e5
| """
NIST physical constants
https://physics.nist.gov/cuu/Constants/
https://physics.nist.gov/cuu/Constants/Table/allascii.txt
"""
light_speed = 137.03599967994
bohr = 0.52917721092
bohr_si = BOHR * 1e-10
alpha = 0.0072973525664
g_electron = 2.00231930436182
e_mass = 9.10938356e-31
avogadro = 6.022140857e+23
atomic_mass = 0.001 / AVOGADRO
proton_mass = 1.672621898e-27
proton_mass_au = PROTON_MASS / ATOMIC_MASS
bohr_magneton = 9.274009994e-24
nuc_magneton = BOHR_MAGNETON * E_MASS / PROTON_MASS
planck = 6.62607004e-34
hbar = PLANCK / (2 * 3.141592653589793)
hartree2_j = HBAR ** 2 / (E_MASS * BOHR_SI ** 2)
hartree2_ev = 27.21138602
e_charge = 1.6021766208e-19
light_speed_si = 299792458
debye = 3.335641e-30
au2_debye = E_CHARGE * BOHR * 1e-10 / DEBYE
auefg = 9.7173623566e+21
au2_tesla = HBAR / (BOHR_SI ** 2 * E_CHARGE)
boltzmann = 1.38064852e-23
hartree2_wavenumber = 0.01 * HARTREE2J / (LIGHT_SPEED_SI * PLANCK) |
class Agent(object):
standard_key_list = []
def __init__(self, env, config, model=None):
self.env = env
self.config = config
self.model = model
self.state = None
self.action = None
self.reward = None
self.reward_list = None
pass
def observe(self, *args, **kwargs):
pass
def predict(self, *args, **kwargs):
pass
def update(self, *args, **kwargs):
pass
def play(self, *args, **kwargs):
pass
| class Agent(object):
standard_key_list = []
def __init__(self, env, config, model=None):
self.env = env
self.config = config
self.model = model
self.state = None
self.action = None
self.reward = None
self.reward_list = None
pass
def observe(self, *args, **kwargs):
pass
def predict(self, *args, **kwargs):
pass
def update(self, *args, **kwargs):
pass
def play(self, *args, **kwargs):
pass |
# Beer brands that are not craft beers
MAINSTREAM_BEER_BRANDS = {
'abc',
'anchor',
'asahi',
'budweiser',
'carlsberg',
'erdinger',
'guinness',
'heineken',
'hoegaarden',
'kirin',
'krausebourg'
'kronenbourg',
'royal stout',
'sapporo',
'skol',
'somersby',
'strongbow',
'tiger',
}
# Keywords for non-beer items such as merchandizes or keg
SKIPPED_ITEMS = {
'cap',
'gift',
'glass',
'keg',
'litre',
'tee',
}
| mainstream_beer_brands = {'abc', 'anchor', 'asahi', 'budweiser', 'carlsberg', 'erdinger', 'guinness', 'heineken', 'hoegaarden', 'kirin', 'krausebourgkronenbourg', 'royal stout', 'sapporo', 'skol', 'somersby', 'strongbow', 'tiger'}
skipped_items = {'cap', 'gift', 'glass', 'keg', 'litre', 'tee'} |
class GEOLibError(Exception):
"""Base GEOLib Exception class."""
class CalculationError(GEOLibError):
"""CalculationError with a status_code."""
def __init__(self, status_code, message):
self.status_code = status_code
self.message = message
class ParserError(GEOLibError):
"""Base class for Parser errors."""
class GEOLibNotImplementedError(GEOLibError, NotImplementedError):
"""Base class for not implemented abstract classes."""
NotConcreteError = GEOLibNotImplementedError("Should be implemented in concrete class.")
| class Geoliberror(Exception):
"""Base GEOLib Exception class."""
class Calculationerror(GEOLibError):
"""CalculationError with a status_code."""
def __init__(self, status_code, message):
self.status_code = status_code
self.message = message
class Parsererror(GEOLibError):
"""Base class for Parser errors."""
class Geolibnotimplementederror(GEOLibError, NotImplementedError):
"""Base class for not implemented abstract classes."""
not_concrete_error = geo_lib_not_implemented_error('Should be implemented in concrete class.') |
class History(object):
def __init__(self, intensity=2):
self.hist = []
self.read_count = 0
self.intensity = intensity
def __len__(self):
return len(self.hist)
def add(self, solution):
self.hist.append(solution)
def get(self):
self.read_count += 1
if self.read_count % self.intensity != 0:
res = self.hist[-1]
self.hist = self.hist[:-1]
else:
res = self.hist[0]
self.hist = self.hist[1:]
return res
| class History(object):
def __init__(self, intensity=2):
self.hist = []
self.read_count = 0
self.intensity = intensity
def __len__(self):
return len(self.hist)
def add(self, solution):
self.hist.append(solution)
def get(self):
self.read_count += 1
if self.read_count % self.intensity != 0:
res = self.hist[-1]
self.hist = self.hist[:-1]
else:
res = self.hist[0]
self.hist = self.hist[1:]
return res |
coordinates_E0E1E1 = ((123, 106),
(123, 108), (123, 109), (123, 110), (123, 112), (124, 106), (124, 110), (124, 125), (124, 127), (124, 128), (124, 129), (124, 130), (124, 132), (125, 106), (125, 108), (125, 110), (125, 126), (125, 132), (126, 106), (126, 109), (126, 126), (126, 128), (126, 129), (126, 130), (126, 132), (127, 85), (127, 99), (127, 100), (127, 106), (127, 109), (127, 126), (127, 128), (127, 129), (127, 130), (127, 132), (128, 83), (128, 86), (128, 99), (128, 101), (128, 106), (128, 109), (128, 126), (128, 128), (128, 129), (128, 130), (128, 131), (128, 133), (129, 71), (129, 73), (129, 74), (129, 76), (129, 82), (129, 86), (129, 91), (129, 99), (129, 102), (129, 106), (129, 109), (129, 124), (129, 126), (129, 127), (129, 128), (129, 129), (129, 130), (129, 131), (129, 133), (130, 72), (130, 78), (130, 79), (130, 80), (130, 83), (130, 84), (130, 85),
(130, 91), (130, 99), (130, 101), (130, 104), (130, 106), (130, 123), (130, 126), (130, 127), (130, 131), (130, 133), (131, 74), (131, 75), (131, 82), (131, 83), (131, 84), (131, 85), (131, 86), (131, 92), (131, 99), (131, 100), (131, 101), (131, 102), (131, 106), (131, 108), (131, 123), (131, 125), (131, 128), (131, 129), (131, 133), (132, 77), (132, 78), (132, 79), (132, 80), (132, 81), (132, 82), (132, 83), (132, 84), (132, 85), (132, 86), (132, 87), (132, 88), (132, 89), (132, 90), (132, 92), (132, 99), (132, 101), (132, 102), (132, 103), (132, 104), (132, 105), (132, 107), (132, 122), (132, 124), (132, 125), (132, 127), (132, 131), (132, 134), (133, 78), (133, 80), (133, 81), (133, 82), (133, 83), (133, 84), (133, 85), (133, 86), (133, 87), (133, 88), (133, 89), (133, 90), (133, 91), (133, 93), (133, 99),
(133, 101), (133, 102), (133, 103), (133, 104), (133, 106), (133, 121), (133, 123), (133, 124), (133, 126), (133, 132), (133, 134), (134, 78), (134, 80), (134, 81), (134, 82), (134, 83), (134, 84), (134, 85), (134, 86), (134, 87), (134, 88), (134, 89), (134, 90), (134, 91), (134, 92), (134, 98), (134, 99), (134, 100), (134, 101), (134, 102), (134, 103), (134, 104), (134, 106), (134, 120), (134, 122), (134, 123), (134, 125), (134, 132), (134, 134), (135, 78), (135, 80), (135, 81), (135, 82), (135, 83), (135, 84), (135, 85), (135, 86), (135, 87), (135, 88), (135, 89), (135, 90), (135, 91), (135, 92), (135, 93), (135, 96), (135, 97), (135, 99), (135, 100), (135, 101), (135, 102), (135, 103), (135, 104), (135, 106), (135, 119), (135, 121), (135, 122), (135, 124), (135, 132), (135, 134), (136, 78), (136, 80), (136, 81),
(136, 82), (136, 83), (136, 84), (136, 85), (136, 86), (136, 87), (136, 88), (136, 89), (136, 90), (136, 91), (136, 92), (136, 93), (136, 94), (136, 95), (136, 98), (136, 99), (136, 100), (136, 101), (136, 102), (136, 103), (136, 104), (136, 105), (136, 107), (136, 118), (136, 120), (136, 121), (136, 123), (136, 132), (136, 134), (137, 77), (137, 79), (137, 80), (137, 81), (137, 82), (137, 83), (137, 84), (137, 85), (137, 86), (137, 87), (137, 88), (137, 89), (137, 90), (137, 91), (137, 92), (137, 93), (137, 94), (137, 95), (137, 96), (137, 97), (137, 98), (137, 99), (137, 100), (137, 101), (137, 102), (137, 103), (137, 104), (137, 106), (137, 117), (137, 119), (137, 120), (137, 121), (137, 123), (137, 132), (137, 134), (138, 76), (138, 78), (138, 79), (138, 80), (138, 81), (138, 87), (138, 88), (138, 89),
(138, 90), (138, 91), (138, 92), (138, 93), (138, 94), (138, 95), (138, 96), (138, 97), (138, 98), (138, 99), (138, 100), (138, 101), (138, 102), (138, 103), (138, 104), (138, 106), (138, 116), (138, 118), (138, 119), (138, 120), (138, 122), (138, 132), (138, 134), (139, 74), (139, 77), (139, 83), (139, 84), (139, 85), (139, 86), (139, 91), (139, 92), (139, 93), (139, 94), (139, 95), (139, 96), (139, 97), (139, 98), (139, 99), (139, 100), (139, 101), (139, 102), (139, 103), (139, 104), (139, 106), (139, 117), (139, 118), (139, 119), (139, 120), (139, 122), (139, 132), (139, 134), (139, 136), (140, 73), (140, 78), (140, 79), (140, 80), (140, 81), (140, 87), (140, 89), (140, 90), (140, 91), (140, 92), (140, 93), (140, 94), (140, 95), (140, 96), (140, 97), (140, 98), (140, 99), (140, 100), (140, 101), (140, 102),
(140, 103), (140, 104), (140, 106), (140, 115), (140, 117), (140, 118), (140, 121), (140, 132), (140, 136), (141, 72), (141, 77), (141, 91), (141, 93), (141, 94), (141, 95), (141, 96), (141, 97), (141, 98), (141, 99), (141, 100), (141, 101), (141, 102), (141, 103), (141, 104), (141, 105), (141, 107), (141, 114), (141, 116), (141, 119), (141, 133), (141, 136), (142, 73), (142, 75), (142, 92), (142, 94), (142, 95), (142, 96), (142, 97), (142, 98), (142, 99), (142, 100), (142, 101), (142, 102), (142, 103), (142, 104), (142, 105), (142, 106), (142, 109), (142, 110), (142, 111), (142, 112), (142, 115), (142, 118), (142, 133), (142, 136), (143, 92), (143, 93), (143, 94), (143, 95), (143, 96), (143, 97), (143, 98), (143, 99), (143, 100), (143, 101), (143, 102), (143, 103), (143, 104), (143, 105), (143, 106), (143, 107), (143, 111),
(143, 114), (143, 116), (143, 137), (144, 92), (144, 93), (144, 94), (144, 95), (144, 96), (144, 97), (144, 98), (144, 99), (144, 100), (144, 101), (144, 102), (144, 103), (144, 104), (144, 105), (144, 106), (144, 107), (144, 108), (144, 109), (144, 110), (144, 111), (144, 112), (144, 113), (144, 115), (144, 137), (145, 92), (145, 94), (145, 95), (145, 96), (145, 97), (145, 98), (145, 99), (145, 100), (145, 101), (145, 102), (145, 103), (145, 104), (145, 105), (145, 106), (145, 107), (145, 108), (145, 109), (145, 110), (145, 111), (145, 112), (145, 114), (145, 137), (146, 91), (146, 93), (146, 94), (146, 95), (146, 96), (146, 97), (146, 98), (146, 99), (146, 100), (146, 101), (146, 102), (146, 103), (146, 104), (146, 105), (146, 106), (146, 107), (146, 108), (146, 109), (146, 110), (146, 111), (146, 112), (146, 114), (146, 137),
(146, 138), (147, 90), (147, 92), (147, 93), (147, 94), (147, 95), (147, 96), (147, 97), (147, 98), (147, 99), (147, 100), (147, 101), (147, 102), (147, 103), (147, 104), (147, 105), (147, 106), (147, 107), (147, 108), (147, 109), (147, 110), (147, 111), (147, 113), (147, 137), (147, 138), (148, 86), (148, 87), (148, 88), (148, 89), (148, 91), (148, 92), (148, 93), (148, 94), (148, 95), (148, 96), (148, 97), (148, 98), (148, 99), (148, 100), (148, 101), (148, 102), (148, 103), (148, 104), (148, 105), (148, 106), (148, 107), (148, 108), (148, 109), (148, 110), (148, 111), (148, 113), (148, 136), (148, 139), (148, 155), (148, 156), (148, 157), (148, 159), (149, 84), (149, 90), (149, 91), (149, 92), (149, 93), (149, 94), (149, 95), (149, 96), (149, 97), (149, 98), (149, 99), (149, 100), (149, 101), (149, 102), (149, 103),
(149, 104), (149, 105), (149, 106), (149, 107), (149, 108), (149, 109), (149, 110), (149, 111), (149, 113), (149, 136), (149, 139), (149, 153), (149, 160), (150, 85), (150, 86), (150, 87), (150, 88), (150, 89), (150, 90), (150, 91), (150, 92), (150, 93), (150, 94), (150, 95), (150, 96), (150, 97), (150, 98), (150, 100), (150, 101), (150, 102), (150, 103), (150, 104), (150, 105), (150, 106), (150, 107), (150, 108), (150, 109), (150, 110), (150, 111), (150, 112), (150, 114), (150, 135), (150, 137), (150, 138), (150, 139), (150, 140), (150, 152), (150, 155), (150, 156), (150, 157), (150, 158), (150, 160), (151, 87), (151, 89), (151, 90), (151, 91), (151, 92), (151, 93), (151, 94), (151, 95), (151, 96), (151, 99), (151, 101), (151, 102), (151, 103), (151, 104), (151, 105), (151, 106), (151, 107), (151, 108), (151, 109), (151, 110),
(151, 111), (151, 112), (151, 113), (151, 116), (151, 134), (151, 136), (151, 137), (151, 138), (151, 140), (151, 152), (151, 154), (151, 155), (151, 156), (151, 157), (151, 159), (152, 87), (152, 89), (152, 90), (152, 91), (152, 92), (152, 93), (152, 94), (152, 95), (152, 97), (152, 102), (152, 103), (152, 104), (152, 105), (152, 106), (152, 107), (152, 108), (152, 109), (152, 110), (152, 111), (152, 112), (152, 113), (152, 114), (152, 118), (152, 130), (152, 131), (152, 132), (152, 135), (152, 136), (152, 137), (152, 138), (152, 139), (152, 141), (152, 151), (152, 153), (152, 154), (152, 155), (152, 156), (152, 158), (153, 86), (153, 88), (153, 89), (153, 90), (153, 91), (153, 92), (153, 93), (153, 94), (153, 96), (153, 101), (153, 103), (153, 104), (153, 105), (153, 106), (153, 107), (153, 108), (153, 109), (153, 110), (153, 111),
(153, 112), (153, 113), (153, 114), (153, 115), (153, 116), (153, 119), (153, 120), (153, 121), (153, 122), (153, 123), (153, 124), (153, 125), (153, 126), (153, 127), (153, 128), (153, 129), (153, 134), (153, 145), (153, 151), (153, 153), (153, 154), (153, 155), (153, 157), (154, 86), (154, 90), (154, 91), (154, 92), (154, 93), (154, 95), (154, 102), (154, 104), (154, 105), (154, 106), (154, 107), (154, 108), (154, 109), (154, 110), (154, 111), (154, 112), (154, 113), (154, 130), (154, 131), (154, 132), (154, 135), (154, 136), (154, 137), (154, 138), (154, 139), (154, 140), (154, 141), (154, 143), (154, 146), (154, 147), (154, 150), (154, 152), (154, 153), (154, 154), (154, 156), (155, 91), (155, 92), (155, 94), (155, 102), (155, 104), (155, 105), (155, 106), (155, 107), (155, 108), (155, 109), (155, 110), (155, 111), (155, 112), (155, 113),
(155, 115), (155, 116), (155, 117), (155, 118), (155, 119), (155, 122), (155, 123), (155, 124), (155, 125), (155, 126), (155, 127), (155, 128), (155, 129), (155, 130), (155, 133), (155, 145), (155, 148), (155, 151), (155, 152), (155, 153), (155, 154), (155, 156), (156, 90), (156, 92), (156, 94), (156, 102), (156, 104), (156, 105), (156, 106), (156, 107), (156, 108), (156, 109), (156, 110), (156, 111), (156, 113), (156, 120), (156, 124), (156, 125), (156, 126), (156, 127), (156, 128), (156, 129), (156, 132), (156, 147), (156, 150), (156, 151), (156, 152), (156, 153), (156, 154), (156, 156), (157, 91), (157, 94), (157, 103), (157, 105), (157, 106), (157, 107), (157, 108), (157, 109), (157, 110), (157, 111), (157, 113), (157, 122), (157, 126), (157, 127), (157, 130), (157, 147), (157, 149), (157, 150), (157, 151), (157, 152), (157, 153), (157, 154),
(157, 156), (158, 91), (158, 94), (158, 103), (158, 105), (158, 106), (158, 107), (158, 108), (158, 109), (158, 110), (158, 112), (158, 124), (158, 129), (158, 148), (158, 150), (158, 151), (158, 152), (158, 153), (158, 154), (158, 156), (159, 92), (159, 94), (159, 104), (159, 106), (159, 107), (159, 108), (159, 109), (159, 110), (159, 112), (159, 126), (159, 127), (159, 148), (159, 150), (159, 151), (159, 152), (159, 153), (159, 154), (159, 156), (160, 93), (160, 94), (160, 104), (160, 106), (160, 107), (160, 108), (160, 109), (160, 111), (160, 147), (160, 149), (160, 150), (160, 151), (160, 152), (160, 153), (160, 154), (160, 155), (160, 157), (161, 93), (161, 94), (161, 104), (161, 106), (161, 107), (161, 108), (161, 109), (161, 111), (161, 147), (161, 149), (161, 150), (161, 151), (161, 152), (161, 153), (161, 154), (161, 155), (161, 158),
(162, 93), (162, 94), (162, 105), (162, 107), (162, 108), (162, 109), (162, 111), (162, 112), (162, 146), (162, 149), (162, 150), (162, 151), (162, 152), (162, 153), (162, 156), (162, 157), (162, 159), (163, 105), (163, 107), (163, 108), (163, 109), (163, 110), (163, 112), (163, 148), (163, 150), (163, 151), (163, 152), (163, 154), (163, 155), (163, 159), (163, 160), (164, 105), (164, 107), (164, 108), (164, 109), (164, 110), (164, 112), (164, 149), (164, 151), (164, 153), (164, 160), (164, 161), (165, 106), (165, 108), (165, 109), (165, 110), (165, 111), (165, 113), (165, 150), (165, 152), (165, 161), (165, 162), (166, 106), (166, 112), (166, 114), (166, 142), (166, 149), (166, 151), (166, 161), (167, 106), (167, 108), (167, 109), (167, 110), (167, 111), (167, 115), (167, 141), (167, 149), (167, 150), (167, 161), (167, 163), (168, 105), (168, 106),
(168, 112), (168, 113), (168, 116), (168, 140), (168, 141), (168, 149), (168, 161), (168, 162), (169, 105), (169, 115), (169, 117), (169, 139), (169, 141), (169, 149), (169, 161), (170, 104), (170, 116), (170, 118), (170, 138), (170, 140), (170, 149), (170, 161), (171, 98), (171, 99), (171, 100), (171, 101), (171, 102), (171, 104), (171, 118), (171, 120), (171, 138), (171, 139), (171, 149), (172, 99), (172, 103), (172, 120), (172, 122), (172, 137), (172, 138), (172, 149), (172, 150), (173, 101), (173, 103), (173, 122), (173, 149), (173, 150), (174, 102), (174, 103), (174, 149), (175, 103), (175, 104), (175, 133), (175, 149), (176, 105), (176, 132), (176, 149), (177, 106), (177, 107), (177, 131), (177, 148), (178, 107), (178, 108), (178, 147), (179, 146), )
coordinates_E1E1E1 = ((65, 113),
(65, 116), (66, 107), (66, 109), (66, 110), (66, 111), (66, 118), (67, 106), (67, 113), (67, 114), (67, 115), (67, 116), (67, 120), (67, 127), (68, 104), (68, 107), (68, 108), (68, 109), (68, 110), (68, 111), (68, 112), (68, 113), (68, 114), (68, 115), (68, 116), (68, 117), (68, 118), (68, 121), (68, 122), (68, 123), (68, 124), (68, 125), (68, 127), (69, 103), (69, 106), (69, 107), (69, 108), (69, 109), (69, 110), (69, 111), (69, 112), (69, 113), (69, 114), (69, 115), (69, 116), (69, 117), (69, 118), (69, 119), (69, 120), (69, 123), (69, 126), (69, 136), (70, 101), (70, 107), (70, 108), (70, 109), (70, 110), (70, 111), (70, 112), (70, 113), (70, 117), (70, 118), (70, 119), (70, 120), (70, 121), (70, 122), (70, 123), (70, 124), (70, 126), (70, 136), (71, 97), (71, 98), (71, 99),
(71, 100), (71, 101), (71, 102), (71, 103), (71, 104), (71, 105), (71, 108), (71, 109), (71, 110), (71, 111), (71, 112), (71, 114), (71, 115), (71, 116), (71, 117), (71, 118), (71, 119), (71, 120), (71, 121), (71, 122), (71, 123), (71, 124), (71, 126), (71, 137), (72, 107), (72, 110), (72, 111), (72, 113), (72, 118), (72, 119), (72, 120), (72, 121), (72, 122), (72, 123), (72, 124), (72, 126), (72, 137), (72, 154), (72, 155), (73, 108), (73, 112), (73, 118), (73, 120), (73, 121), (73, 127), (73, 137), (73, 138), (73, 154), (74, 109), (74, 111), (74, 118), (74, 120), (74, 122), (74, 123), (74, 124), (74, 125), (74, 127), (74, 138), (74, 139), (74, 154), (75, 111), (75, 117), (75, 121), (75, 138), (75, 140), (76, 117), (76, 120), (76, 139), (76, 141), (76, 145), (76, 153), (77, 116),
(77, 119), (77, 140), (77, 142), (77, 143), (77, 145), (77, 153), (78, 116), (78, 118), (78, 144), (78, 146), (78, 153), (79, 113), (79, 117), (79, 145), (79, 147), (79, 152), (80, 113), (80, 116), (80, 146), (80, 147), (80, 151), (80, 152), (81, 113), (81, 115), (81, 147), (81, 152), (82, 112), (82, 113), (82, 115), (82, 147), (82, 152), (83, 98), (83, 112), (83, 114), (83, 148), (83, 150), (83, 151), (83, 153), (84, 97), (84, 98), (84, 107), (84, 109), (84, 110), (84, 112), (84, 114), (84, 148), (84, 150), (84, 151), (84, 152), (84, 153), (84, 158), (85, 79), (85, 82), (85, 83), (85, 98), (85, 107), (85, 112), (85, 113), (85, 115), (85, 148), (85, 150), (85, 151), (85, 152), (85, 153), (85, 155), (85, 156), (85, 158), (86, 78), (86, 84), (86, 94), (86, 98), (86, 107),
(86, 109), (86, 110), (86, 111), (86, 112), (86, 113), (86, 115), (86, 133), (86, 148), (86, 150), (86, 151), (86, 152), (86, 153), (86, 158), (87, 78), (87, 80), (87, 81), (87, 82), (87, 83), (87, 86), (87, 92), (87, 96), (87, 98), (87, 107), (87, 109), (87, 110), (87, 111), (87, 112), (87, 113), (87, 115), (87, 134), (87, 147), (87, 149), (87, 150), (87, 151), (87, 152), (87, 153), (87, 154), (87, 155), (87, 156), (87, 157), (87, 159), (88, 77), (88, 79), (88, 80), (88, 81), (88, 82), (88, 83), (88, 84), (88, 87), (88, 91), (88, 94), (88, 95), (88, 96), (88, 98), (88, 107), (88, 109), (88, 110), (88, 111), (88, 112), (88, 113), (88, 114), (88, 116), (88, 133), (88, 135), (88, 145), (88, 148), (88, 149), (88, 150), (88, 151), (88, 152), (88, 153), (88, 154),
(88, 155), (88, 156), (88, 157), (88, 158), (88, 161), (89, 77), (89, 89), (89, 92), (89, 93), (89, 94), (89, 95), (89, 96), (89, 98), (89, 107), (89, 109), (89, 110), (89, 111), (89, 112), (89, 113), (89, 114), (89, 116), (89, 125), (89, 127), (89, 128), (89, 129), (89, 132), (89, 133), (89, 134), (89, 137), (89, 145), (89, 147), (89, 148), (89, 149), (89, 150), (89, 151), (89, 152), (89, 153), (89, 154), (89, 155), (89, 156), (89, 157), (89, 158), (89, 159), (89, 161), (90, 78), (90, 80), (90, 81), (90, 82), (90, 83), (90, 84), (90, 85), (90, 86), (90, 91), (90, 92), (90, 93), (90, 94), (90, 95), (90, 96), (90, 98), (90, 106), (90, 108), (90, 109), (90, 110), (90, 111), (90, 112), (90, 113), (90, 114), (90, 115), (90, 116), (90, 117), (90, 123), (90, 124),
(90, 130), (90, 131), (90, 132), (90, 133), (90, 134), (90, 135), (90, 138), (90, 139), (90, 151), (90, 152), (90, 153), (90, 154), (90, 155), (90, 156), (90, 157), (90, 160), (91, 87), (91, 88), (91, 91), (91, 92), (91, 93), (91, 94), (91, 95), (91, 96), (91, 97), (91, 99), (91, 105), (91, 107), (91, 108), (91, 109), (91, 110), (91, 111), (91, 112), (91, 113), (91, 114), (91, 115), (91, 116), (91, 119), (91, 120), (91, 121), (91, 125), (91, 126), (91, 127), (91, 128), (91, 129), (91, 130), (91, 131), (91, 132), (91, 133), (91, 134), (91, 135), (91, 136), (91, 137), (91, 141), (91, 142), (91, 143), (91, 144), (91, 145), (91, 146), (91, 147), (91, 148), (91, 149), (91, 151), (91, 152), (91, 153), (91, 154), (91, 155), (91, 156), (91, 159), (92, 89), (92, 92), (92, 93),
(92, 94), (92, 95), (92, 96), (92, 97), (92, 98), (92, 101), (92, 104), (92, 106), (92, 107), (92, 108), (92, 109), (92, 110), (92, 111), (92, 112), (92, 113), (92, 114), (92, 115), (92, 120), (92, 122), (92, 134), (92, 135), (92, 136), (92, 138), (92, 151), (92, 152), (92, 153), (92, 154), (92, 155), (93, 91), (93, 93), (93, 94), (93, 95), (93, 96), (93, 97), (93, 98), (93, 99), (93, 102), (93, 103), (93, 106), (93, 107), (93, 108), (93, 109), (93, 110), (93, 111), (93, 112), (93, 113), (93, 114), (93, 116), (93, 117), (93, 119), (93, 123), (93, 125), (93, 126), (93, 127), (93, 128), (93, 129), (93, 130), (93, 131), (93, 132), (93, 135), (93, 136), (93, 138), (93, 152), (93, 154), (93, 156), (94, 92), (94, 94), (94, 95), (94, 96), (94, 97), (94, 98), (94, 99),
(94, 100), (94, 101), (94, 102), (94, 104), (94, 105), (94, 106), (94, 107), (94, 108), (94, 109), (94, 110), (94, 111), (94, 112), (94, 113), (94, 115), (94, 134), (94, 136), (94, 138), (94, 152), (94, 155), (95, 92), (95, 94), (95, 95), (95, 96), (95, 97), (95, 98), (95, 99), (95, 100), (95, 101), (95, 102), (95, 103), (95, 104), (95, 105), (95, 106), (95, 107), (95, 108), (95, 109), (95, 110), (95, 111), (95, 112), (95, 114), (95, 135), (95, 138), (95, 152), (95, 155), (96, 92), (96, 94), (96, 95), (96, 96), (96, 97), (96, 98), (96, 99), (96, 100), (96, 101), (96, 102), (96, 103), (96, 104), (96, 105), (96, 106), (96, 107), (96, 108), (96, 109), (96, 110), (96, 111), (96, 113), (96, 136), (96, 137), (96, 152), (96, 155), (97, 91), (97, 93), (97, 94), (97, 95),
(97, 96), (97, 97), (97, 98), (97, 99), (97, 100), (97, 101), (97, 102), (97, 103), (97, 104), (97, 105), (97, 106), (97, 107), (97, 108), (97, 109), (97, 110), (97, 111), (97, 113), (97, 137), (97, 152), (97, 155), (98, 89), (98, 92), (98, 93), (98, 94), (98, 95), (98, 96), (98, 97), (98, 98), (98, 99), (98, 100), (98, 101), (98, 102), (98, 103), (98, 104), (98, 105), (98, 106), (98, 107), (98, 108), (98, 109), (98, 110), (98, 111), (98, 113), (98, 137), (98, 153), (98, 156), (99, 91), (99, 92), (99, 93), (99, 94), (99, 95), (99, 96), (99, 97), (99, 98), (99, 99), (99, 100), (99, 101), (99, 102), (99, 103), (99, 104), (99, 105), (99, 106), (99, 107), (99, 108), (99, 109), (99, 110), (99, 111), (99, 112), (99, 114), (99, 137), (99, 153), (99, 156), (100, 88),
(100, 90), (100, 91), (100, 92), (100, 93), (100, 94), (100, 95), (100, 96), (100, 97), (100, 98), (100, 99), (100, 100), (100, 101), (100, 102), (100, 103), (100, 104), (100, 105), (100, 106), (100, 107), (100, 108), (100, 109), (100, 110), (100, 111), (100, 112), (100, 114), (100, 137), (100, 153), (100, 156), (101, 88), (101, 90), (101, 91), (101, 92), (101, 93), (101, 94), (101, 95), (101, 96), (101, 97), (101, 98), (101, 99), (101, 100), (101, 101), (101, 102), (101, 103), (101, 104), (101, 105), (101, 106), (101, 107), (101, 113), (101, 115), (101, 137), (101, 154), (102, 86), (102, 88), (102, 89), (102, 90), (102, 91), (102, 92), (102, 93), (102, 94), (102, 95), (102, 96), (102, 97), (102, 98), (102, 99), (102, 100), (102, 101), (102, 102), (102, 103), (102, 104), (102, 105), (102, 106), (102, 109), (102, 110),
(102, 111), (102, 114), (102, 116), (102, 137), (103, 74), (103, 85), (103, 88), (103, 89), (103, 90), (103, 91), (103, 92), (103, 93), (103, 94), (103, 95), (103, 96), (103, 97), (103, 98), (103, 99), (103, 100), (103, 101), (103, 102), (103, 103), (103, 104), (103, 105), (103, 107), (103, 113), (103, 115), (103, 118), (103, 136), (103, 137), (104, 75), (104, 82), (104, 83), (104, 86), (104, 87), (104, 88), (104, 89), (104, 90), (104, 91), (104, 92), (104, 93), (104, 94), (104, 95), (104, 96), (104, 97), (104, 98), (104, 99), (104, 100), (104, 101), (104, 102), (104, 103), (104, 104), (104, 106), (104, 114), (104, 116), (104, 119), (104, 135), (104, 136), (105, 76), (105, 78), (105, 79), (105, 80), (105, 81), (105, 85), (105, 86), (105, 87), (105, 88), (105, 89), (105, 90), (105, 91), (105, 92), (105, 93),
(105, 94), (105, 95), (105, 96), (105, 97), (105, 98), (105, 99), (105, 100), (105, 101), (105, 102), (105, 103), (105, 104), (105, 106), (105, 115), (105, 117), (105, 118), (105, 121), (105, 122), (105, 133), (105, 136), (106, 76), (106, 82), (106, 83), (106, 84), (106, 85), (106, 86), (106, 87), (106, 88), (106, 89), (106, 90), (106, 91), (106, 92), (106, 93), (106, 94), (106, 95), (106, 96), (106, 97), (106, 98), (106, 99), (106, 100), (106, 101), (106, 102), (106, 103), (106, 104), (106, 106), (106, 116), (106, 118), (106, 119), (106, 120), (106, 122), (106, 133), (106, 136), (107, 76), (107, 78), (107, 79), (107, 80), (107, 81), (107, 82), (107, 83), (107, 84), (107, 85), (107, 86), (107, 87), (107, 88), (107, 89), (107, 90), (107, 91), (107, 92), (107, 93), (107, 94), (107, 95), (107, 96), (107, 97),
(107, 98), (107, 99), (107, 100), (107, 101), (107, 102), (107, 103), (107, 104), (107, 106), (107, 117), (107, 119), (107, 120), (107, 122), (107, 133), (107, 136), (108, 76), (108, 78), (108, 79), (108, 80), (108, 81), (108, 82), (108, 83), (108, 84), (108, 85), (108, 86), (108, 87), (108, 88), (108, 89), (108, 90), (108, 91), (108, 92), (108, 93), (108, 94), (108, 95), (108, 96), (108, 97), (108, 98), (108, 99), (108, 100), (108, 101), (108, 102), (108, 103), (108, 104), (108, 106), (108, 118), (108, 120), (108, 121), (108, 123), (108, 133), (108, 136), (109, 76), (109, 78), (109, 79), (109, 80), (109, 81), (109, 82), (109, 83), (109, 84), (109, 85), (109, 86), (109, 87), (109, 88), (109, 89), (109, 90), (109, 91), (109, 92), (109, 93), (109, 94), (109, 95), (109, 96), (109, 97), (109, 98), (109, 99),
(109, 100), (109, 101), (109, 102), (109, 103), (109, 104), (109, 106), (109, 119), (109, 122), (109, 124), (109, 133), (109, 135), (110, 74), (110, 76), (110, 77), (110, 78), (110, 79), (110, 80), (110, 81), (110, 82), (110, 83), (110, 84), (110, 85), (110, 86), (110, 92), (110, 93), (110, 94), (110, 95), (110, 96), (110, 97), (110, 98), (110, 99), (110, 100), (110, 101), (110, 102), (110, 103), (110, 104), (110, 106), (110, 120), (110, 123), (110, 125), (110, 132), (110, 135), (111, 71), (111, 72), (111, 73), (111, 76), (111, 77), (111, 78), (111, 83), (111, 84), (111, 85), (111, 88), (111, 89), (111, 90), (111, 92), (111, 93), (111, 94), (111, 95), (111, 96), (111, 97), (111, 98), (111, 99), (111, 100), (111, 101), (111, 102), (111, 103), (111, 104), (111, 105), (111, 107), (111, 121), (111, 123), (111, 132),
(111, 135), (112, 69), (112, 74), (112, 75), (112, 76), (112, 77), (112, 79), (112, 80), (112, 81), (112, 84), (112, 86), (112, 92), (112, 94), (112, 95), (112, 96), (112, 97), (112, 98), (112, 99), (112, 100), (112, 101), (112, 105), (112, 107), (112, 123), (112, 124), (112, 127), (112, 131), (112, 134), (113, 68), (113, 71), (113, 72), (113, 73), (113, 74), (113, 75), (113, 76), (113, 78), (113, 83), (113, 85), (113, 92), (113, 94), (113, 95), (113, 96), (113, 97), (113, 98), (113, 99), (113, 100), (113, 103), (113, 105), (113, 106), (113, 108), (113, 128), (113, 129), (113, 133), (114, 67), (114, 69), (114, 70), (114, 71), (114, 72), (114, 73), (114, 74), (114, 75), (114, 77), (114, 84), (114, 92), (114, 101), (114, 105), (114, 108), (114, 124), (114, 126), (114, 127), (114, 131), (114, 133), (115, 70),
(115, 71), (115, 76), (115, 93), (115, 95), (115, 96), (115, 97), (115, 98), (115, 99), (115, 101), (115, 105), (115, 106), (115, 109), (115, 126), (115, 128), (115, 129), (115, 130), (115, 132), (116, 68), (116, 71), (116, 72), (116, 73), (116, 75), (116, 106), (116, 109), (116, 127), (116, 129), (116, 130), (116, 132), (117, 69), (117, 71), (117, 106), (117, 109), (117, 126), (117, 128), (117, 129), (117, 130), (117, 132), (118, 106), (118, 110), (118, 126), (118, 128), (118, 129), (118, 130), (118, 132), (119, 106), (119, 110), (119, 125), (119, 127), (119, 128), (119, 129), (119, 130), (119, 132), (120, 107), (120, 109), (120, 112), (120, 124), (120, 132), (121, 110), (121, 113), (121, 122), (121, 124), (121, 125), (121, 126), (121, 127), (121, 128), (121, 129), (121, 130), (121, 132), (122, 120), (122, 132), )
coordinates_FEDAB9 = ((127, 67),
(128, 67), (128, 68), (129, 66), (129, 69), (130, 66), (130, 69), (131, 66), (131, 68), (131, 70), (132, 67), (132, 72), (133, 68), (133, 70), (133, 73), (133, 75), (134, 72), (134, 76), (135, 72), (135, 74), (135, 76), (136, 69), (136, 71), (136, 72), (136, 73), (136, 75), (137, 69), (137, 72), (137, 74), (138, 68), (138, 70), (138, 73), (139, 67), (139, 69), (139, 70), (139, 71), (139, 72), (140, 67), (140, 69), (140, 71), (141, 67), (141, 70), (141, 83), (141, 85), (142, 67), (142, 70), (142, 78), (142, 80), (142, 81), (142, 82), (142, 87), (142, 89), (143, 68), (143, 71), (143, 77), (143, 83), (143, 84), (143, 85), (143, 86), (143, 87), (143, 89), (144, 68), (144, 70), (144, 73), (144, 74), (144, 75), (144, 78), (144, 82), (145, 69), (145, 80), (146, 70), (146, 72), (146, 73),
(146, 74), (146, 78), (147, 75), )
coordinates_01CED1 = ((144, 90),
(145, 84), (145, 86), (145, 87), (145, 88), (145, 90), (146, 82), (146, 85), (146, 86), (146, 87), (146, 89), (147, 80), (147, 83), (148, 78), (148, 82), (149, 76), (149, 80), (149, 82), (150, 75), (150, 77), (150, 78), (150, 79), (150, 80), (150, 82), (151, 74), (151, 76), (151, 77), (151, 78), (151, 79), (151, 80), (151, 81), (151, 82), (151, 84), (152, 73), (152, 75), (152, 76), (152, 77), (152, 78), (152, 79), (152, 80), (152, 81), (152, 82), (153, 73), (153, 75), (153, 76), (153, 77), (153, 78), (153, 79), (153, 80), (153, 81), (153, 82), (153, 84), (154, 73), (154, 75), (154, 76), (154, 77), (154, 78), (154, 79), (154, 80), (154, 81), (154, 82), (154, 84), (155, 73), (155, 75), (155, 76), (155, 77), (155, 78), (155, 79), (155, 80), (155, 81), (155, 82), (155, 84), (155, 97),
(156, 73), (156, 75), (156, 76), (156, 77), (156, 78), (156, 79), (156, 80), (156, 81), (156, 82), (156, 83), (156, 86), (156, 97), (157, 76), (157, 77), (157, 78), (157, 79), (157, 80), (157, 81), (157, 82), (157, 85), (157, 96), (157, 97), (158, 74), (158, 76), (158, 77), (158, 78), (158, 79), (158, 80), (158, 81), (158, 83), (158, 96), (158, 97), (159, 75), (159, 78), (159, 79), (159, 82), (159, 96), (159, 98), (160, 76), (160, 81), (160, 96), (160, 98), (161, 78), (161, 80), (161, 91), (161, 96), (161, 98), (162, 91), (162, 96), (162, 98), (163, 90), (163, 91), (163, 95), (163, 98), (164, 89), (164, 91), (164, 92), (164, 93), (164, 94), (164, 97), (165, 89), (165, 91), (165, 92), (165, 97), (166, 96), (167, 90), (167, 92), (167, 94), )
coordinates_FFDAB9 = ((96, 69),
(96, 71), (97, 69), (97, 72), (98, 68), (98, 70), (98, 73), (99, 68), (99, 70), (99, 74), (100, 68), (100, 70), (100, 73), (100, 76), (100, 85), (100, 86), (101, 70), (101, 74), (101, 77), (101, 78), (101, 79), (101, 80), (101, 81), (101, 82), (101, 83), (101, 85), (102, 68), (102, 70), (102, 76), (102, 81), (102, 83), (103, 69), (103, 71), (103, 78), (103, 79), (104, 70), (104, 72), (105, 70), (105, 73), (106, 70), (106, 72), (106, 74), (107, 68), (107, 70), (107, 71), (107, 72), (107, 74), (108, 67), (108, 74), (109, 66), (109, 70), (109, 71), (109, 72), (110, 65), (110, 69), (111, 64), (111, 67), (112, 63), (112, 66), (113, 62), (113, 65), (114, 62), (114, 65), (115, 62), (115, 65), (116, 63), (116, 66), (117, 63), (117, 65), (117, 67), (118, 64), (118, 67), (119, 64),
(119, 67), (120, 65), (120, 66), )
coordinates_00CED1 = ((76, 93),
(76, 95), (77, 93), (77, 96), (77, 97), (77, 98), (77, 100), (78, 82), (78, 83), (78, 84), (78, 86), (78, 87), (78, 88), (78, 89), (78, 90), (78, 91), (78, 93), (78, 94), (78, 95), (78, 100), (79, 80), (79, 84), (79, 85), (79, 86), (79, 92), (79, 93), (79, 94), (79, 95), (79, 96), (79, 97), (79, 98), (79, 100), (80, 79), (80, 81), (80, 82), (80, 83), (80, 84), (80, 86), (80, 87), (80, 88), (80, 89), (80, 90), (80, 91), (80, 92), (80, 93), (80, 94), (80, 95), (80, 96), (80, 101), (81, 78), (81, 80), (81, 81), (81, 82), (81, 83), (81, 84), (81, 85), (81, 86), (81, 87), (81, 88), (81, 89), (81, 90), (81, 91), (81, 92), (81, 93), (81, 94), (81, 95), (81, 98), (81, 99), (81, 101), (82, 77), (82, 84), (82, 85), (82, 86),
(82, 87), (82, 88), (82, 89), (82, 90), (82, 91), (82, 92), (82, 93), (82, 94), (82, 96), (82, 100), (82, 101), (83, 76), (83, 79), (83, 80), (83, 81), (83, 82), (83, 83), (83, 86), (83, 87), (83, 88), (83, 89), (83, 90), (83, 91), (83, 92), (83, 95), (83, 100), (83, 102), (84, 75), (84, 78), (84, 84), (84, 87), (84, 88), (84, 89), (84, 90), (84, 91), (84, 94), (84, 100), (84, 102), (85, 74), (85, 77), (85, 86), (85, 89), (85, 92), (85, 100), (85, 103), (86, 73), (86, 76), (86, 87), (86, 91), (86, 100), (86, 103), (87, 72), (87, 75), (87, 89), (87, 100), (87, 103), (88, 72), (88, 75), (88, 100), (88, 102), (88, 103), (89, 72), (89, 75), (89, 100), (89, 102), (90, 72), (90, 74), (90, 75), (90, 76), (90, 101), (90, 102), (91, 73),
(91, 75), (91, 76), (92, 74), (92, 78), (93, 79), (93, 80), (93, 81), (93, 82), (93, 83), (93, 84), (93, 85), (93, 86), (93, 87), (94, 76), (94, 78), (94, 89), (95, 77), (95, 79), (95, 80), (95, 81), (95, 82), (95, 83), (95, 84), (95, 85), (95, 86), (95, 87), (95, 90), (96, 78), (96, 80), (96, 81), (96, 82), (96, 83), (96, 84), (96, 85), (96, 89), (97, 79), (97, 81), (97, 82), (97, 83), (97, 87), (98, 79), (98, 85), (99, 80), (99, 82), (99, 83), )
coordinates_CC3E4E = ()
coordinates_771286 = ((123, 116),
(124, 113), (124, 118), (124, 119), (124, 120), (124, 122), (125, 112), (125, 115), (125, 116), (125, 117), (125, 123), (126, 112), (126, 114), (126, 115), (126, 116), (126, 117), (126, 118), (126, 119), (126, 120), (126, 121), (126, 122), (126, 124), (127, 112), (127, 114), (127, 115), (127, 116), (127, 117), (127, 118), (127, 119), (127, 124), (128, 111), (128, 113), (128, 114), (128, 115), (128, 120), (128, 121), (128, 122), (129, 111), (129, 116), (129, 117), (129, 118), (129, 119), (130, 111), (130, 113), (130, 114), (130, 115), (131, 110), (131, 112), (132, 109), (132, 110), (133, 109), (134, 108), )
coordinates_9F522D = ((157, 115),
(157, 118), (158, 115), (158, 119), (158, 120), (158, 132), (159, 116), (159, 118), (159, 122), (159, 130), (159, 133), (160, 116), (160, 118), (160, 119), (160, 120), (160, 124), (160, 129), (160, 132), (160, 134), (161, 117), (161, 126), (161, 127), (161, 130), (161, 131), (161, 132), (161, 133), (161, 135), (162, 118), (162, 120), (162, 121), (162, 129), (162, 130), (162, 131), (162, 132), (162, 134), (163, 123), (163, 126), (163, 127), (163, 128), (163, 129), (163, 130), (163, 131), (163, 133), (164, 125), (164, 132), (165, 126), (165, 128), (165, 129), (165, 131), )
coordinates_A0522D = ((80, 123),
(80, 124), (80, 125), (80, 126), (80, 127), (80, 128), (80, 129), (80, 130), (80, 131), (80, 132), (81, 121), (81, 134), (82, 120), (82, 123), (82, 124), (82, 125), (82, 126), (82, 127), (82, 128), (82, 129), (82, 130), (82, 131), (82, 132), (82, 136), (83, 120), (83, 121), (83, 122), (83, 123), (83, 124), (83, 125), (83, 126), (83, 127), (83, 128), (83, 129), (83, 130), (83, 131), (83, 134), (83, 137), (84, 120), (84, 122), (84, 123), (84, 124), (84, 125), (84, 126), (84, 127), (84, 128), (84, 129), (84, 130), (84, 133), (84, 135), (84, 138), (85, 120), (85, 122), (85, 123), (85, 124), (85, 125), (85, 131), (85, 134), (86, 121), (86, 123), (86, 126), (86, 127), (86, 128), (86, 130), (86, 135), (87, 121), (87, 125), (87, 137), (87, 141), (87, 143), (88, 121), (88, 123), (88, 138),
(88, 139), (88, 143), (89, 142), )
coordinates_781286 = ((110, 108),
(111, 109), (111, 111), (112, 110), (112, 112), (113, 110), (113, 113), (114, 111), (114, 114), (115, 111), (115, 113), (115, 115), (115, 116), (115, 117), (115, 118), (115, 119), (115, 121), (116, 111), (116, 113), (116, 114), (116, 124), (117, 113), (117, 114), (117, 115), (117, 116), (117, 117), (117, 118), (117, 119), (117, 120), (117, 121), (117, 124), (118, 112), (118, 114), (118, 115), (118, 116), (118, 117), (118, 118), (118, 119), (118, 120), (118, 123), (119, 113), (119, 122), (120, 114), (120, 116), (120, 117), (120, 118), (120, 119), (120, 120), )
coordinates_79BADC = ((131, 117),
(131, 120), (132, 114), (132, 116), (132, 120), (133, 112), (133, 118), (134, 111), (134, 114), (134, 115), (134, 117), (135, 109), (135, 112), (135, 113), (135, 114), (135, 116), (136, 109), (136, 111), (136, 112), (136, 113), (136, 115), (137, 108), (137, 110), (137, 111), (137, 112), (138, 108), (138, 110), (138, 111), (138, 112), (138, 114), (139, 108), (139, 113), (140, 109), (140, 112), )
coordinates_ED0000 = ((153, 99),
(154, 99), (155, 99), (155, 100), (156, 99), (156, 100), (157, 88), (157, 99), (157, 101), (158, 86), (158, 89), (158, 99), (158, 101), (159, 85), (159, 89), (159, 100), (159, 101), (160, 84), (160, 86), (160, 87), (160, 89), (160, 100), (160, 102), (161, 82), (161, 85), (161, 86), (161, 87), (161, 89), (161, 100), (161, 102), (162, 81), (162, 84), (162, 85), (162, 86), (162, 88), (162, 100), (162, 102), (163, 81), (163, 83), (163, 84), (163, 85), (163, 87), (163, 100), (163, 103), (164, 81), (164, 83), (164, 84), (164, 85), (164, 87), (164, 100), (164, 103), (165, 81), (165, 83), (165, 84), (165, 85), (165, 87), (165, 99), (165, 101), (165, 103), (166, 81), (166, 83), (166, 84), (166, 85), (166, 87), (166, 98), (166, 100), (166, 101), (166, 102), (166, 104), (167, 81), (167, 83), (167, 84), (167, 85),
(167, 87), (167, 97), (167, 99), (167, 100), (167, 101), (167, 102), (167, 104), (168, 82), (168, 84), (168, 85), (168, 86), (168, 88), (168, 96), (168, 103), (169, 82), (169, 84), (169, 85), (169, 86), (169, 88), (169, 92), (169, 93), (169, 94), (169, 97), (169, 98), (169, 99), (169, 100), (169, 102), (169, 108), (169, 110), (169, 111), (170, 83), (170, 88), (170, 92), (170, 96), (170, 107), (170, 113), (171, 84), (171, 87), (171, 92), (171, 94), (171, 106), (171, 108), (171, 109), (171, 110), (171, 111), (171, 115), (172, 92), (172, 94), (172, 105), (172, 107), (172, 108), (172, 109), (172, 110), (172, 111), (172, 112), (172, 113), (172, 116), (172, 117), (173, 91), (173, 93), (173, 94), (173, 95), (173, 96), (173, 105), (173, 107), (173, 108), (173, 109), (173, 110), (173, 111), (173, 112), (173, 113), (173, 114),
(173, 115), (173, 118), (174, 91), (174, 93), (174, 94), (174, 98), (174, 99), (174, 106), (174, 109), (174, 110), (174, 111), (174, 112), (174, 113), (174, 114), (174, 115), (174, 116), (174, 117), (174, 120), (175, 91), (175, 95), (175, 96), (175, 97), (175, 101), (175, 107), (175, 110), (175, 111), (175, 112), (175, 113), (175, 114), (175, 115), (175, 116), (175, 117), (175, 118), (175, 119), (175, 122), (176, 92), (176, 94), (176, 98), (176, 102), (176, 109), (176, 111), (176, 112), (176, 113), (176, 114), (176, 115), (176, 116), (176, 117), (176, 118), (176, 119), (176, 120), (176, 121), (176, 123), (177, 99), (177, 103), (177, 110), (177, 112), (177, 113), (177, 114), (177, 115), (177, 116), (177, 117), (177, 118), (177, 119), (177, 120), (177, 121), (177, 122), (177, 124), (178, 100), (178, 104), (178, 110), (178, 112), (178, 113),
(178, 114), (178, 115), (178, 116), (178, 117), (178, 118), (178, 119), (178, 120), (178, 121), (178, 124), (179, 101), (179, 105), (179, 110), (179, 111), (179, 112), (179, 113), (179, 114), (179, 115), (179, 116), (179, 117), (179, 118), (179, 119), (179, 120), (179, 122), (180, 104), (180, 107), (180, 108), (180, 109), (180, 110), (180, 111), (180, 112), (180, 113), (180, 114), (180, 115), (180, 116), (180, 117), (180, 118), (180, 119), (180, 121), (181, 105), (181, 114), (181, 115), (181, 120), (182, 110), (182, 111), (182, 112), (182, 113), (182, 116), (182, 117), (182, 119), (183, 106), (183, 108), (183, 114), (183, 115), )
coordinates_7ABADC = ((104, 109),
(104, 111), (105, 108), (105, 112), (106, 108), (106, 110), (106, 111), (106, 113), (107, 109), (107, 111), (107, 112), (107, 114), (108, 109), (108, 112), (108, 113), (109, 110), (109, 113), (109, 114), (109, 117), (110, 112), (110, 114), (110, 115), (110, 118), (111, 113), (111, 116), (111, 119), (112, 114), (112, 120), (113, 116), (113, 118), (113, 119), (113, 121), )
coordinates_633264 = ((77, 102),
(77, 104), (78, 106), (79, 103), (79, 107), (80, 103), (80, 108), (81, 103), (81, 105), (81, 106), (82, 104), (82, 107), (82, 109), (83, 104), (84, 105), (85, 105), (86, 105), (87, 105), (88, 105), (90, 104), )
coordinates_EC0DB0 = ((94, 121),
(95, 116), (95, 119), (95, 123), (95, 124), (95, 125), (95, 126), (95, 127), (95, 128), (95, 129), (95, 130), (95, 132), (96, 116), (96, 121), (96, 133), (97, 116), (97, 117), (97, 118), (97, 119), (97, 120), (97, 121), (97, 122), (97, 123), (97, 124), (97, 125), (97, 126), (97, 127), (97, 128), (97, 129), (97, 130), (97, 131), (97, 132), (97, 134), (98, 116), (98, 118), (98, 119), (98, 120), (98, 121), (98, 122), (98, 123), (98, 124), (98, 125), (98, 126), (98, 127), (98, 128), (98, 129), (98, 130), (98, 131), (98, 132), (98, 133), (98, 135), (99, 116), (99, 118), (99, 119), (99, 120), (99, 121), (99, 122), (99, 123), (99, 124), (99, 125), (99, 126), (99, 130), (99, 131), (99, 132), (99, 133), (99, 135), (100, 117), (100, 119), (100, 120), (100, 121), (100, 122), (100, 123), (100, 124),
(100, 128), (100, 131), (100, 132), (100, 133), (100, 135), (101, 118), (101, 121), (101, 122), (101, 126), (101, 130), (101, 132), (101, 133), (101, 135), (102, 119), (102, 124), (102, 131), (102, 135), (103, 121), (103, 122), (103, 132), (103, 134), )
coordinates_EB0DB0 = ((142, 121),
(142, 122), (143, 119), (143, 123), (143, 134), (144, 118), (144, 121), (144, 122), (144, 124), (144, 125), (144, 126), (144, 127), (144, 128), (144, 129), (144, 130), (144, 131), (144, 132), (144, 133), (144, 135), (145, 117), (145, 119), (145, 120), (145, 121), (145, 122), (145, 123), (145, 135), (146, 116), (146, 118), (146, 119), (146, 120), (146, 121), (146, 122), (146, 123), (146, 124), (146, 125), (146, 126), (146, 127), (146, 128), (146, 129), (146, 130), (146, 131), (146, 132), (146, 133), (146, 135), (147, 116), (147, 118), (147, 119), (147, 120), (147, 121), (147, 122), (147, 123), (147, 124), (147, 125), (147, 126), (147, 127), (147, 128), (147, 129), (147, 130), (147, 131), (147, 132), (147, 134), (148, 118), (148, 119), (148, 120), (148, 121), (148, 122), (148, 123), (148, 124), (148, 125), (148, 126), (148, 127), (148, 128), (148, 129),
(148, 130), (148, 131), (148, 132), (148, 134), (149, 116), (149, 120), (149, 121), (149, 122), (149, 123), (149, 124), (149, 125), (149, 126), (149, 133), (150, 118), (150, 127), (150, 128), (150, 129), (150, 130), (150, 132), (151, 120), (151, 122), (151, 123), (151, 124), (151, 125), (151, 126), )
coordinates_ED82EE = ((124, 69),
(124, 71), (124, 72), (124, 73), (124, 74), (124, 75), (124, 77), (125, 69), (125, 78), (126, 68), (126, 70), (126, 74), (126, 75), (126, 78), (127, 69), (127, 71), (127, 72), (127, 73), (127, 76), (127, 78), (128, 70), (128, 78), (128, 79), )
coordinates_EE82EE = ((113, 88),
(114, 79), (114, 81), (114, 88), (115, 78), (115, 82), (115, 87), (116, 77), (116, 80), (116, 81), (116, 84), (116, 87), (117, 79), (117, 80), (117, 81), (117, 82), (117, 86), (118, 74), (118, 75), (118, 78), (118, 79), (118, 80), (118, 81), (118, 82), (118, 83), (118, 84), (118, 86), (119, 69), (119, 71), (119, 72), (119, 73), (119, 76), (119, 77), (119, 78), (119, 79), (119, 80), (119, 86), (120, 69), (120, 81), (120, 82), (120, 83), (120, 84), (121, 68), (121, 71), (121, 72), (121, 73), (121, 74), (121, 75), (121, 76), (121, 77), (121, 78), (121, 79), (122, 69), )
coordinates_9832CC = ((122, 82),
(122, 85), (122, 88), (122, 89), (122, 90), (122, 91), (122, 92), (122, 93), (122, 94), (123, 82), (123, 87), (123, 95), (123, 96), (123, 97), (123, 98), (123, 99), (123, 100), (123, 101), (123, 102), (123, 104), (124, 81), (124, 83), (124, 88), (124, 89), (124, 90), (124, 91), (124, 92), (124, 93), (124, 94), (124, 104), (125, 80), (125, 82), (125, 85), (125, 87), (125, 88), (125, 89), (125, 90), (125, 92), (125, 93), (125, 94), (125, 95), (125, 96), (125, 97), (125, 98), (125, 101), (125, 104), (126, 80), (126, 83), (126, 86), (126, 88), (126, 89), (126, 93), (126, 94), (126, 95), (126, 97), (126, 104), (127, 82), (127, 87), (127, 93), (127, 94), (127, 95), (127, 97), (127, 104), (128, 88), (128, 89), (128, 93), (128, 95), (128, 97), (128, 104), (129, 93), (129, 95), (129, 97), (130, 94),
(130, 97), (131, 94), (131, 97), (132, 95), (132, 97), )
coordinates_9932CC = ((113, 90),
(114, 90), (115, 90), (115, 103), (116, 89), (116, 91), (116, 102), (116, 104), (117, 89), (117, 92), (117, 93), (117, 94), (117, 95), (117, 96), (117, 97), (117, 98), (117, 99), (117, 102), (117, 104), (118, 88), (118, 90), (118, 91), (118, 100), (118, 102), (118, 104), (119, 88), (119, 104), (120, 88), (120, 90), (120, 91), (120, 92), (120, 93), (120, 94), (120, 95), (120, 96), (120, 97), (120, 100), (120, 101), (120, 102), (120, 104), (121, 100), (121, 106), )
coordinates_86CEEB = ((160, 114),
(161, 114), (161, 115), (162, 114), (163, 114), (163, 116), (164, 114), (164, 118), (165, 115), (165, 119), (165, 121), (166, 116), (166, 118), (166, 123), (167, 117), (167, 120), (167, 121), (167, 125), (168, 118), (168, 122), (168, 123), (168, 126), (169, 120), (169, 123), (169, 124), (169, 125), (169, 127), (170, 122), (170, 124), (170, 125), (170, 127), (171, 123), (171, 125), (171, 126), (171, 128), (172, 124), (172, 126), (172, 128), (173, 124), (173, 126), (173, 128), (174, 125), (174, 127), (175, 125), (175, 127), (176, 125), (176, 127), (177, 126), (178, 126), )
coordinates_87CEEB = ((64, 131),
(65, 131), (66, 129), (66, 131), (67, 129), (67, 131), (68, 129), (68, 131), (69, 129), (69, 131), (70, 128), (70, 131), (71, 128), (71, 131), (72, 129), (72, 131), (73, 129), (73, 131), (74, 129), (74, 131), (75, 129), (75, 132), (76, 122), (76, 124), (76, 125), (76, 126), (76, 127), (76, 128), (76, 129), (76, 130), (76, 132), (77, 121), (77, 132), (78, 123), (78, 124), (78, 125), (78, 126), (78, 127), (78, 128), (78, 129), (78, 131), (79, 120), (79, 121), (80, 119), (81, 118), (82, 117), (83, 117), (84, 117), (85, 117), (85, 118), (86, 117), (86, 118), (87, 118), (87, 119), (88, 118), (88, 119), )
coordinates_EE0000 = ((61, 112),
(61, 113), (61, 114), (61, 115), (61, 116), (62, 108), (62, 109), (62, 110), (62, 111), (62, 117), (62, 118), (62, 119), (63, 105), (63, 106), (63, 112), (63, 113), (63, 114), (63, 115), (63, 116), (63, 120), (63, 121), (63, 122), (63, 123), (63, 124), (63, 125), (63, 126), (63, 127), (64, 103), (64, 104), (64, 107), (64, 108), (64, 109), (64, 111), (64, 118), (64, 128), (65, 101), (65, 105), (65, 120), (65, 127), (66, 100), (66, 104), (66, 122), (66, 125), (67, 99), (67, 103), (68, 93), (68, 95), (68, 96), (68, 97), (68, 100), (68, 101), (68, 102), (69, 92), (69, 97), (69, 98), (69, 99), (70, 91), (70, 93), (70, 94), (70, 95), (71, 92), (71, 95), (72, 92), (72, 96), (73, 93), (73, 97), (73, 101), (73, 102), (73, 103), (73, 105), (73, 114), (73, 116), (74, 94),
(74, 96), (74, 107), (74, 113), (75, 98), (75, 99), (75, 100), (75, 101), (75, 102), (75, 103), (75, 104), (75, 105), (75, 108), (75, 113), (75, 115), (76, 106), (76, 109), (76, 113), (76, 115), (77, 108), (77, 110), (77, 114), (78, 109), (78, 111), (79, 110), (79, 111), (80, 110), (81, 111), )
coordinates_FE4500 = ((157, 134),
(157, 136), (157, 137), (157, 138), (157, 139), (157, 140), (157, 142), (158, 135), (158, 141), (159, 135), (159, 137), (159, 138), (159, 140), )
coordinates_B4B4B4 = ((93, 140),
(94, 140), (95, 140), (96, 140), (97, 139), (97, 140), (98, 139), (98, 140), (99, 139), (99, 140), (100, 139), (100, 140), (101, 139), (101, 140), (102, 139), (102, 140), (103, 139), (103, 140), (104, 140), (105, 138), (105, 140), (106, 138), (106, 141), (107, 138), (107, 140), (108, 138), (108, 140), (109, 138), (110, 139), (111, 137), (111, 139), (112, 138), (113, 136), (113, 138), (114, 135), (114, 137), (115, 135), (115, 137), (116, 134), (116, 136), (117, 134), (117, 136), (118, 134), (118, 135), (119, 134), (120, 134), )
coordinates_FED700 = ((157, 144),
(157, 145), (158, 144), (158, 146), (159, 143), (159, 145), (160, 142), (160, 145), (161, 141), (161, 144), (162, 141), (162, 144), (163, 140), (163, 143), (165, 139), (165, 140), (166, 138), (166, 139), (167, 137), (167, 138), (168, 136), (169, 135), (169, 137), (170, 131), (170, 133), (170, 134), (170, 136), (171, 130), (171, 132), (171, 136), (172, 130), (172, 135), (173, 130), (173, 133), (173, 134), (174, 130), (174, 131), (175, 129), (175, 130), (176, 129), (177, 129), (178, 128), (178, 129), (179, 129), )
coordinates_CF2090 = ((163, 145),
(164, 144), (164, 146), (165, 144), (166, 144), (167, 144), (168, 143), (168, 144), (169, 143), (169, 144), (170, 142), (170, 144), (171, 142), (171, 143), (172, 141), (172, 143), (173, 139), (173, 143), (174, 136), (174, 138), (174, 141), (174, 142), (175, 135), (175, 140), (176, 138), (177, 134), (177, 137), (178, 135), (179, 131), (179, 134), (180, 134), (181, 130), (181, 133), (182, 131), (182, 133), )
coordinates_B3B4B4 = ((125, 134),
(125, 135), (126, 135), (127, 135), (127, 136), (128, 135), (128, 136), (129, 135), (129, 137), (130, 135), (130, 137), (131, 136), (131, 137), (132, 136), (132, 137), (133, 136), (134, 136), (134, 138), (135, 136), (135, 138), (136, 136), (136, 138), (137, 136), (137, 138), (138, 139), (139, 138), (139, 139), (140, 139), (141, 139), (142, 139), (143, 139), (143, 140), (144, 139), (144, 140), (145, 140), (146, 140), )
coordinates_EFE68C = ((165, 147),
(166, 146), (166, 147), (167, 146), (167, 147), (168, 146), (169, 146), (169, 151), (170, 146), (171, 146), (171, 152), (172, 145), (172, 152), (172, 153), (173, 145), (173, 152), (173, 153), (174, 145), (174, 146), (174, 153), (174, 154), (175, 143), (175, 145), (175, 146), (175, 153), (175, 154), (176, 142), (176, 146), (176, 152), (176, 154), (176, 155), (177, 140), (177, 143), (177, 145), (177, 151), (177, 153), (177, 155), (178, 138), (178, 142), (178, 143), (178, 145), (178, 149), (178, 152), (178, 155), (179, 138), (179, 140), (179, 141), (179, 142), (179, 144), (179, 148), (179, 153), (179, 154), (179, 155), (180, 138), (180, 140), (180, 141), (180, 142), (180, 144), (180, 147), (180, 151), (180, 152), (181, 137), (181, 139), (181, 140), (181, 141), (181, 142), (181, 143), (181, 144), (181, 145), (181, 146), (181, 150), (182, 137), (182, 139),
(182, 140), (182, 141), (182, 142), (182, 143), (182, 144), (182, 148), (183, 138), (183, 144), (183, 146), (184, 139), (184, 141), (184, 142), (184, 143), )
coordinates_FEFF01 = ((136, 144),
(136, 145), (136, 147), (137, 144), (137, 149), (138, 143), (138, 145), (138, 146), (138, 147), (138, 150), (138, 151), (139, 143), (139, 145), (139, 146), (139, 147), (139, 148), (139, 149), (139, 152), (139, 153), (139, 154), (139, 155), (139, 157), (140, 143), (140, 145), (140, 146), (140, 147), (140, 148), (140, 149), (140, 150), (140, 151), (140, 158), (141, 143), (141, 145), (141, 146), (141, 147), (141, 148), (141, 149), (141, 150), (141, 151), (141, 152), (141, 153), (141, 154), (141, 155), (141, 156), (141, 157), (141, 160), (142, 142), (142, 144), (142, 145), (142, 146), (142, 147), (142, 148), (142, 149), (142, 150), (142, 151), (142, 152), (142, 153), (142, 154), (142, 155), (142, 156), (142, 157), (142, 158), (142, 161), (142, 162), (142, 163), (142, 164), (143, 142), (143, 144), (143, 145), (143, 146), (143, 147), (143, 148), (143, 149),
(143, 150), (143, 151), (143, 152), (143, 153), (143, 154), (143, 155), (143, 156), (143, 157), (143, 158), (143, 159), (143, 160), (143, 161), (143, 164), (144, 142), (144, 144), (144, 145), (144, 146), (144, 147), (144, 148), (144, 149), (144, 150), (144, 151), (144, 152), (144, 153), (144, 154), (144, 155), (144, 156), (144, 157), (144, 158), (144, 159), (144, 160), (144, 161), (144, 162), (144, 163), (144, 165), (145, 142), (145, 144), (145, 145), (145, 146), (145, 147), (145, 148), (145, 149), (145, 150), (145, 151), (145, 152), (145, 153), (145, 161), (145, 162), (145, 163), (145, 165), (146, 142), (146, 144), (146, 145), (146, 146), (146, 147), (146, 148), (146, 149), (146, 150), (146, 151), (146, 154), (146, 155), (146, 156), (146, 157), (146, 158), (146, 159), (146, 162), (146, 163), (146, 164), (146, 166), (147, 142), (147, 144), (147, 145),
(147, 146), (147, 147), (147, 148), (147, 149), (147, 150), (147, 153), (147, 161), (147, 163), (147, 164), (147, 166), (148, 142), (148, 144), (148, 145), (148, 146), (148, 147), (148, 148), (148, 149), (148, 151), (148, 162), (148, 164), (148, 166), (149, 141), (149, 143), (149, 144), (149, 145), (149, 146), (149, 147), (149, 148), (149, 150), (149, 162), (149, 167), (150, 142), (150, 147), (150, 148), (150, 150), (150, 162), (150, 164), (150, 165), (150, 167), (151, 142), (151, 144), (151, 145), (151, 148), (151, 150), (151, 161), (151, 163), (152, 143), (152, 147), (152, 149), (153, 148), )
coordinates_31CD32 = ((152, 165),
(152, 167), (153, 162), (153, 163), (153, 164), (154, 159), (154, 161), (154, 165), (154, 166), (154, 168), (155, 158), (155, 162), (155, 163), (155, 164), (155, 165), (155, 166), (155, 168), (156, 158), (156, 160), (156, 161), (156, 162), (156, 163), (156, 164), (156, 165), (156, 166), (156, 167), (156, 169), (157, 158), (157, 160), (157, 161), (157, 162), (157, 163), (157, 164), (157, 165), (157, 166), (157, 168), (158, 158), (158, 160), (158, 161), (158, 162), (158, 163), (158, 164), (158, 165), (158, 166), (158, 168), (159, 161), (159, 162), (159, 163), (159, 164), (159, 165), (159, 167), (160, 159), (160, 162), (160, 163), (160, 164), (160, 165), (160, 167), (161, 160), (161, 163), (161, 164), (161, 165), (161, 167), (162, 162), (162, 164), (162, 165), (162, 166), (162, 168), (163, 163), (163, 165), (163, 166), (163, 168), (164, 157), (164, 164),
(164, 166), (164, 167), (164, 169), (165, 154), (165, 155), (165, 158), (165, 164), (165, 165), (165, 168), (166, 153), (166, 156), (166, 157), (166, 159), (166, 165), (166, 168), (167, 153), (167, 155), (167, 156), (167, 157), (167, 159), (167, 165), (167, 167), (168, 153), (168, 155), (168, 156), (168, 157), (168, 159), (168, 165), (168, 167), (169, 153), (169, 155), (169, 156), (169, 157), (169, 159), (169, 164), (169, 167), (170, 154), (170, 156), (170, 158), (170, 163), (170, 166), (171, 154), (171, 156), (171, 157), (171, 158), (171, 159), (171, 162), (171, 164), (171, 166), (172, 155), (172, 157), (172, 158), (172, 159), (172, 160), (172, 161), (172, 163), (172, 165), (173, 156), (173, 158), (173, 159), (173, 162), (173, 164), (174, 156), (174, 159), (174, 160), (174, 161), (174, 163), (175, 158), (175, 162), (176, 159), (176, 161), )
coordinates_0B30FF = ((133, 128),
(133, 129), (134, 127), (134, 130), (135, 126), (135, 130), (136, 126), (136, 128), (136, 130), (137, 125), (137, 127), (137, 128), (137, 130), (138, 125), (138, 127), (138, 128), (138, 130), (139, 124), (139, 126), (139, 127), (139, 128), (139, 130), (140, 124), (140, 126), (140, 127), (140, 128), (140, 130), (141, 124), (141, 130), (142, 124), (142, 126), (142, 127), (142, 128), (142, 129), (142, 131), )
coordinates_0C30FF = ((102, 128),
(103, 126), (103, 130), (104, 124), (104, 128), (104, 131), (105, 124), (105, 126), (105, 127), (105, 128), (105, 129), (105, 131), (106, 124), (106, 126), (106, 127), (106, 128), (106, 129), (106, 131), (107, 125), (107, 127), (107, 128), (107, 129), (107, 131), (108, 125), (108, 128), (108, 129), (108, 131), (109, 126), (109, 129), (109, 130), (110, 127), (110, 130), (111, 128), (111, 129), )
coordinates_FFD700 = ((67, 133),
(68, 133), (68, 134), (69, 133), (69, 134), (70, 133), (70, 134), (71, 133), (72, 133), (72, 135), (73, 133), (73, 135), (74, 134), (74, 135), (75, 134), (75, 136), (76, 134), (76, 136), (77, 135), (77, 137), (78, 136), (78, 138), (79, 136), (79, 140), (79, 141), (80, 137), (80, 142), (80, 144), (81, 138), (81, 140), (81, 141), (81, 144), (82, 144), (82, 145), (83, 145), (84, 145), (84, 146), (85, 145), (85, 146), (86, 145), )
coordinates_D02090 = ((63, 134),
(63, 135), (64, 134), (64, 136), (65, 134), (65, 137), (66, 135), (66, 138), (67, 137), (67, 139), (68, 138), (69, 138), (69, 141), (70, 140), (70, 142), (71, 139), (71, 141), (71, 143), (72, 140), (72, 142), (72, 145), (73, 141), (73, 143), (73, 147), (74, 142), (74, 144), (74, 145), (74, 148), (75, 143), (75, 147), (75, 148), (76, 147), (77, 148), (78, 148), (79, 149), )
coordinates_F0E68C = ((62, 143),
(62, 145), (63, 142), (63, 146), (63, 147), (63, 148), (63, 149), (63, 150), (64, 141), (64, 143), (64, 144), (64, 145), (64, 153), (65, 141), (65, 143), (65, 144), (65, 145), (65, 146), (65, 149), (65, 151), (65, 154), (66, 141), (66, 145), (66, 147), (66, 150), (66, 152), (66, 154), (67, 142), (67, 144), (67, 147), (67, 151), (67, 153), (67, 154), (67, 158), (68, 145), (68, 148), (68, 152), (68, 154), (68, 156), (68, 157), (68, 159), (69, 147), (69, 150), (69, 159), (70, 148), (70, 150), (70, 153), (70, 154), (70, 155), (70, 156), (70, 157), (70, 158), (70, 160), (71, 149), (71, 151), (71, 157), (71, 158), (71, 160), (72, 149), (72, 151), (72, 157), (72, 160), (73, 150), (73, 152), (73, 157), (73, 160), (74, 150), (74, 152), (74, 156), (74, 158), (74, 160), (75, 151), (75, 156),
(75, 159), (76, 151), (76, 155), (77, 151), (77, 155), (77, 158), (78, 151), (78, 155), (78, 157), (79, 155), (79, 156), (80, 155), )
coordinates_FFFF00 = ((93, 142),
(93, 149), (94, 142), (94, 144), (94, 145), (94, 146), (94, 147), (94, 148), (94, 149), (94, 150), (94, 157), (94, 159), (94, 161), (95, 142), (95, 150), (95, 157), (95, 162), (96, 142), (96, 144), (96, 145), (96, 146), (96, 147), (96, 148), (96, 150), (96, 157), (96, 159), (96, 160), (96, 161), (96, 163), (97, 142), (97, 144), (97, 145), (97, 146), (97, 147), (97, 148), (97, 150), (97, 158), (97, 160), (97, 161), (98, 142), (98, 144), (98, 145), (98, 146), (98, 147), (98, 148), (98, 150), (98, 158), (98, 160), (98, 161), (98, 162), (98, 164), (99, 142), (99, 144), (99, 145), (99, 146), (99, 147), (99, 148), (99, 149), (99, 151), (99, 158), (99, 160), (99, 161), (99, 162), (99, 163), (99, 165), (100, 142), (100, 144), (100, 145), (100, 146), (100, 147), (100, 148), (100, 149), (100, 151),
(100, 158), (100, 160), (100, 161), (100, 162), (100, 163), (100, 164), (100, 166), (101, 142), (101, 144), (101, 145), (101, 146), (101, 147), (101, 148), (101, 149), (101, 150), (101, 152), (101, 158), (101, 160), (101, 161), (101, 162), (101, 163), (101, 164), (101, 166), (102, 142), (102, 144), (102, 145), (102, 146), (102, 147), (102, 148), (102, 149), (102, 150), (102, 151), (102, 153), (102, 157), (102, 159), (102, 160), (102, 161), (102, 162), (102, 163), (102, 164), (102, 166), (103, 145), (103, 146), (103, 147), (103, 148), (103, 149), (103, 150), (103, 151), (103, 152), (103, 154), (103, 155), (103, 156), (103, 158), (103, 159), (103, 160), (103, 161), (103, 162), (103, 163), (103, 166), (104, 144), (104, 146), (104, 147), (104, 148), (104, 149), (104, 150), (104, 151), (104, 152), (104, 153), (104, 157), (104, 158), (104, 159), (104, 160),
(104, 165), (105, 145), (105, 147), (105, 148), (105, 149), (105, 150), (105, 151), (105, 152), (105, 153), (105, 154), (105, 155), (105, 161), (105, 163), (106, 145), (106, 147), (106, 148), (106, 149), (106, 150), (106, 151), (106, 152), (106, 156), (106, 157), (106, 158), (106, 159), (106, 160), (107, 146), (107, 148), (107, 149), (107, 153), (107, 155), (108, 147), (108, 150), (108, 151), (108, 152), (109, 148), )
coordinates_32CD32 = ((74, 162),
(75, 164), (76, 161), (76, 166), (77, 160), (77, 162), (77, 163), (77, 164), (77, 167), (78, 159), (78, 161), (78, 162), (78, 163), (78, 164), (78, 165), (78, 168), (79, 158), (79, 160), (79, 161), (79, 162), (79, 163), (79, 164), (79, 165), (79, 166), (79, 168), (80, 157), (80, 160), (80, 161), (80, 162), (80, 163), (80, 164), (80, 165), (80, 166), (80, 167), (80, 169), (81, 156), (81, 159), (81, 160), (81, 161), (81, 162), (81, 163), (81, 164), (81, 165), (81, 166), (81, 167), (81, 169), (82, 155), (82, 157), (82, 158), (82, 159), (82, 160), (82, 161), (82, 162), (82, 163), (82, 164), (82, 165), (82, 166), (82, 167), (82, 169), (83, 155), (83, 160), (83, 162), (83, 163), (83, 164), (83, 165), (83, 166), (83, 167), (83, 169), (84, 160), (84, 162), (84, 163), (84, 164), (84, 165),
(84, 166), (84, 168), (85, 160), (85, 162), (85, 163), (85, 164), (85, 165), (85, 166), (85, 168), (86, 161), (86, 163), (86, 164), (86, 165), (86, 167), (87, 162), (87, 164), (87, 165), (87, 167), (88, 163), (88, 165), (88, 167), (89, 163), (89, 164), (89, 165), (89, 166), (89, 168), (90, 163), (90, 165), (90, 166), (90, 167), (90, 169), (91, 162), (91, 164), (91, 165), (91, 166), (91, 167), (91, 169), (92, 161), (92, 164), (92, 165), (92, 166), (92, 167), (92, 169), (93, 165), (93, 166), (93, 167), (93, 169), (94, 163), (94, 166), (94, 167), (94, 169), (95, 164), (95, 166), (95, 167), (95, 169), (96, 165), (96, 167), (96, 169), (97, 166), (97, 169), (98, 167), (98, 168), )
| coordinates_e0_e1_e1 = ((123, 106), (123, 108), (123, 109), (123, 110), (123, 112), (124, 106), (124, 110), (124, 125), (124, 127), (124, 128), (124, 129), (124, 130), (124, 132), (125, 106), (125, 108), (125, 110), (125, 126), (125, 132), (126, 106), (126, 109), (126, 126), (126, 128), (126, 129), (126, 130), (126, 132), (127, 85), (127, 99), (127, 100), (127, 106), (127, 109), (127, 126), (127, 128), (127, 129), (127, 130), (127, 132), (128, 83), (128, 86), (128, 99), (128, 101), (128, 106), (128, 109), (128, 126), (128, 128), (128, 129), (128, 130), (128, 131), (128, 133), (129, 71), (129, 73), (129, 74), (129, 76), (129, 82), (129, 86), (129, 91), (129, 99), (129, 102), (129, 106), (129, 109), (129, 124), (129, 126), (129, 127), (129, 128), (129, 129), (129, 130), (129, 131), (129, 133), (130, 72), (130, 78), (130, 79), (130, 80), (130, 83), (130, 84), (130, 85), (130, 91), (130, 99), (130, 101), (130, 104), (130, 106), (130, 123), (130, 126), (130, 127), (130, 131), (130, 133), (131, 74), (131, 75), (131, 82), (131, 83), (131, 84), (131, 85), (131, 86), (131, 92), (131, 99), (131, 100), (131, 101), (131, 102), (131, 106), (131, 108), (131, 123), (131, 125), (131, 128), (131, 129), (131, 133), (132, 77), (132, 78), (132, 79), (132, 80), (132, 81), (132, 82), (132, 83), (132, 84), (132, 85), (132, 86), (132, 87), (132, 88), (132, 89), (132, 90), (132, 92), (132, 99), (132, 101), (132, 102), (132, 103), (132, 104), (132, 105), (132, 107), (132, 122), (132, 124), (132, 125), (132, 127), (132, 131), (132, 134), (133, 78), (133, 80), (133, 81), (133, 82), (133, 83), (133, 84), (133, 85), (133, 86), (133, 87), (133, 88), (133, 89), (133, 90), (133, 91), (133, 93), (133, 99), (133, 101), (133, 102), (133, 103), (133, 104), (133, 106), (133, 121), (133, 123), (133, 124), (133, 126), (133, 132), (133, 134), (134, 78), (134, 80), (134, 81), (134, 82), (134, 83), (134, 84), (134, 85), (134, 86), (134, 87), (134, 88), (134, 89), (134, 90), (134, 91), (134, 92), (134, 98), (134, 99), (134, 100), (134, 101), (134, 102), (134, 103), (134, 104), (134, 106), (134, 120), (134, 122), (134, 123), (134, 125), (134, 132), (134, 134), (135, 78), (135, 80), (135, 81), (135, 82), (135, 83), (135, 84), (135, 85), (135, 86), (135, 87), (135, 88), (135, 89), (135, 90), (135, 91), (135, 92), (135, 93), (135, 96), (135, 97), (135, 99), (135, 100), (135, 101), (135, 102), (135, 103), (135, 104), (135, 106), (135, 119), (135, 121), (135, 122), (135, 124), (135, 132), (135, 134), (136, 78), (136, 80), (136, 81), (136, 82), (136, 83), (136, 84), (136, 85), (136, 86), (136, 87), (136, 88), (136, 89), (136, 90), (136, 91), (136, 92), (136, 93), (136, 94), (136, 95), (136, 98), (136, 99), (136, 100), (136, 101), (136, 102), (136, 103), (136, 104), (136, 105), (136, 107), (136, 118), (136, 120), (136, 121), (136, 123), (136, 132), (136, 134), (137, 77), (137, 79), (137, 80), (137, 81), (137, 82), (137, 83), (137, 84), (137, 85), (137, 86), (137, 87), (137, 88), (137, 89), (137, 90), (137, 91), (137, 92), (137, 93), (137, 94), (137, 95), (137, 96), (137, 97), (137, 98), (137, 99), (137, 100), (137, 101), (137, 102), (137, 103), (137, 104), (137, 106), (137, 117), (137, 119), (137, 120), (137, 121), (137, 123), (137, 132), (137, 134), (138, 76), (138, 78), (138, 79), (138, 80), (138, 81), (138, 87), (138, 88), (138, 89), (138, 90), (138, 91), (138, 92), (138, 93), (138, 94), (138, 95), (138, 96), (138, 97), (138, 98), (138, 99), (138, 100), (138, 101), (138, 102), (138, 103), (138, 104), (138, 106), (138, 116), (138, 118), (138, 119), (138, 120), (138, 122), (138, 132), (138, 134), (139, 74), (139, 77), (139, 83), (139, 84), (139, 85), (139, 86), (139, 91), (139, 92), (139, 93), (139, 94), (139, 95), (139, 96), (139, 97), (139, 98), (139, 99), (139, 100), (139, 101), (139, 102), (139, 103), (139, 104), (139, 106), (139, 117), (139, 118), (139, 119), (139, 120), (139, 122), (139, 132), (139, 134), (139, 136), (140, 73), (140, 78), (140, 79), (140, 80), (140, 81), (140, 87), (140, 89), (140, 90), (140, 91), (140, 92), (140, 93), (140, 94), (140, 95), (140, 96), (140, 97), (140, 98), (140, 99), (140, 100), (140, 101), (140, 102), (140, 103), (140, 104), (140, 106), (140, 115), (140, 117), (140, 118), (140, 121), (140, 132), (140, 136), (141, 72), (141, 77), (141, 91), (141, 93), (141, 94), (141, 95), (141, 96), (141, 97), (141, 98), (141, 99), (141, 100), (141, 101), (141, 102), (141, 103), (141, 104), (141, 105), (141, 107), (141, 114), (141, 116), (141, 119), (141, 133), (141, 136), (142, 73), (142, 75), (142, 92), (142, 94), (142, 95), (142, 96), (142, 97), (142, 98), (142, 99), (142, 100), (142, 101), (142, 102), (142, 103), (142, 104), (142, 105), (142, 106), (142, 109), (142, 110), (142, 111), (142, 112), (142, 115), (142, 118), (142, 133), (142, 136), (143, 92), (143, 93), (143, 94), (143, 95), (143, 96), (143, 97), (143, 98), (143, 99), (143, 100), (143, 101), (143, 102), (143, 103), (143, 104), (143, 105), (143, 106), (143, 107), (143, 111), (143, 114), (143, 116), (143, 137), (144, 92), (144, 93), (144, 94), (144, 95), (144, 96), (144, 97), (144, 98), (144, 99), (144, 100), (144, 101), (144, 102), (144, 103), (144, 104), (144, 105), (144, 106), (144, 107), (144, 108), (144, 109), (144, 110), (144, 111), (144, 112), (144, 113), (144, 115), (144, 137), (145, 92), (145, 94), (145, 95), (145, 96), (145, 97), (145, 98), (145, 99), (145, 100), (145, 101), (145, 102), (145, 103), (145, 104), (145, 105), (145, 106), (145, 107), (145, 108), (145, 109), (145, 110), (145, 111), (145, 112), (145, 114), (145, 137), (146, 91), (146, 93), (146, 94), (146, 95), (146, 96), (146, 97), (146, 98), (146, 99), (146, 100), (146, 101), (146, 102), (146, 103), (146, 104), (146, 105), (146, 106), (146, 107), (146, 108), (146, 109), (146, 110), (146, 111), (146, 112), (146, 114), (146, 137), (146, 138), (147, 90), (147, 92), (147, 93), (147, 94), (147, 95), (147, 96), (147, 97), (147, 98), (147, 99), (147, 100), (147, 101), (147, 102), (147, 103), (147, 104), (147, 105), (147, 106), (147, 107), (147, 108), (147, 109), (147, 110), (147, 111), (147, 113), (147, 137), (147, 138), (148, 86), (148, 87), (148, 88), (148, 89), (148, 91), (148, 92), (148, 93), (148, 94), (148, 95), (148, 96), (148, 97), (148, 98), (148, 99), (148, 100), (148, 101), (148, 102), (148, 103), (148, 104), (148, 105), (148, 106), (148, 107), (148, 108), (148, 109), (148, 110), (148, 111), (148, 113), (148, 136), (148, 139), (148, 155), (148, 156), (148, 157), (148, 159), (149, 84), (149, 90), (149, 91), (149, 92), (149, 93), (149, 94), (149, 95), (149, 96), (149, 97), (149, 98), (149, 99), (149, 100), (149, 101), (149, 102), (149, 103), (149, 104), (149, 105), (149, 106), (149, 107), (149, 108), (149, 109), (149, 110), (149, 111), (149, 113), (149, 136), (149, 139), (149, 153), (149, 160), (150, 85), (150, 86), (150, 87), (150, 88), (150, 89), (150, 90), (150, 91), (150, 92), (150, 93), (150, 94), (150, 95), (150, 96), (150, 97), (150, 98), (150, 100), (150, 101), (150, 102), (150, 103), (150, 104), (150, 105), (150, 106), (150, 107), (150, 108), (150, 109), (150, 110), (150, 111), (150, 112), (150, 114), (150, 135), (150, 137), (150, 138), (150, 139), (150, 140), (150, 152), (150, 155), (150, 156), (150, 157), (150, 158), (150, 160), (151, 87), (151, 89), (151, 90), (151, 91), (151, 92), (151, 93), (151, 94), (151, 95), (151, 96), (151, 99), (151, 101), (151, 102), (151, 103), (151, 104), (151, 105), (151, 106), (151, 107), (151, 108), (151, 109), (151, 110), (151, 111), (151, 112), (151, 113), (151, 116), (151, 134), (151, 136), (151, 137), (151, 138), (151, 140), (151, 152), (151, 154), (151, 155), (151, 156), (151, 157), (151, 159), (152, 87), (152, 89), (152, 90), (152, 91), (152, 92), (152, 93), (152, 94), (152, 95), (152, 97), (152, 102), (152, 103), (152, 104), (152, 105), (152, 106), (152, 107), (152, 108), (152, 109), (152, 110), (152, 111), (152, 112), (152, 113), (152, 114), (152, 118), (152, 130), (152, 131), (152, 132), (152, 135), (152, 136), (152, 137), (152, 138), (152, 139), (152, 141), (152, 151), (152, 153), (152, 154), (152, 155), (152, 156), (152, 158), (153, 86), (153, 88), (153, 89), (153, 90), (153, 91), (153, 92), (153, 93), (153, 94), (153, 96), (153, 101), (153, 103), (153, 104), (153, 105), (153, 106), (153, 107), (153, 108), (153, 109), (153, 110), (153, 111), (153, 112), (153, 113), (153, 114), (153, 115), (153, 116), (153, 119), (153, 120), (153, 121), (153, 122), (153, 123), (153, 124), (153, 125), (153, 126), (153, 127), (153, 128), (153, 129), (153, 134), (153, 145), (153, 151), (153, 153), (153, 154), (153, 155), (153, 157), (154, 86), (154, 90), (154, 91), (154, 92), (154, 93), (154, 95), (154, 102), (154, 104), (154, 105), (154, 106), (154, 107), (154, 108), (154, 109), (154, 110), (154, 111), (154, 112), (154, 113), (154, 130), (154, 131), (154, 132), (154, 135), (154, 136), (154, 137), (154, 138), (154, 139), (154, 140), (154, 141), (154, 143), (154, 146), (154, 147), (154, 150), (154, 152), (154, 153), (154, 154), (154, 156), (155, 91), (155, 92), (155, 94), (155, 102), (155, 104), (155, 105), (155, 106), (155, 107), (155, 108), (155, 109), (155, 110), (155, 111), (155, 112), (155, 113), (155, 115), (155, 116), (155, 117), (155, 118), (155, 119), (155, 122), (155, 123), (155, 124), (155, 125), (155, 126), (155, 127), (155, 128), (155, 129), (155, 130), (155, 133), (155, 145), (155, 148), (155, 151), (155, 152), (155, 153), (155, 154), (155, 156), (156, 90), (156, 92), (156, 94), (156, 102), (156, 104), (156, 105), (156, 106), (156, 107), (156, 108), (156, 109), (156, 110), (156, 111), (156, 113), (156, 120), (156, 124), (156, 125), (156, 126), (156, 127), (156, 128), (156, 129), (156, 132), (156, 147), (156, 150), (156, 151), (156, 152), (156, 153), (156, 154), (156, 156), (157, 91), (157, 94), (157, 103), (157, 105), (157, 106), (157, 107), (157, 108), (157, 109), (157, 110), (157, 111), (157, 113), (157, 122), (157, 126), (157, 127), (157, 130), (157, 147), (157, 149), (157, 150), (157, 151), (157, 152), (157, 153), (157, 154), (157, 156), (158, 91), (158, 94), (158, 103), (158, 105), (158, 106), (158, 107), (158, 108), (158, 109), (158, 110), (158, 112), (158, 124), (158, 129), (158, 148), (158, 150), (158, 151), (158, 152), (158, 153), (158, 154), (158, 156), (159, 92), (159, 94), (159, 104), (159, 106), (159, 107), (159, 108), (159, 109), (159, 110), (159, 112), (159, 126), (159, 127), (159, 148), (159, 150), (159, 151), (159, 152), (159, 153), (159, 154), (159, 156), (160, 93), (160, 94), (160, 104), (160, 106), (160, 107), (160, 108), (160, 109), (160, 111), (160, 147), (160, 149), (160, 150), (160, 151), (160, 152), (160, 153), (160, 154), (160, 155), (160, 157), (161, 93), (161, 94), (161, 104), (161, 106), (161, 107), (161, 108), (161, 109), (161, 111), (161, 147), (161, 149), (161, 150), (161, 151), (161, 152), (161, 153), (161, 154), (161, 155), (161, 158), (162, 93), (162, 94), (162, 105), (162, 107), (162, 108), (162, 109), (162, 111), (162, 112), (162, 146), (162, 149), (162, 150), (162, 151), (162, 152), (162, 153), (162, 156), (162, 157), (162, 159), (163, 105), (163, 107), (163, 108), (163, 109), (163, 110), (163, 112), (163, 148), (163, 150), (163, 151), (163, 152), (163, 154), (163, 155), (163, 159), (163, 160), (164, 105), (164, 107), (164, 108), (164, 109), (164, 110), (164, 112), (164, 149), (164, 151), (164, 153), (164, 160), (164, 161), (165, 106), (165, 108), (165, 109), (165, 110), (165, 111), (165, 113), (165, 150), (165, 152), (165, 161), (165, 162), (166, 106), (166, 112), (166, 114), (166, 142), (166, 149), (166, 151), (166, 161), (167, 106), (167, 108), (167, 109), (167, 110), (167, 111), (167, 115), (167, 141), (167, 149), (167, 150), (167, 161), (167, 163), (168, 105), (168, 106), (168, 112), (168, 113), (168, 116), (168, 140), (168, 141), (168, 149), (168, 161), (168, 162), (169, 105), (169, 115), (169, 117), (169, 139), (169, 141), (169, 149), (169, 161), (170, 104), (170, 116), (170, 118), (170, 138), (170, 140), (170, 149), (170, 161), (171, 98), (171, 99), (171, 100), (171, 101), (171, 102), (171, 104), (171, 118), (171, 120), (171, 138), (171, 139), (171, 149), (172, 99), (172, 103), (172, 120), (172, 122), (172, 137), (172, 138), (172, 149), (172, 150), (173, 101), (173, 103), (173, 122), (173, 149), (173, 150), (174, 102), (174, 103), (174, 149), (175, 103), (175, 104), (175, 133), (175, 149), (176, 105), (176, 132), (176, 149), (177, 106), (177, 107), (177, 131), (177, 148), (178, 107), (178, 108), (178, 147), (179, 146))
coordinates_e1_e1_e1 = ((65, 113), (65, 116), (66, 107), (66, 109), (66, 110), (66, 111), (66, 118), (67, 106), (67, 113), (67, 114), (67, 115), (67, 116), (67, 120), (67, 127), (68, 104), (68, 107), (68, 108), (68, 109), (68, 110), (68, 111), (68, 112), (68, 113), (68, 114), (68, 115), (68, 116), (68, 117), (68, 118), (68, 121), (68, 122), (68, 123), (68, 124), (68, 125), (68, 127), (69, 103), (69, 106), (69, 107), (69, 108), (69, 109), (69, 110), (69, 111), (69, 112), (69, 113), (69, 114), (69, 115), (69, 116), (69, 117), (69, 118), (69, 119), (69, 120), (69, 123), (69, 126), (69, 136), (70, 101), (70, 107), (70, 108), (70, 109), (70, 110), (70, 111), (70, 112), (70, 113), (70, 117), (70, 118), (70, 119), (70, 120), (70, 121), (70, 122), (70, 123), (70, 124), (70, 126), (70, 136), (71, 97), (71, 98), (71, 99), (71, 100), (71, 101), (71, 102), (71, 103), (71, 104), (71, 105), (71, 108), (71, 109), (71, 110), (71, 111), (71, 112), (71, 114), (71, 115), (71, 116), (71, 117), (71, 118), (71, 119), (71, 120), (71, 121), (71, 122), (71, 123), (71, 124), (71, 126), (71, 137), (72, 107), (72, 110), (72, 111), (72, 113), (72, 118), (72, 119), (72, 120), (72, 121), (72, 122), (72, 123), (72, 124), (72, 126), (72, 137), (72, 154), (72, 155), (73, 108), (73, 112), (73, 118), (73, 120), (73, 121), (73, 127), (73, 137), (73, 138), (73, 154), (74, 109), (74, 111), (74, 118), (74, 120), (74, 122), (74, 123), (74, 124), (74, 125), (74, 127), (74, 138), (74, 139), (74, 154), (75, 111), (75, 117), (75, 121), (75, 138), (75, 140), (76, 117), (76, 120), (76, 139), (76, 141), (76, 145), (76, 153), (77, 116), (77, 119), (77, 140), (77, 142), (77, 143), (77, 145), (77, 153), (78, 116), (78, 118), (78, 144), (78, 146), (78, 153), (79, 113), (79, 117), (79, 145), (79, 147), (79, 152), (80, 113), (80, 116), (80, 146), (80, 147), (80, 151), (80, 152), (81, 113), (81, 115), (81, 147), (81, 152), (82, 112), (82, 113), (82, 115), (82, 147), (82, 152), (83, 98), (83, 112), (83, 114), (83, 148), (83, 150), (83, 151), (83, 153), (84, 97), (84, 98), (84, 107), (84, 109), (84, 110), (84, 112), (84, 114), (84, 148), (84, 150), (84, 151), (84, 152), (84, 153), (84, 158), (85, 79), (85, 82), (85, 83), (85, 98), (85, 107), (85, 112), (85, 113), (85, 115), (85, 148), (85, 150), (85, 151), (85, 152), (85, 153), (85, 155), (85, 156), (85, 158), (86, 78), (86, 84), (86, 94), (86, 98), (86, 107), (86, 109), (86, 110), (86, 111), (86, 112), (86, 113), (86, 115), (86, 133), (86, 148), (86, 150), (86, 151), (86, 152), (86, 153), (86, 158), (87, 78), (87, 80), (87, 81), (87, 82), (87, 83), (87, 86), (87, 92), (87, 96), (87, 98), (87, 107), (87, 109), (87, 110), (87, 111), (87, 112), (87, 113), (87, 115), (87, 134), (87, 147), (87, 149), (87, 150), (87, 151), (87, 152), (87, 153), (87, 154), (87, 155), (87, 156), (87, 157), (87, 159), (88, 77), (88, 79), (88, 80), (88, 81), (88, 82), (88, 83), (88, 84), (88, 87), (88, 91), (88, 94), (88, 95), (88, 96), (88, 98), (88, 107), (88, 109), (88, 110), (88, 111), (88, 112), (88, 113), (88, 114), (88, 116), (88, 133), (88, 135), (88, 145), (88, 148), (88, 149), (88, 150), (88, 151), (88, 152), (88, 153), (88, 154), (88, 155), (88, 156), (88, 157), (88, 158), (88, 161), (89, 77), (89, 89), (89, 92), (89, 93), (89, 94), (89, 95), (89, 96), (89, 98), (89, 107), (89, 109), (89, 110), (89, 111), (89, 112), (89, 113), (89, 114), (89, 116), (89, 125), (89, 127), (89, 128), (89, 129), (89, 132), (89, 133), (89, 134), (89, 137), (89, 145), (89, 147), (89, 148), (89, 149), (89, 150), (89, 151), (89, 152), (89, 153), (89, 154), (89, 155), (89, 156), (89, 157), (89, 158), (89, 159), (89, 161), (90, 78), (90, 80), (90, 81), (90, 82), (90, 83), (90, 84), (90, 85), (90, 86), (90, 91), (90, 92), (90, 93), (90, 94), (90, 95), (90, 96), (90, 98), (90, 106), (90, 108), (90, 109), (90, 110), (90, 111), (90, 112), (90, 113), (90, 114), (90, 115), (90, 116), (90, 117), (90, 123), (90, 124), (90, 130), (90, 131), (90, 132), (90, 133), (90, 134), (90, 135), (90, 138), (90, 139), (90, 151), (90, 152), (90, 153), (90, 154), (90, 155), (90, 156), (90, 157), (90, 160), (91, 87), (91, 88), (91, 91), (91, 92), (91, 93), (91, 94), (91, 95), (91, 96), (91, 97), (91, 99), (91, 105), (91, 107), (91, 108), (91, 109), (91, 110), (91, 111), (91, 112), (91, 113), (91, 114), (91, 115), (91, 116), (91, 119), (91, 120), (91, 121), (91, 125), (91, 126), (91, 127), (91, 128), (91, 129), (91, 130), (91, 131), (91, 132), (91, 133), (91, 134), (91, 135), (91, 136), (91, 137), (91, 141), (91, 142), (91, 143), (91, 144), (91, 145), (91, 146), (91, 147), (91, 148), (91, 149), (91, 151), (91, 152), (91, 153), (91, 154), (91, 155), (91, 156), (91, 159), (92, 89), (92, 92), (92, 93), (92, 94), (92, 95), (92, 96), (92, 97), (92, 98), (92, 101), (92, 104), (92, 106), (92, 107), (92, 108), (92, 109), (92, 110), (92, 111), (92, 112), (92, 113), (92, 114), (92, 115), (92, 120), (92, 122), (92, 134), (92, 135), (92, 136), (92, 138), (92, 151), (92, 152), (92, 153), (92, 154), (92, 155), (93, 91), (93, 93), (93, 94), (93, 95), (93, 96), (93, 97), (93, 98), (93, 99), (93, 102), (93, 103), (93, 106), (93, 107), (93, 108), (93, 109), (93, 110), (93, 111), (93, 112), (93, 113), (93, 114), (93, 116), (93, 117), (93, 119), (93, 123), (93, 125), (93, 126), (93, 127), (93, 128), (93, 129), (93, 130), (93, 131), (93, 132), (93, 135), (93, 136), (93, 138), (93, 152), (93, 154), (93, 156), (94, 92), (94, 94), (94, 95), (94, 96), (94, 97), (94, 98), (94, 99), (94, 100), (94, 101), (94, 102), (94, 104), (94, 105), (94, 106), (94, 107), (94, 108), (94, 109), (94, 110), (94, 111), (94, 112), (94, 113), (94, 115), (94, 134), (94, 136), (94, 138), (94, 152), (94, 155), (95, 92), (95, 94), (95, 95), (95, 96), (95, 97), (95, 98), (95, 99), (95, 100), (95, 101), (95, 102), (95, 103), (95, 104), (95, 105), (95, 106), (95, 107), (95, 108), (95, 109), (95, 110), (95, 111), (95, 112), (95, 114), (95, 135), (95, 138), (95, 152), (95, 155), (96, 92), (96, 94), (96, 95), (96, 96), (96, 97), (96, 98), (96, 99), (96, 100), (96, 101), (96, 102), (96, 103), (96, 104), (96, 105), (96, 106), (96, 107), (96, 108), (96, 109), (96, 110), (96, 111), (96, 113), (96, 136), (96, 137), (96, 152), (96, 155), (97, 91), (97, 93), (97, 94), (97, 95), (97, 96), (97, 97), (97, 98), (97, 99), (97, 100), (97, 101), (97, 102), (97, 103), (97, 104), (97, 105), (97, 106), (97, 107), (97, 108), (97, 109), (97, 110), (97, 111), (97, 113), (97, 137), (97, 152), (97, 155), (98, 89), (98, 92), (98, 93), (98, 94), (98, 95), (98, 96), (98, 97), (98, 98), (98, 99), (98, 100), (98, 101), (98, 102), (98, 103), (98, 104), (98, 105), (98, 106), (98, 107), (98, 108), (98, 109), (98, 110), (98, 111), (98, 113), (98, 137), (98, 153), (98, 156), (99, 91), (99, 92), (99, 93), (99, 94), (99, 95), (99, 96), (99, 97), (99, 98), (99, 99), (99, 100), (99, 101), (99, 102), (99, 103), (99, 104), (99, 105), (99, 106), (99, 107), (99, 108), (99, 109), (99, 110), (99, 111), (99, 112), (99, 114), (99, 137), (99, 153), (99, 156), (100, 88), (100, 90), (100, 91), (100, 92), (100, 93), (100, 94), (100, 95), (100, 96), (100, 97), (100, 98), (100, 99), (100, 100), (100, 101), (100, 102), (100, 103), (100, 104), (100, 105), (100, 106), (100, 107), (100, 108), (100, 109), (100, 110), (100, 111), (100, 112), (100, 114), (100, 137), (100, 153), (100, 156), (101, 88), (101, 90), (101, 91), (101, 92), (101, 93), (101, 94), (101, 95), (101, 96), (101, 97), (101, 98), (101, 99), (101, 100), (101, 101), (101, 102), (101, 103), (101, 104), (101, 105), (101, 106), (101, 107), (101, 113), (101, 115), (101, 137), (101, 154), (102, 86), (102, 88), (102, 89), (102, 90), (102, 91), (102, 92), (102, 93), (102, 94), (102, 95), (102, 96), (102, 97), (102, 98), (102, 99), (102, 100), (102, 101), (102, 102), (102, 103), (102, 104), (102, 105), (102, 106), (102, 109), (102, 110), (102, 111), (102, 114), (102, 116), (102, 137), (103, 74), (103, 85), (103, 88), (103, 89), (103, 90), (103, 91), (103, 92), (103, 93), (103, 94), (103, 95), (103, 96), (103, 97), (103, 98), (103, 99), (103, 100), (103, 101), (103, 102), (103, 103), (103, 104), (103, 105), (103, 107), (103, 113), (103, 115), (103, 118), (103, 136), (103, 137), (104, 75), (104, 82), (104, 83), (104, 86), (104, 87), (104, 88), (104, 89), (104, 90), (104, 91), (104, 92), (104, 93), (104, 94), (104, 95), (104, 96), (104, 97), (104, 98), (104, 99), (104, 100), (104, 101), (104, 102), (104, 103), (104, 104), (104, 106), (104, 114), (104, 116), (104, 119), (104, 135), (104, 136), (105, 76), (105, 78), (105, 79), (105, 80), (105, 81), (105, 85), (105, 86), (105, 87), (105, 88), (105, 89), (105, 90), (105, 91), (105, 92), (105, 93), (105, 94), (105, 95), (105, 96), (105, 97), (105, 98), (105, 99), (105, 100), (105, 101), (105, 102), (105, 103), (105, 104), (105, 106), (105, 115), (105, 117), (105, 118), (105, 121), (105, 122), (105, 133), (105, 136), (106, 76), (106, 82), (106, 83), (106, 84), (106, 85), (106, 86), (106, 87), (106, 88), (106, 89), (106, 90), (106, 91), (106, 92), (106, 93), (106, 94), (106, 95), (106, 96), (106, 97), (106, 98), (106, 99), (106, 100), (106, 101), (106, 102), (106, 103), (106, 104), (106, 106), (106, 116), (106, 118), (106, 119), (106, 120), (106, 122), (106, 133), (106, 136), (107, 76), (107, 78), (107, 79), (107, 80), (107, 81), (107, 82), (107, 83), (107, 84), (107, 85), (107, 86), (107, 87), (107, 88), (107, 89), (107, 90), (107, 91), (107, 92), (107, 93), (107, 94), (107, 95), (107, 96), (107, 97), (107, 98), (107, 99), (107, 100), (107, 101), (107, 102), (107, 103), (107, 104), (107, 106), (107, 117), (107, 119), (107, 120), (107, 122), (107, 133), (107, 136), (108, 76), (108, 78), (108, 79), (108, 80), (108, 81), (108, 82), (108, 83), (108, 84), (108, 85), (108, 86), (108, 87), (108, 88), (108, 89), (108, 90), (108, 91), (108, 92), (108, 93), (108, 94), (108, 95), (108, 96), (108, 97), (108, 98), (108, 99), (108, 100), (108, 101), (108, 102), (108, 103), (108, 104), (108, 106), (108, 118), (108, 120), (108, 121), (108, 123), (108, 133), (108, 136), (109, 76), (109, 78), (109, 79), (109, 80), (109, 81), (109, 82), (109, 83), (109, 84), (109, 85), (109, 86), (109, 87), (109, 88), (109, 89), (109, 90), (109, 91), (109, 92), (109, 93), (109, 94), (109, 95), (109, 96), (109, 97), (109, 98), (109, 99), (109, 100), (109, 101), (109, 102), (109, 103), (109, 104), (109, 106), (109, 119), (109, 122), (109, 124), (109, 133), (109, 135), (110, 74), (110, 76), (110, 77), (110, 78), (110, 79), (110, 80), (110, 81), (110, 82), (110, 83), (110, 84), (110, 85), (110, 86), (110, 92), (110, 93), (110, 94), (110, 95), (110, 96), (110, 97), (110, 98), (110, 99), (110, 100), (110, 101), (110, 102), (110, 103), (110, 104), (110, 106), (110, 120), (110, 123), (110, 125), (110, 132), (110, 135), (111, 71), (111, 72), (111, 73), (111, 76), (111, 77), (111, 78), (111, 83), (111, 84), (111, 85), (111, 88), (111, 89), (111, 90), (111, 92), (111, 93), (111, 94), (111, 95), (111, 96), (111, 97), (111, 98), (111, 99), (111, 100), (111, 101), (111, 102), (111, 103), (111, 104), (111, 105), (111, 107), (111, 121), (111, 123), (111, 132), (111, 135), (112, 69), (112, 74), (112, 75), (112, 76), (112, 77), (112, 79), (112, 80), (112, 81), (112, 84), (112, 86), (112, 92), (112, 94), (112, 95), (112, 96), (112, 97), (112, 98), (112, 99), (112, 100), (112, 101), (112, 105), (112, 107), (112, 123), (112, 124), (112, 127), (112, 131), (112, 134), (113, 68), (113, 71), (113, 72), (113, 73), (113, 74), (113, 75), (113, 76), (113, 78), (113, 83), (113, 85), (113, 92), (113, 94), (113, 95), (113, 96), (113, 97), (113, 98), (113, 99), (113, 100), (113, 103), (113, 105), (113, 106), (113, 108), (113, 128), (113, 129), (113, 133), (114, 67), (114, 69), (114, 70), (114, 71), (114, 72), (114, 73), (114, 74), (114, 75), (114, 77), (114, 84), (114, 92), (114, 101), (114, 105), (114, 108), (114, 124), (114, 126), (114, 127), (114, 131), (114, 133), (115, 70), (115, 71), (115, 76), (115, 93), (115, 95), (115, 96), (115, 97), (115, 98), (115, 99), (115, 101), (115, 105), (115, 106), (115, 109), (115, 126), (115, 128), (115, 129), (115, 130), (115, 132), (116, 68), (116, 71), (116, 72), (116, 73), (116, 75), (116, 106), (116, 109), (116, 127), (116, 129), (116, 130), (116, 132), (117, 69), (117, 71), (117, 106), (117, 109), (117, 126), (117, 128), (117, 129), (117, 130), (117, 132), (118, 106), (118, 110), (118, 126), (118, 128), (118, 129), (118, 130), (118, 132), (119, 106), (119, 110), (119, 125), (119, 127), (119, 128), (119, 129), (119, 130), (119, 132), (120, 107), (120, 109), (120, 112), (120, 124), (120, 132), (121, 110), (121, 113), (121, 122), (121, 124), (121, 125), (121, 126), (121, 127), (121, 128), (121, 129), (121, 130), (121, 132), (122, 120), (122, 132))
coordinates_fedab9 = ((127, 67), (128, 67), (128, 68), (129, 66), (129, 69), (130, 66), (130, 69), (131, 66), (131, 68), (131, 70), (132, 67), (132, 72), (133, 68), (133, 70), (133, 73), (133, 75), (134, 72), (134, 76), (135, 72), (135, 74), (135, 76), (136, 69), (136, 71), (136, 72), (136, 73), (136, 75), (137, 69), (137, 72), (137, 74), (138, 68), (138, 70), (138, 73), (139, 67), (139, 69), (139, 70), (139, 71), (139, 72), (140, 67), (140, 69), (140, 71), (141, 67), (141, 70), (141, 83), (141, 85), (142, 67), (142, 70), (142, 78), (142, 80), (142, 81), (142, 82), (142, 87), (142, 89), (143, 68), (143, 71), (143, 77), (143, 83), (143, 84), (143, 85), (143, 86), (143, 87), (143, 89), (144, 68), (144, 70), (144, 73), (144, 74), (144, 75), (144, 78), (144, 82), (145, 69), (145, 80), (146, 70), (146, 72), (146, 73), (146, 74), (146, 78), (147, 75))
coordinates_01_ced1 = ((144, 90), (145, 84), (145, 86), (145, 87), (145, 88), (145, 90), (146, 82), (146, 85), (146, 86), (146, 87), (146, 89), (147, 80), (147, 83), (148, 78), (148, 82), (149, 76), (149, 80), (149, 82), (150, 75), (150, 77), (150, 78), (150, 79), (150, 80), (150, 82), (151, 74), (151, 76), (151, 77), (151, 78), (151, 79), (151, 80), (151, 81), (151, 82), (151, 84), (152, 73), (152, 75), (152, 76), (152, 77), (152, 78), (152, 79), (152, 80), (152, 81), (152, 82), (153, 73), (153, 75), (153, 76), (153, 77), (153, 78), (153, 79), (153, 80), (153, 81), (153, 82), (153, 84), (154, 73), (154, 75), (154, 76), (154, 77), (154, 78), (154, 79), (154, 80), (154, 81), (154, 82), (154, 84), (155, 73), (155, 75), (155, 76), (155, 77), (155, 78), (155, 79), (155, 80), (155, 81), (155, 82), (155, 84), (155, 97), (156, 73), (156, 75), (156, 76), (156, 77), (156, 78), (156, 79), (156, 80), (156, 81), (156, 82), (156, 83), (156, 86), (156, 97), (157, 76), (157, 77), (157, 78), (157, 79), (157, 80), (157, 81), (157, 82), (157, 85), (157, 96), (157, 97), (158, 74), (158, 76), (158, 77), (158, 78), (158, 79), (158, 80), (158, 81), (158, 83), (158, 96), (158, 97), (159, 75), (159, 78), (159, 79), (159, 82), (159, 96), (159, 98), (160, 76), (160, 81), (160, 96), (160, 98), (161, 78), (161, 80), (161, 91), (161, 96), (161, 98), (162, 91), (162, 96), (162, 98), (163, 90), (163, 91), (163, 95), (163, 98), (164, 89), (164, 91), (164, 92), (164, 93), (164, 94), (164, 97), (165, 89), (165, 91), (165, 92), (165, 97), (166, 96), (167, 90), (167, 92), (167, 94))
coordinates_ffdab9 = ((96, 69), (96, 71), (97, 69), (97, 72), (98, 68), (98, 70), (98, 73), (99, 68), (99, 70), (99, 74), (100, 68), (100, 70), (100, 73), (100, 76), (100, 85), (100, 86), (101, 70), (101, 74), (101, 77), (101, 78), (101, 79), (101, 80), (101, 81), (101, 82), (101, 83), (101, 85), (102, 68), (102, 70), (102, 76), (102, 81), (102, 83), (103, 69), (103, 71), (103, 78), (103, 79), (104, 70), (104, 72), (105, 70), (105, 73), (106, 70), (106, 72), (106, 74), (107, 68), (107, 70), (107, 71), (107, 72), (107, 74), (108, 67), (108, 74), (109, 66), (109, 70), (109, 71), (109, 72), (110, 65), (110, 69), (111, 64), (111, 67), (112, 63), (112, 66), (113, 62), (113, 65), (114, 62), (114, 65), (115, 62), (115, 65), (116, 63), (116, 66), (117, 63), (117, 65), (117, 67), (118, 64), (118, 67), (119, 64), (119, 67), (120, 65), (120, 66))
coordinates_00_ced1 = ((76, 93), (76, 95), (77, 93), (77, 96), (77, 97), (77, 98), (77, 100), (78, 82), (78, 83), (78, 84), (78, 86), (78, 87), (78, 88), (78, 89), (78, 90), (78, 91), (78, 93), (78, 94), (78, 95), (78, 100), (79, 80), (79, 84), (79, 85), (79, 86), (79, 92), (79, 93), (79, 94), (79, 95), (79, 96), (79, 97), (79, 98), (79, 100), (80, 79), (80, 81), (80, 82), (80, 83), (80, 84), (80, 86), (80, 87), (80, 88), (80, 89), (80, 90), (80, 91), (80, 92), (80, 93), (80, 94), (80, 95), (80, 96), (80, 101), (81, 78), (81, 80), (81, 81), (81, 82), (81, 83), (81, 84), (81, 85), (81, 86), (81, 87), (81, 88), (81, 89), (81, 90), (81, 91), (81, 92), (81, 93), (81, 94), (81, 95), (81, 98), (81, 99), (81, 101), (82, 77), (82, 84), (82, 85), (82, 86), (82, 87), (82, 88), (82, 89), (82, 90), (82, 91), (82, 92), (82, 93), (82, 94), (82, 96), (82, 100), (82, 101), (83, 76), (83, 79), (83, 80), (83, 81), (83, 82), (83, 83), (83, 86), (83, 87), (83, 88), (83, 89), (83, 90), (83, 91), (83, 92), (83, 95), (83, 100), (83, 102), (84, 75), (84, 78), (84, 84), (84, 87), (84, 88), (84, 89), (84, 90), (84, 91), (84, 94), (84, 100), (84, 102), (85, 74), (85, 77), (85, 86), (85, 89), (85, 92), (85, 100), (85, 103), (86, 73), (86, 76), (86, 87), (86, 91), (86, 100), (86, 103), (87, 72), (87, 75), (87, 89), (87, 100), (87, 103), (88, 72), (88, 75), (88, 100), (88, 102), (88, 103), (89, 72), (89, 75), (89, 100), (89, 102), (90, 72), (90, 74), (90, 75), (90, 76), (90, 101), (90, 102), (91, 73), (91, 75), (91, 76), (92, 74), (92, 78), (93, 79), (93, 80), (93, 81), (93, 82), (93, 83), (93, 84), (93, 85), (93, 86), (93, 87), (94, 76), (94, 78), (94, 89), (95, 77), (95, 79), (95, 80), (95, 81), (95, 82), (95, 83), (95, 84), (95, 85), (95, 86), (95, 87), (95, 90), (96, 78), (96, 80), (96, 81), (96, 82), (96, 83), (96, 84), (96, 85), (96, 89), (97, 79), (97, 81), (97, 82), (97, 83), (97, 87), (98, 79), (98, 85), (99, 80), (99, 82), (99, 83))
coordinates_cc3_e4_e = ()
coordinates_771286 = ((123, 116), (124, 113), (124, 118), (124, 119), (124, 120), (124, 122), (125, 112), (125, 115), (125, 116), (125, 117), (125, 123), (126, 112), (126, 114), (126, 115), (126, 116), (126, 117), (126, 118), (126, 119), (126, 120), (126, 121), (126, 122), (126, 124), (127, 112), (127, 114), (127, 115), (127, 116), (127, 117), (127, 118), (127, 119), (127, 124), (128, 111), (128, 113), (128, 114), (128, 115), (128, 120), (128, 121), (128, 122), (129, 111), (129, 116), (129, 117), (129, 118), (129, 119), (130, 111), (130, 113), (130, 114), (130, 115), (131, 110), (131, 112), (132, 109), (132, 110), (133, 109), (134, 108))
coordinates_9_f522_d = ((157, 115), (157, 118), (158, 115), (158, 119), (158, 120), (158, 132), (159, 116), (159, 118), (159, 122), (159, 130), (159, 133), (160, 116), (160, 118), (160, 119), (160, 120), (160, 124), (160, 129), (160, 132), (160, 134), (161, 117), (161, 126), (161, 127), (161, 130), (161, 131), (161, 132), (161, 133), (161, 135), (162, 118), (162, 120), (162, 121), (162, 129), (162, 130), (162, 131), (162, 132), (162, 134), (163, 123), (163, 126), (163, 127), (163, 128), (163, 129), (163, 130), (163, 131), (163, 133), (164, 125), (164, 132), (165, 126), (165, 128), (165, 129), (165, 131))
coordinates_a0522_d = ((80, 123), (80, 124), (80, 125), (80, 126), (80, 127), (80, 128), (80, 129), (80, 130), (80, 131), (80, 132), (81, 121), (81, 134), (82, 120), (82, 123), (82, 124), (82, 125), (82, 126), (82, 127), (82, 128), (82, 129), (82, 130), (82, 131), (82, 132), (82, 136), (83, 120), (83, 121), (83, 122), (83, 123), (83, 124), (83, 125), (83, 126), (83, 127), (83, 128), (83, 129), (83, 130), (83, 131), (83, 134), (83, 137), (84, 120), (84, 122), (84, 123), (84, 124), (84, 125), (84, 126), (84, 127), (84, 128), (84, 129), (84, 130), (84, 133), (84, 135), (84, 138), (85, 120), (85, 122), (85, 123), (85, 124), (85, 125), (85, 131), (85, 134), (86, 121), (86, 123), (86, 126), (86, 127), (86, 128), (86, 130), (86, 135), (87, 121), (87, 125), (87, 137), (87, 141), (87, 143), (88, 121), (88, 123), (88, 138), (88, 139), (88, 143), (89, 142))
coordinates_781286 = ((110, 108), (111, 109), (111, 111), (112, 110), (112, 112), (113, 110), (113, 113), (114, 111), (114, 114), (115, 111), (115, 113), (115, 115), (115, 116), (115, 117), (115, 118), (115, 119), (115, 121), (116, 111), (116, 113), (116, 114), (116, 124), (117, 113), (117, 114), (117, 115), (117, 116), (117, 117), (117, 118), (117, 119), (117, 120), (117, 121), (117, 124), (118, 112), (118, 114), (118, 115), (118, 116), (118, 117), (118, 118), (118, 119), (118, 120), (118, 123), (119, 113), (119, 122), (120, 114), (120, 116), (120, 117), (120, 118), (120, 119), (120, 120))
coordinates_79_badc = ((131, 117), (131, 120), (132, 114), (132, 116), (132, 120), (133, 112), (133, 118), (134, 111), (134, 114), (134, 115), (134, 117), (135, 109), (135, 112), (135, 113), (135, 114), (135, 116), (136, 109), (136, 111), (136, 112), (136, 113), (136, 115), (137, 108), (137, 110), (137, 111), (137, 112), (138, 108), (138, 110), (138, 111), (138, 112), (138, 114), (139, 108), (139, 113), (140, 109), (140, 112))
coordinates_ed0000 = ((153, 99), (154, 99), (155, 99), (155, 100), (156, 99), (156, 100), (157, 88), (157, 99), (157, 101), (158, 86), (158, 89), (158, 99), (158, 101), (159, 85), (159, 89), (159, 100), (159, 101), (160, 84), (160, 86), (160, 87), (160, 89), (160, 100), (160, 102), (161, 82), (161, 85), (161, 86), (161, 87), (161, 89), (161, 100), (161, 102), (162, 81), (162, 84), (162, 85), (162, 86), (162, 88), (162, 100), (162, 102), (163, 81), (163, 83), (163, 84), (163, 85), (163, 87), (163, 100), (163, 103), (164, 81), (164, 83), (164, 84), (164, 85), (164, 87), (164, 100), (164, 103), (165, 81), (165, 83), (165, 84), (165, 85), (165, 87), (165, 99), (165, 101), (165, 103), (166, 81), (166, 83), (166, 84), (166, 85), (166, 87), (166, 98), (166, 100), (166, 101), (166, 102), (166, 104), (167, 81), (167, 83), (167, 84), (167, 85), (167, 87), (167, 97), (167, 99), (167, 100), (167, 101), (167, 102), (167, 104), (168, 82), (168, 84), (168, 85), (168, 86), (168, 88), (168, 96), (168, 103), (169, 82), (169, 84), (169, 85), (169, 86), (169, 88), (169, 92), (169, 93), (169, 94), (169, 97), (169, 98), (169, 99), (169, 100), (169, 102), (169, 108), (169, 110), (169, 111), (170, 83), (170, 88), (170, 92), (170, 96), (170, 107), (170, 113), (171, 84), (171, 87), (171, 92), (171, 94), (171, 106), (171, 108), (171, 109), (171, 110), (171, 111), (171, 115), (172, 92), (172, 94), (172, 105), (172, 107), (172, 108), (172, 109), (172, 110), (172, 111), (172, 112), (172, 113), (172, 116), (172, 117), (173, 91), (173, 93), (173, 94), (173, 95), (173, 96), (173, 105), (173, 107), (173, 108), (173, 109), (173, 110), (173, 111), (173, 112), (173, 113), (173, 114), (173, 115), (173, 118), (174, 91), (174, 93), (174, 94), (174, 98), (174, 99), (174, 106), (174, 109), (174, 110), (174, 111), (174, 112), (174, 113), (174, 114), (174, 115), (174, 116), (174, 117), (174, 120), (175, 91), (175, 95), (175, 96), (175, 97), (175, 101), (175, 107), (175, 110), (175, 111), (175, 112), (175, 113), (175, 114), (175, 115), (175, 116), (175, 117), (175, 118), (175, 119), (175, 122), (176, 92), (176, 94), (176, 98), (176, 102), (176, 109), (176, 111), (176, 112), (176, 113), (176, 114), (176, 115), (176, 116), (176, 117), (176, 118), (176, 119), (176, 120), (176, 121), (176, 123), (177, 99), (177, 103), (177, 110), (177, 112), (177, 113), (177, 114), (177, 115), (177, 116), (177, 117), (177, 118), (177, 119), (177, 120), (177, 121), (177, 122), (177, 124), (178, 100), (178, 104), (178, 110), (178, 112), (178, 113), (178, 114), (178, 115), (178, 116), (178, 117), (178, 118), (178, 119), (178, 120), (178, 121), (178, 124), (179, 101), (179, 105), (179, 110), (179, 111), (179, 112), (179, 113), (179, 114), (179, 115), (179, 116), (179, 117), (179, 118), (179, 119), (179, 120), (179, 122), (180, 104), (180, 107), (180, 108), (180, 109), (180, 110), (180, 111), (180, 112), (180, 113), (180, 114), (180, 115), (180, 116), (180, 117), (180, 118), (180, 119), (180, 121), (181, 105), (181, 114), (181, 115), (181, 120), (182, 110), (182, 111), (182, 112), (182, 113), (182, 116), (182, 117), (182, 119), (183, 106), (183, 108), (183, 114), (183, 115))
coordinates_7_abadc = ((104, 109), (104, 111), (105, 108), (105, 112), (106, 108), (106, 110), (106, 111), (106, 113), (107, 109), (107, 111), (107, 112), (107, 114), (108, 109), (108, 112), (108, 113), (109, 110), (109, 113), (109, 114), (109, 117), (110, 112), (110, 114), (110, 115), (110, 118), (111, 113), (111, 116), (111, 119), (112, 114), (112, 120), (113, 116), (113, 118), (113, 119), (113, 121))
coordinates_633264 = ((77, 102), (77, 104), (78, 106), (79, 103), (79, 107), (80, 103), (80, 108), (81, 103), (81, 105), (81, 106), (82, 104), (82, 107), (82, 109), (83, 104), (84, 105), (85, 105), (86, 105), (87, 105), (88, 105), (90, 104))
coordinates_ec0_db0 = ((94, 121), (95, 116), (95, 119), (95, 123), (95, 124), (95, 125), (95, 126), (95, 127), (95, 128), (95, 129), (95, 130), (95, 132), (96, 116), (96, 121), (96, 133), (97, 116), (97, 117), (97, 118), (97, 119), (97, 120), (97, 121), (97, 122), (97, 123), (97, 124), (97, 125), (97, 126), (97, 127), (97, 128), (97, 129), (97, 130), (97, 131), (97, 132), (97, 134), (98, 116), (98, 118), (98, 119), (98, 120), (98, 121), (98, 122), (98, 123), (98, 124), (98, 125), (98, 126), (98, 127), (98, 128), (98, 129), (98, 130), (98, 131), (98, 132), (98, 133), (98, 135), (99, 116), (99, 118), (99, 119), (99, 120), (99, 121), (99, 122), (99, 123), (99, 124), (99, 125), (99, 126), (99, 130), (99, 131), (99, 132), (99, 133), (99, 135), (100, 117), (100, 119), (100, 120), (100, 121), (100, 122), (100, 123), (100, 124), (100, 128), (100, 131), (100, 132), (100, 133), (100, 135), (101, 118), (101, 121), (101, 122), (101, 126), (101, 130), (101, 132), (101, 133), (101, 135), (102, 119), (102, 124), (102, 131), (102, 135), (103, 121), (103, 122), (103, 132), (103, 134))
coordinates_eb0_db0 = ((142, 121), (142, 122), (143, 119), (143, 123), (143, 134), (144, 118), (144, 121), (144, 122), (144, 124), (144, 125), (144, 126), (144, 127), (144, 128), (144, 129), (144, 130), (144, 131), (144, 132), (144, 133), (144, 135), (145, 117), (145, 119), (145, 120), (145, 121), (145, 122), (145, 123), (145, 135), (146, 116), (146, 118), (146, 119), (146, 120), (146, 121), (146, 122), (146, 123), (146, 124), (146, 125), (146, 126), (146, 127), (146, 128), (146, 129), (146, 130), (146, 131), (146, 132), (146, 133), (146, 135), (147, 116), (147, 118), (147, 119), (147, 120), (147, 121), (147, 122), (147, 123), (147, 124), (147, 125), (147, 126), (147, 127), (147, 128), (147, 129), (147, 130), (147, 131), (147, 132), (147, 134), (148, 118), (148, 119), (148, 120), (148, 121), (148, 122), (148, 123), (148, 124), (148, 125), (148, 126), (148, 127), (148, 128), (148, 129), (148, 130), (148, 131), (148, 132), (148, 134), (149, 116), (149, 120), (149, 121), (149, 122), (149, 123), (149, 124), (149, 125), (149, 126), (149, 133), (150, 118), (150, 127), (150, 128), (150, 129), (150, 130), (150, 132), (151, 120), (151, 122), (151, 123), (151, 124), (151, 125), (151, 126))
coordinates_ed82_ee = ((124, 69), (124, 71), (124, 72), (124, 73), (124, 74), (124, 75), (124, 77), (125, 69), (125, 78), (126, 68), (126, 70), (126, 74), (126, 75), (126, 78), (127, 69), (127, 71), (127, 72), (127, 73), (127, 76), (127, 78), (128, 70), (128, 78), (128, 79))
coordinates_ee82_ee = ((113, 88), (114, 79), (114, 81), (114, 88), (115, 78), (115, 82), (115, 87), (116, 77), (116, 80), (116, 81), (116, 84), (116, 87), (117, 79), (117, 80), (117, 81), (117, 82), (117, 86), (118, 74), (118, 75), (118, 78), (118, 79), (118, 80), (118, 81), (118, 82), (118, 83), (118, 84), (118, 86), (119, 69), (119, 71), (119, 72), (119, 73), (119, 76), (119, 77), (119, 78), (119, 79), (119, 80), (119, 86), (120, 69), (120, 81), (120, 82), (120, 83), (120, 84), (121, 68), (121, 71), (121, 72), (121, 73), (121, 74), (121, 75), (121, 76), (121, 77), (121, 78), (121, 79), (122, 69))
coordinates_9832_cc = ((122, 82), (122, 85), (122, 88), (122, 89), (122, 90), (122, 91), (122, 92), (122, 93), (122, 94), (123, 82), (123, 87), (123, 95), (123, 96), (123, 97), (123, 98), (123, 99), (123, 100), (123, 101), (123, 102), (123, 104), (124, 81), (124, 83), (124, 88), (124, 89), (124, 90), (124, 91), (124, 92), (124, 93), (124, 94), (124, 104), (125, 80), (125, 82), (125, 85), (125, 87), (125, 88), (125, 89), (125, 90), (125, 92), (125, 93), (125, 94), (125, 95), (125, 96), (125, 97), (125, 98), (125, 101), (125, 104), (126, 80), (126, 83), (126, 86), (126, 88), (126, 89), (126, 93), (126, 94), (126, 95), (126, 97), (126, 104), (127, 82), (127, 87), (127, 93), (127, 94), (127, 95), (127, 97), (127, 104), (128, 88), (128, 89), (128, 93), (128, 95), (128, 97), (128, 104), (129, 93), (129, 95), (129, 97), (130, 94), (130, 97), (131, 94), (131, 97), (132, 95), (132, 97))
coordinates_9932_cc = ((113, 90), (114, 90), (115, 90), (115, 103), (116, 89), (116, 91), (116, 102), (116, 104), (117, 89), (117, 92), (117, 93), (117, 94), (117, 95), (117, 96), (117, 97), (117, 98), (117, 99), (117, 102), (117, 104), (118, 88), (118, 90), (118, 91), (118, 100), (118, 102), (118, 104), (119, 88), (119, 104), (120, 88), (120, 90), (120, 91), (120, 92), (120, 93), (120, 94), (120, 95), (120, 96), (120, 97), (120, 100), (120, 101), (120, 102), (120, 104), (121, 100), (121, 106))
coordinates_86_ceeb = ((160, 114), (161, 114), (161, 115), (162, 114), (163, 114), (163, 116), (164, 114), (164, 118), (165, 115), (165, 119), (165, 121), (166, 116), (166, 118), (166, 123), (167, 117), (167, 120), (167, 121), (167, 125), (168, 118), (168, 122), (168, 123), (168, 126), (169, 120), (169, 123), (169, 124), (169, 125), (169, 127), (170, 122), (170, 124), (170, 125), (170, 127), (171, 123), (171, 125), (171, 126), (171, 128), (172, 124), (172, 126), (172, 128), (173, 124), (173, 126), (173, 128), (174, 125), (174, 127), (175, 125), (175, 127), (176, 125), (176, 127), (177, 126), (178, 126))
coordinates_87_ceeb = ((64, 131), (65, 131), (66, 129), (66, 131), (67, 129), (67, 131), (68, 129), (68, 131), (69, 129), (69, 131), (70, 128), (70, 131), (71, 128), (71, 131), (72, 129), (72, 131), (73, 129), (73, 131), (74, 129), (74, 131), (75, 129), (75, 132), (76, 122), (76, 124), (76, 125), (76, 126), (76, 127), (76, 128), (76, 129), (76, 130), (76, 132), (77, 121), (77, 132), (78, 123), (78, 124), (78, 125), (78, 126), (78, 127), (78, 128), (78, 129), (78, 131), (79, 120), (79, 121), (80, 119), (81, 118), (82, 117), (83, 117), (84, 117), (85, 117), (85, 118), (86, 117), (86, 118), (87, 118), (87, 119), (88, 118), (88, 119))
coordinates_ee0000 = ((61, 112), (61, 113), (61, 114), (61, 115), (61, 116), (62, 108), (62, 109), (62, 110), (62, 111), (62, 117), (62, 118), (62, 119), (63, 105), (63, 106), (63, 112), (63, 113), (63, 114), (63, 115), (63, 116), (63, 120), (63, 121), (63, 122), (63, 123), (63, 124), (63, 125), (63, 126), (63, 127), (64, 103), (64, 104), (64, 107), (64, 108), (64, 109), (64, 111), (64, 118), (64, 128), (65, 101), (65, 105), (65, 120), (65, 127), (66, 100), (66, 104), (66, 122), (66, 125), (67, 99), (67, 103), (68, 93), (68, 95), (68, 96), (68, 97), (68, 100), (68, 101), (68, 102), (69, 92), (69, 97), (69, 98), (69, 99), (70, 91), (70, 93), (70, 94), (70, 95), (71, 92), (71, 95), (72, 92), (72, 96), (73, 93), (73, 97), (73, 101), (73, 102), (73, 103), (73, 105), (73, 114), (73, 116), (74, 94), (74, 96), (74, 107), (74, 113), (75, 98), (75, 99), (75, 100), (75, 101), (75, 102), (75, 103), (75, 104), (75, 105), (75, 108), (75, 113), (75, 115), (76, 106), (76, 109), (76, 113), (76, 115), (77, 108), (77, 110), (77, 114), (78, 109), (78, 111), (79, 110), (79, 111), (80, 110), (81, 111))
coordinates_fe4500 = ((157, 134), (157, 136), (157, 137), (157, 138), (157, 139), (157, 140), (157, 142), (158, 135), (158, 141), (159, 135), (159, 137), (159, 138), (159, 140))
coordinates_b4_b4_b4 = ((93, 140), (94, 140), (95, 140), (96, 140), (97, 139), (97, 140), (98, 139), (98, 140), (99, 139), (99, 140), (100, 139), (100, 140), (101, 139), (101, 140), (102, 139), (102, 140), (103, 139), (103, 140), (104, 140), (105, 138), (105, 140), (106, 138), (106, 141), (107, 138), (107, 140), (108, 138), (108, 140), (109, 138), (110, 139), (111, 137), (111, 139), (112, 138), (113, 136), (113, 138), (114, 135), (114, 137), (115, 135), (115, 137), (116, 134), (116, 136), (117, 134), (117, 136), (118, 134), (118, 135), (119, 134), (120, 134))
coordinates_fed700 = ((157, 144), (157, 145), (158, 144), (158, 146), (159, 143), (159, 145), (160, 142), (160, 145), (161, 141), (161, 144), (162, 141), (162, 144), (163, 140), (163, 143), (165, 139), (165, 140), (166, 138), (166, 139), (167, 137), (167, 138), (168, 136), (169, 135), (169, 137), (170, 131), (170, 133), (170, 134), (170, 136), (171, 130), (171, 132), (171, 136), (172, 130), (172, 135), (173, 130), (173, 133), (173, 134), (174, 130), (174, 131), (175, 129), (175, 130), (176, 129), (177, 129), (178, 128), (178, 129), (179, 129))
coordinates_cf2090 = ((163, 145), (164, 144), (164, 146), (165, 144), (166, 144), (167, 144), (168, 143), (168, 144), (169, 143), (169, 144), (170, 142), (170, 144), (171, 142), (171, 143), (172, 141), (172, 143), (173, 139), (173, 143), (174, 136), (174, 138), (174, 141), (174, 142), (175, 135), (175, 140), (176, 138), (177, 134), (177, 137), (178, 135), (179, 131), (179, 134), (180, 134), (181, 130), (181, 133), (182, 131), (182, 133))
coordinates_b3_b4_b4 = ((125, 134), (125, 135), (126, 135), (127, 135), (127, 136), (128, 135), (128, 136), (129, 135), (129, 137), (130, 135), (130, 137), (131, 136), (131, 137), (132, 136), (132, 137), (133, 136), (134, 136), (134, 138), (135, 136), (135, 138), (136, 136), (136, 138), (137, 136), (137, 138), (138, 139), (139, 138), (139, 139), (140, 139), (141, 139), (142, 139), (143, 139), (143, 140), (144, 139), (144, 140), (145, 140), (146, 140))
coordinates_efe68_c = ((165, 147), (166, 146), (166, 147), (167, 146), (167, 147), (168, 146), (169, 146), (169, 151), (170, 146), (171, 146), (171, 152), (172, 145), (172, 152), (172, 153), (173, 145), (173, 152), (173, 153), (174, 145), (174, 146), (174, 153), (174, 154), (175, 143), (175, 145), (175, 146), (175, 153), (175, 154), (176, 142), (176, 146), (176, 152), (176, 154), (176, 155), (177, 140), (177, 143), (177, 145), (177, 151), (177, 153), (177, 155), (178, 138), (178, 142), (178, 143), (178, 145), (178, 149), (178, 152), (178, 155), (179, 138), (179, 140), (179, 141), (179, 142), (179, 144), (179, 148), (179, 153), (179, 154), (179, 155), (180, 138), (180, 140), (180, 141), (180, 142), (180, 144), (180, 147), (180, 151), (180, 152), (181, 137), (181, 139), (181, 140), (181, 141), (181, 142), (181, 143), (181, 144), (181, 145), (181, 146), (181, 150), (182, 137), (182, 139), (182, 140), (182, 141), (182, 142), (182, 143), (182, 144), (182, 148), (183, 138), (183, 144), (183, 146), (184, 139), (184, 141), (184, 142), (184, 143))
coordinates_feff01 = ((136, 144), (136, 145), (136, 147), (137, 144), (137, 149), (138, 143), (138, 145), (138, 146), (138, 147), (138, 150), (138, 151), (139, 143), (139, 145), (139, 146), (139, 147), (139, 148), (139, 149), (139, 152), (139, 153), (139, 154), (139, 155), (139, 157), (140, 143), (140, 145), (140, 146), (140, 147), (140, 148), (140, 149), (140, 150), (140, 151), (140, 158), (141, 143), (141, 145), (141, 146), (141, 147), (141, 148), (141, 149), (141, 150), (141, 151), (141, 152), (141, 153), (141, 154), (141, 155), (141, 156), (141, 157), (141, 160), (142, 142), (142, 144), (142, 145), (142, 146), (142, 147), (142, 148), (142, 149), (142, 150), (142, 151), (142, 152), (142, 153), (142, 154), (142, 155), (142, 156), (142, 157), (142, 158), (142, 161), (142, 162), (142, 163), (142, 164), (143, 142), (143, 144), (143, 145), (143, 146), (143, 147), (143, 148), (143, 149), (143, 150), (143, 151), (143, 152), (143, 153), (143, 154), (143, 155), (143, 156), (143, 157), (143, 158), (143, 159), (143, 160), (143, 161), (143, 164), (144, 142), (144, 144), (144, 145), (144, 146), (144, 147), (144, 148), (144, 149), (144, 150), (144, 151), (144, 152), (144, 153), (144, 154), (144, 155), (144, 156), (144, 157), (144, 158), (144, 159), (144, 160), (144, 161), (144, 162), (144, 163), (144, 165), (145, 142), (145, 144), (145, 145), (145, 146), (145, 147), (145, 148), (145, 149), (145, 150), (145, 151), (145, 152), (145, 153), (145, 161), (145, 162), (145, 163), (145, 165), (146, 142), (146, 144), (146, 145), (146, 146), (146, 147), (146, 148), (146, 149), (146, 150), (146, 151), (146, 154), (146, 155), (146, 156), (146, 157), (146, 158), (146, 159), (146, 162), (146, 163), (146, 164), (146, 166), (147, 142), (147, 144), (147, 145), (147, 146), (147, 147), (147, 148), (147, 149), (147, 150), (147, 153), (147, 161), (147, 163), (147, 164), (147, 166), (148, 142), (148, 144), (148, 145), (148, 146), (148, 147), (148, 148), (148, 149), (148, 151), (148, 162), (148, 164), (148, 166), (149, 141), (149, 143), (149, 144), (149, 145), (149, 146), (149, 147), (149, 148), (149, 150), (149, 162), (149, 167), (150, 142), (150, 147), (150, 148), (150, 150), (150, 162), (150, 164), (150, 165), (150, 167), (151, 142), (151, 144), (151, 145), (151, 148), (151, 150), (151, 161), (151, 163), (152, 143), (152, 147), (152, 149), (153, 148))
coordinates_31_cd32 = ((152, 165), (152, 167), (153, 162), (153, 163), (153, 164), (154, 159), (154, 161), (154, 165), (154, 166), (154, 168), (155, 158), (155, 162), (155, 163), (155, 164), (155, 165), (155, 166), (155, 168), (156, 158), (156, 160), (156, 161), (156, 162), (156, 163), (156, 164), (156, 165), (156, 166), (156, 167), (156, 169), (157, 158), (157, 160), (157, 161), (157, 162), (157, 163), (157, 164), (157, 165), (157, 166), (157, 168), (158, 158), (158, 160), (158, 161), (158, 162), (158, 163), (158, 164), (158, 165), (158, 166), (158, 168), (159, 161), (159, 162), (159, 163), (159, 164), (159, 165), (159, 167), (160, 159), (160, 162), (160, 163), (160, 164), (160, 165), (160, 167), (161, 160), (161, 163), (161, 164), (161, 165), (161, 167), (162, 162), (162, 164), (162, 165), (162, 166), (162, 168), (163, 163), (163, 165), (163, 166), (163, 168), (164, 157), (164, 164), (164, 166), (164, 167), (164, 169), (165, 154), (165, 155), (165, 158), (165, 164), (165, 165), (165, 168), (166, 153), (166, 156), (166, 157), (166, 159), (166, 165), (166, 168), (167, 153), (167, 155), (167, 156), (167, 157), (167, 159), (167, 165), (167, 167), (168, 153), (168, 155), (168, 156), (168, 157), (168, 159), (168, 165), (168, 167), (169, 153), (169, 155), (169, 156), (169, 157), (169, 159), (169, 164), (169, 167), (170, 154), (170, 156), (170, 158), (170, 163), (170, 166), (171, 154), (171, 156), (171, 157), (171, 158), (171, 159), (171, 162), (171, 164), (171, 166), (172, 155), (172, 157), (172, 158), (172, 159), (172, 160), (172, 161), (172, 163), (172, 165), (173, 156), (173, 158), (173, 159), (173, 162), (173, 164), (174, 156), (174, 159), (174, 160), (174, 161), (174, 163), (175, 158), (175, 162), (176, 159), (176, 161))
coordinates_0_b30_ff = ((133, 128), (133, 129), (134, 127), (134, 130), (135, 126), (135, 130), (136, 126), (136, 128), (136, 130), (137, 125), (137, 127), (137, 128), (137, 130), (138, 125), (138, 127), (138, 128), (138, 130), (139, 124), (139, 126), (139, 127), (139, 128), (139, 130), (140, 124), (140, 126), (140, 127), (140, 128), (140, 130), (141, 124), (141, 130), (142, 124), (142, 126), (142, 127), (142, 128), (142, 129), (142, 131))
coordinates_0_c30_ff = ((102, 128), (103, 126), (103, 130), (104, 124), (104, 128), (104, 131), (105, 124), (105, 126), (105, 127), (105, 128), (105, 129), (105, 131), (106, 124), (106, 126), (106, 127), (106, 128), (106, 129), (106, 131), (107, 125), (107, 127), (107, 128), (107, 129), (107, 131), (108, 125), (108, 128), (108, 129), (108, 131), (109, 126), (109, 129), (109, 130), (110, 127), (110, 130), (111, 128), (111, 129))
coordinates_ffd700 = ((67, 133), (68, 133), (68, 134), (69, 133), (69, 134), (70, 133), (70, 134), (71, 133), (72, 133), (72, 135), (73, 133), (73, 135), (74, 134), (74, 135), (75, 134), (75, 136), (76, 134), (76, 136), (77, 135), (77, 137), (78, 136), (78, 138), (79, 136), (79, 140), (79, 141), (80, 137), (80, 142), (80, 144), (81, 138), (81, 140), (81, 141), (81, 144), (82, 144), (82, 145), (83, 145), (84, 145), (84, 146), (85, 145), (85, 146), (86, 145))
coordinates_d02090 = ((63, 134), (63, 135), (64, 134), (64, 136), (65, 134), (65, 137), (66, 135), (66, 138), (67, 137), (67, 139), (68, 138), (69, 138), (69, 141), (70, 140), (70, 142), (71, 139), (71, 141), (71, 143), (72, 140), (72, 142), (72, 145), (73, 141), (73, 143), (73, 147), (74, 142), (74, 144), (74, 145), (74, 148), (75, 143), (75, 147), (75, 148), (76, 147), (77, 148), (78, 148), (79, 149))
coordinates_f0_e68_c = ((62, 143), (62, 145), (63, 142), (63, 146), (63, 147), (63, 148), (63, 149), (63, 150), (64, 141), (64, 143), (64, 144), (64, 145), (64, 153), (65, 141), (65, 143), (65, 144), (65, 145), (65, 146), (65, 149), (65, 151), (65, 154), (66, 141), (66, 145), (66, 147), (66, 150), (66, 152), (66, 154), (67, 142), (67, 144), (67, 147), (67, 151), (67, 153), (67, 154), (67, 158), (68, 145), (68, 148), (68, 152), (68, 154), (68, 156), (68, 157), (68, 159), (69, 147), (69, 150), (69, 159), (70, 148), (70, 150), (70, 153), (70, 154), (70, 155), (70, 156), (70, 157), (70, 158), (70, 160), (71, 149), (71, 151), (71, 157), (71, 158), (71, 160), (72, 149), (72, 151), (72, 157), (72, 160), (73, 150), (73, 152), (73, 157), (73, 160), (74, 150), (74, 152), (74, 156), (74, 158), (74, 160), (75, 151), (75, 156), (75, 159), (76, 151), (76, 155), (77, 151), (77, 155), (77, 158), (78, 151), (78, 155), (78, 157), (79, 155), (79, 156), (80, 155))
coordinates_ffff00 = ((93, 142), (93, 149), (94, 142), (94, 144), (94, 145), (94, 146), (94, 147), (94, 148), (94, 149), (94, 150), (94, 157), (94, 159), (94, 161), (95, 142), (95, 150), (95, 157), (95, 162), (96, 142), (96, 144), (96, 145), (96, 146), (96, 147), (96, 148), (96, 150), (96, 157), (96, 159), (96, 160), (96, 161), (96, 163), (97, 142), (97, 144), (97, 145), (97, 146), (97, 147), (97, 148), (97, 150), (97, 158), (97, 160), (97, 161), (98, 142), (98, 144), (98, 145), (98, 146), (98, 147), (98, 148), (98, 150), (98, 158), (98, 160), (98, 161), (98, 162), (98, 164), (99, 142), (99, 144), (99, 145), (99, 146), (99, 147), (99, 148), (99, 149), (99, 151), (99, 158), (99, 160), (99, 161), (99, 162), (99, 163), (99, 165), (100, 142), (100, 144), (100, 145), (100, 146), (100, 147), (100, 148), (100, 149), (100, 151), (100, 158), (100, 160), (100, 161), (100, 162), (100, 163), (100, 164), (100, 166), (101, 142), (101, 144), (101, 145), (101, 146), (101, 147), (101, 148), (101, 149), (101, 150), (101, 152), (101, 158), (101, 160), (101, 161), (101, 162), (101, 163), (101, 164), (101, 166), (102, 142), (102, 144), (102, 145), (102, 146), (102, 147), (102, 148), (102, 149), (102, 150), (102, 151), (102, 153), (102, 157), (102, 159), (102, 160), (102, 161), (102, 162), (102, 163), (102, 164), (102, 166), (103, 145), (103, 146), (103, 147), (103, 148), (103, 149), (103, 150), (103, 151), (103, 152), (103, 154), (103, 155), (103, 156), (103, 158), (103, 159), (103, 160), (103, 161), (103, 162), (103, 163), (103, 166), (104, 144), (104, 146), (104, 147), (104, 148), (104, 149), (104, 150), (104, 151), (104, 152), (104, 153), (104, 157), (104, 158), (104, 159), (104, 160), (104, 165), (105, 145), (105, 147), (105, 148), (105, 149), (105, 150), (105, 151), (105, 152), (105, 153), (105, 154), (105, 155), (105, 161), (105, 163), (106, 145), (106, 147), (106, 148), (106, 149), (106, 150), (106, 151), (106, 152), (106, 156), (106, 157), (106, 158), (106, 159), (106, 160), (107, 146), (107, 148), (107, 149), (107, 153), (107, 155), (108, 147), (108, 150), (108, 151), (108, 152), (109, 148))
coordinates_32_cd32 = ((74, 162), (75, 164), (76, 161), (76, 166), (77, 160), (77, 162), (77, 163), (77, 164), (77, 167), (78, 159), (78, 161), (78, 162), (78, 163), (78, 164), (78, 165), (78, 168), (79, 158), (79, 160), (79, 161), (79, 162), (79, 163), (79, 164), (79, 165), (79, 166), (79, 168), (80, 157), (80, 160), (80, 161), (80, 162), (80, 163), (80, 164), (80, 165), (80, 166), (80, 167), (80, 169), (81, 156), (81, 159), (81, 160), (81, 161), (81, 162), (81, 163), (81, 164), (81, 165), (81, 166), (81, 167), (81, 169), (82, 155), (82, 157), (82, 158), (82, 159), (82, 160), (82, 161), (82, 162), (82, 163), (82, 164), (82, 165), (82, 166), (82, 167), (82, 169), (83, 155), (83, 160), (83, 162), (83, 163), (83, 164), (83, 165), (83, 166), (83, 167), (83, 169), (84, 160), (84, 162), (84, 163), (84, 164), (84, 165), (84, 166), (84, 168), (85, 160), (85, 162), (85, 163), (85, 164), (85, 165), (85, 166), (85, 168), (86, 161), (86, 163), (86, 164), (86, 165), (86, 167), (87, 162), (87, 164), (87, 165), (87, 167), (88, 163), (88, 165), (88, 167), (89, 163), (89, 164), (89, 165), (89, 166), (89, 168), (90, 163), (90, 165), (90, 166), (90, 167), (90, 169), (91, 162), (91, 164), (91, 165), (91, 166), (91, 167), (91, 169), (92, 161), (92, 164), (92, 165), (92, 166), (92, 167), (92, 169), (93, 165), (93, 166), (93, 167), (93, 169), (94, 163), (94, 166), (94, 167), (94, 169), (95, 164), (95, 166), (95, 167), (95, 169), (96, 165), (96, 167), (96, 169), (97, 166), (97, 169), (98, 167), (98, 168)) |
class AllocationMap(object):
# Keeps track of item allocation to caches.
def __init__(self):
self.alloc_o = dict() # for each item (key) maps a list of caches where it is cached. Has entries just for allocated objects.
self.alloc = dict() # for each cache (key) maps the list of items it caches (the cache.cache)
def allocate(self, item, cache):
if item not in self.alloc_o.keys():
self.alloc_o[item] = []
self.alloc_o[item].append(cache)
if cache not in self.alloc.keys():
self.alloc[cache] = []
self.alloc[cache].append(item)
def evict(self, item, cache):
if item not in self.alloc_o.keys():
return "item not allocated"
if cache not in self.alloc.keys():
return "unknown cache"
if item not in self.alloc_o[cache] or cache not in self.alloc[item]:
return "item not allocated to cache"
self.alloc[cache].remove(item)
if not len(self.alloc[cache]):
del self.alloc[cache]
self.alloc_o[item].remove(cache)
if not len(self.alloc_o[item]):
del self.alloc_o[item]
def print_allocations(self):
print ("_______________________________")
print ("Computed Cache Allocations")
for cache in self.alloc:
print ("cache: ", cache.name, " cache filled: " , sum([j.work for j in self.alloc[cache]]), "/", cache.capacity)
for item in self.alloc[cache]:
print (item.name, " size: ", item.work)
print ("_______________________________")
def __eq__(self, other):
if not isinstance(other, self.__class__):
return False
if set(self.alloc.keys()) != set(other.alloc.keys()):
return False
if set(self.alloc_o.keys()) != set(other.alloc_o.keys()):
return False
for k,v in self.alloc.items():
if set(v).difference(set(other.alloc[k])):
return False
for k,v in self.alloc_o.items():
if set(v).difference(set(other.alloc_o[k])):
return False
return True
def __ne__(self, other):
return not self.__eq__(other)
| class Allocationmap(object):
def __init__(self):
self.alloc_o = dict()
self.alloc = dict()
def allocate(self, item, cache):
if item not in self.alloc_o.keys():
self.alloc_o[item] = []
self.alloc_o[item].append(cache)
if cache not in self.alloc.keys():
self.alloc[cache] = []
self.alloc[cache].append(item)
def evict(self, item, cache):
if item not in self.alloc_o.keys():
return 'item not allocated'
if cache not in self.alloc.keys():
return 'unknown cache'
if item not in self.alloc_o[cache] or cache not in self.alloc[item]:
return 'item not allocated to cache'
self.alloc[cache].remove(item)
if not len(self.alloc[cache]):
del self.alloc[cache]
self.alloc_o[item].remove(cache)
if not len(self.alloc_o[item]):
del self.alloc_o[item]
def print_allocations(self):
print('_______________________________')
print('Computed Cache Allocations')
for cache in self.alloc:
print('cache: ', cache.name, ' cache filled: ', sum([j.work for j in self.alloc[cache]]), '/', cache.capacity)
for item in self.alloc[cache]:
print(item.name, ' size: ', item.work)
print('_______________________________')
def __eq__(self, other):
if not isinstance(other, self.__class__):
return False
if set(self.alloc.keys()) != set(other.alloc.keys()):
return False
if set(self.alloc_o.keys()) != set(other.alloc_o.keys()):
return False
for (k, v) in self.alloc.items():
if set(v).difference(set(other.alloc[k])):
return False
for (k, v) in self.alloc_o.items():
if set(v).difference(set(other.alloc_o[k])):
return False
return True
def __ne__(self, other):
return not self.__eq__(other) |
def romanToDecimal(S):
roman = {'I': 1, 'V': 5, 'X': 10, 'L': 50, 'C': 100, 'D': 500, 'M': 1000}
a = roman[S[0]]+roman[S[-1]]
i=1
while i<len(S)-1:
print(a)
if (roman[S[i]] >= roman[S[i+1]]):
a = a+roman[S[i]]
i=i+1
else:
a = a -roman[S[i]]
i=i+1
return a
print(romanToDecimal('CMXVI'))
| def roman_to_decimal(S):
roman = {'I': 1, 'V': 5, 'X': 10, 'L': 50, 'C': 100, 'D': 500, 'M': 1000}
a = roman[S[0]] + roman[S[-1]]
i = 1
while i < len(S) - 1:
print(a)
if roman[S[i]] >= roman[S[i + 1]]:
a = a + roman[S[i]]
i = i + 1
else:
a = a - roman[S[i]]
i = i + 1
return a
print(roman_to_decimal('CMXVI')) |
##################################################################################
# Deeplearning4j.py
# description: A wrapper service for the Deeplearning4j framework.
# categories: ai
# more info @: http://myrobotlab.org/service/Deeplearning4j
##################################################################################
# start the deeplearning4j service
deeplearning4j = Runtime.start('deeplearning4j','Deeplearning4j')
# load the VGG16 model from the zoo
deeplearning4j.loadVGG16()
# run an image file through the model and get the classifications / confidence
classifications = deeplearning4j.classifyImageFileVGG16("image0-1.png")
# print them out... it's a dictionary/map of label to confidence level (between 0-1)
for label in classifications:
print(label + " : " + str(classifications.get(label)))
| deeplearning4j = Runtime.start('deeplearning4j', 'Deeplearning4j')
deeplearning4j.loadVGG16()
classifications = deeplearning4j.classifyImageFileVGG16('image0-1.png')
for label in classifications:
print(label + ' : ' + str(classifications.get(label))) |
# Day 16: http://adventofcode.com/2016/day/16
inp = '11101000110010100'
def checksum(initial, length):
table = str.maketrans('01', '10')
data = initial
while len(data) < length:
new = data[::-1].translate(table)
data = f'{data}0{new}'
check = data[:length]
while not len(check) % 2:
check = [int(x == y) for x, y in zip(*[iter(check)]*2)]
return ''.join(map(str, check))
if __name__ == '__main__':
print('Checksum for the first disk:', checksum(inp, 272))
print('Checksum for the second disk:', checksum(inp, 35651584))
| inp = '11101000110010100'
def checksum(initial, length):
table = str.maketrans('01', '10')
data = initial
while len(data) < length:
new = data[::-1].translate(table)
data = f'{data}0{new}'
check = data[:length]
while not len(check) % 2:
check = [int(x == y) for (x, y) in zip(*[iter(check)] * 2)]
return ''.join(map(str, check))
if __name__ == '__main__':
print('Checksum for the first disk:', checksum(inp, 272))
print('Checksum for the second disk:', checksum(inp, 35651584)) |
n = 600851475143
i=2
while(i*i<=n):
while(n%i==0):
n=n/i
i=i+1
print(n)
| n = 600851475143
i = 2
while i * i <= n:
while n % i == 0:
n = n / i
i = i + 1
print(n) |
consumer_key = 'NYICJJWGEHWjLzf16L4bdOmBp'
consumer_secret = 'AT8vDFvB6IkjLM5Ckz9DC5yQ0nsqut8vwGYOpnXPMFIESsHKG5'
access_token = '2909697444-NNDWfyczj7Asgv7t5YvysLcnnEj3CcoC12AB46R'
access_secret = 'kRaSQf3FEEz3X7TSH1o0EisdweIGoxm9Af6E0WceFzeEp'
| consumer_key = 'NYICJJWGEHWjLzf16L4bdOmBp'
consumer_secret = 'AT8vDFvB6IkjLM5Ckz9DC5yQ0nsqut8vwGYOpnXPMFIESsHKG5'
access_token = '2909697444-NNDWfyczj7Asgv7t5YvysLcnnEj3CcoC12AB46R'
access_secret = 'kRaSQf3FEEz3X7TSH1o0EisdweIGoxm9Af6E0WceFzeEp' |
"""Tests for BEL2SCM
test_bel2scm.py
---------------
This file contains all the test functions we used to generate sample data, testing and debugging
code for bel2scm algorithm.
Input files:
- BELSourceFiles contains bel graphs for all our test cases
- Data folder contains all the input and output data files
- Neuirps_BEL2SCM contains all python scripts for bel2scm algorithm
test_plots_bel2scm.py
---------------------
This is the test file which stores experiments to generate data
for plots in the paper that were generated using bel2scm algorithm.
Input files:
- BELSourceFiles contains bel graphs for all our test cases
- Data folder contains all the input and output data files
- Neuirps_BEL2SCM contains all python scripts for bel2scm algorithm
test_plots_known_parameters_scm.py
----------------------------------
This is the test file which stores experiments to generate data
for plots in the paper that were generated using DataGeneration SCM for covid-19 graph.
Input files:
- DataGenerationSCM folder contains code for generating
observational data for covid-19 graph using known parameters which
were hardcoded in the scripts using domain knowledge.
"""
| """Tests for BEL2SCM
test_bel2scm.py
---------------
This file contains all the test functions we used to generate sample data, testing and debugging
code for bel2scm algorithm.
Input files:
- BELSourceFiles contains bel graphs for all our test cases
- Data folder contains all the input and output data files
- Neuirps_BEL2SCM contains all python scripts for bel2scm algorithm
test_plots_bel2scm.py
---------------------
This is the test file which stores experiments to generate data
for plots in the paper that were generated using bel2scm algorithm.
Input files:
- BELSourceFiles contains bel graphs for all our test cases
- Data folder contains all the input and output data files
- Neuirps_BEL2SCM contains all python scripts for bel2scm algorithm
test_plots_known_parameters_scm.py
----------------------------------
This is the test file which stores experiments to generate data
for plots in the paper that were generated using DataGeneration SCM for covid-19 graph.
Input files:
- DataGenerationSCM folder contains code for generating
observational data for covid-19 graph using known parameters which
were hardcoded in the scripts using domain knowledge.
""" |
dct = {'one':'two', 'three':'one', 'two':'three' }
v = dct['three']
for k in range(len(dct)):
v = dct[v]
print(v)
print(v) | dct = {'one': 'two', 'three': 'one', 'two': 'three'}
v = dct['three']
for k in range(len(dct)):
v = dct[v]
print(v)
print(v) |
class Solution:
def canPlaceFlowers(self, flowerbed: List[int], n: int) -> bool:
f = flowerbed
ans = 0
for i in range(len(f)):
if f[i] == 0:
l, r = max(0, i - 1), min(i + 1, len(f) - 1)
if f[r] == 0 and f[l] == 0:
f[i] = 1
ans += 1
return ans >= n
| class Solution:
def can_place_flowers(self, flowerbed: List[int], n: int) -> bool:
f = flowerbed
ans = 0
for i in range(len(f)):
if f[i] == 0:
(l, r) = (max(0, i - 1), min(i + 1, len(f) - 1))
if f[r] == 0 and f[l] == 0:
f[i] = 1
ans += 1
return ans >= n |
# python alura-python/best-practices/hints.py
class Name:
def __init__(self, name: str, age: int) -> None:
self.name = name
self.age = age
def testa(self, name: str) -> int:
self.name = name
return int(self.age)
def testegain() -> str:
return 'again'
myname = Name('wilton "paulo" da silva', 39)
print(myname.name)
| class Name:
def __init__(self, name: str, age: int) -> None:
self.name = name
self.age = age
def testa(self, name: str) -> int:
self.name = name
return int(self.age)
def testegain() -> str:
return 'again'
myname = name('wilton "paulo" da silva', 39)
print(myname.name) |
class MLPRTranspiler(object):
def __init__(self, model):
self.model = model
self.layer_sizes = ','.join(map(lambda x : str(x), self.model.hidden_layer_sizes))
self.build_weights()
self.build_layers()
self.build_bias()
def build_layers(self):
self.networks = ""
self.name_networks = "%s" % (','.join(["network%d" %(x+1) for x in range(len(self.model.hidden_layer_sizes))]))
i = 1
for hl in self.model.hidden_layer_sizes:
self.networks += "double network%d[%d] = {0};" % (i, hl)
i+=1
def build_bias(self):
i = 1
self.bias_networks = "double * bias_networks[N_LAYERS-1] = {%s};" % (','.join(["bias%d" %(x+1) for x in range(len(self.model.intercepts_))]))
self.bias = ""
for bias_networks in self.model.intercepts_:
matrix = []
self.bias += "double bias%d[%d] = {%s};\n" % (i, len(bias_networks ), ",".join(bias_networks.astype(str)))
i+=1
def build_weights(self):
self.weights_networks = "double * weights_networks[N_LAYERS-1] = {%s};" % (','.join(["weights%d" %(x+1) for x in range(len(self.model.coefs_))]))
self.weigths = ""
i = 1
for weights_networks in self.model.coefs_:
matrix = []
for weights in weights_networks:
matrix.append(','.join(weights.astype(str)))
self.weigths += "double weights%d[%d] = {%s};\n" % (i, len(weights_networks) * len(weights), ",".join(matrix))
i+=1
def generate_code(self):
return """
/*
The following code was generated using Clara.Transpiler. For more information please visit: https://github.com/asergiobranco/clara
*/
#include <stdio.h>
#include <math.h>
#define N_LAYERS %d
#define N_FEATURES %d
#define %s
int networks_len[N_LAYERS] = {N_FEATURES, %s, 1};
double sample[N_FEATURES] = {0};
%s
double network_out[1] = {0};
double * networks[N_LAYERS] = {sample, %s, network_out};
%s
%s
%s
%s
#ifdef IDENTITY
double identity(double neuron){
return neuron;
}
#define ACTIVATION(...) identity(__VA_ARGS__)
#endif
#ifdef LOGISTIC
double logistic(double neuron){
return 1 / (1+exp(-neuron));
}
#define ACTIVATION(...) logistic(__VA_ARGS__)
#endif
#ifdef RELU
double relu(double neuron){
return (neuron > 0.0 ? neuron : 0.0);
}
#define ACTIVATION(...) relu(__VA_ARGS__)
#endif
#ifdef TANH
#define ACTIVATION(...) tanh(__VA_ARGS__)
#endif
double * propagation(double * network, double * next_network, double * weights, double * bias, int network_len, int next_network_len, int layer_no){
int i = 0, j = 0, w=0;
for(i=0; i < next_network_len; i++){
next_network[i] = bias[i];
}
for(i=0; i < next_network_len; i++){
for(j = 0; j < network_len; j++){
w = (next_network_len * j) + i;
next_network[i] += network[j] * weights[w];
}
if(layer_no < (N_LAYERS-2)){
next_network[i] = ACTIVATION(next_network[i]);
}
}
return next_network;
}
double predict(double * sample){
int i = 0;
for(i =0 ; i<N_FEATURES; i++){networks[0][i] = sample[i];}
for(i = 0; i < N_LAYERS - 1; i++){
propagation(networks[i], networks[i+1], weights_networks[i], bias_networks[i], networks_len[i], networks_len[i+1], i);
}
return networks[N_LAYERS-1][0];
}
""" % (
len(self.model.coefs_) + 1, len(self.model.coefs_[0]), self.model.activation.upper(), self.layer_sizes,
self.networks, self.name_networks,
self.bias, self.bias_networks,
self.weigths, self.weights_networks
)
| class Mlprtranspiler(object):
def __init__(self, model):
self.model = model
self.layer_sizes = ','.join(map(lambda x: str(x), self.model.hidden_layer_sizes))
self.build_weights()
self.build_layers()
self.build_bias()
def build_layers(self):
self.networks = ''
self.name_networks = '%s' % ','.join(['network%d' % (x + 1) for x in range(len(self.model.hidden_layer_sizes))])
i = 1
for hl in self.model.hidden_layer_sizes:
self.networks += 'double network%d[%d] = {0};' % (i, hl)
i += 1
def build_bias(self):
i = 1
self.bias_networks = 'double * bias_networks[N_LAYERS-1] = {%s};' % ','.join(['bias%d' % (x + 1) for x in range(len(self.model.intercepts_))])
self.bias = ''
for bias_networks in self.model.intercepts_:
matrix = []
self.bias += 'double bias%d[%d] = {%s};\n' % (i, len(bias_networks), ','.join(bias_networks.astype(str)))
i += 1
def build_weights(self):
self.weights_networks = 'double * weights_networks[N_LAYERS-1] = {%s};' % ','.join(['weights%d' % (x + 1) for x in range(len(self.model.coefs_))])
self.weigths = ''
i = 1
for weights_networks in self.model.coefs_:
matrix = []
for weights in weights_networks:
matrix.append(','.join(weights.astype(str)))
self.weigths += 'double weights%d[%d] = {%s};\n' % (i, len(weights_networks) * len(weights), ','.join(matrix))
i += 1
def generate_code(self):
return '\n /*\n The following code was generated using Clara.Transpiler. For more information please visit: https://github.com/asergiobranco/clara\n */\n #include <stdio.h>\n #include <math.h>\n\n #define N_LAYERS %d\n #define N_FEATURES %d\n\n #define %s\n\n int networks_len[N_LAYERS] = {N_FEATURES, %s, 1};\n\n double sample[N_FEATURES] = {0};\n %s\n double network_out[1] = {0};\n\n double * networks[N_LAYERS] = {sample, %s, network_out};\n\n %s\n\n %s\n\n %s\n %s\n\n #ifdef IDENTITY\n double identity(double neuron){\n return neuron;\n }\n #define ACTIVATION(...) identity(__VA_ARGS__)\n #endif\n\n\n #ifdef LOGISTIC\n double logistic(double neuron){\n return 1 / (1+exp(-neuron));\n }\n #define ACTIVATION(...) logistic(__VA_ARGS__)\n #endif\n\n #ifdef RELU\n double relu(double neuron){\n return (neuron > 0.0 ? neuron : 0.0);\n }\n #define ACTIVATION(...) relu(__VA_ARGS__)\n #endif\n\n #ifdef TANH\n #define ACTIVATION(...) tanh(__VA_ARGS__)\n #endif\n\n\n double * propagation(double * network, double * next_network, double * weights, double * bias, int network_len, int next_network_len, int layer_no){\n int i = 0, j = 0, w=0;\n for(i=0; i < next_network_len; i++){\n next_network[i] = bias[i];\n }\n\n for(i=0; i < next_network_len; i++){\n for(j = 0; j < network_len; j++){\n w = (next_network_len * j) + i;\n next_network[i] += network[j] * weights[w];\n }\n if(layer_no < (N_LAYERS-2)){\n next_network[i] = ACTIVATION(next_network[i]);\n }\n\n }\n\n\n\n return next_network;\n }\n\n double predict(double * sample){\n int i = 0;\n\n for(i =0 ; i<N_FEATURES; i++){networks[0][i] = sample[i];}\n\n for(i = 0; i < N_LAYERS - 1; i++){\n propagation(networks[i], networks[i+1], weights_networks[i], bias_networks[i], networks_len[i], networks_len[i+1], i);\n }\n\n return networks[N_LAYERS-1][0];\n\n }\n\n\n ' % (len(self.model.coefs_) + 1, len(self.model.coefs_[0]), self.model.activation.upper(), self.layer_sizes, self.networks, self.name_networks, self.bias, self.bias_networks, self.weigths, self.weights_networks) |
default_app_config = 'djadmin.apps.ActivityAppConfig'
__name__ = 'djadmin'
__author__ = 'Neeraj Kumar'
__version__ = '1.1.7'
__author_email__ = 'sainineeraj1234@gmail.com'
__description__ = 'Djadmin is a django admin theme'
| default_app_config = 'djadmin.apps.ActivityAppConfig'
__name__ = 'djadmin'
__author__ = 'Neeraj Kumar'
__version__ = '1.1.7'
__author_email__ = 'sainineeraj1234@gmail.com'
__description__ = 'Djadmin is a django admin theme' |
config = {
"Virustotal": { "KEY":"718d3ef46ba51c38936a5bba67ba40e1348867aa0e9c0fa6ac8cd76c5950a983",
"URL": "https://www.virustotal.com/vtapi/v2/file/report" } ,
"hybridanalysis": { "KEY":"yyicbmp80fa6638bnkgcw93y5c07f536iyh0qo7r5bc2fabbtojj2yo97d352208", "URL": "https://www.hybrid-analysis.com/api/v2/" }
}
| config = {'Virustotal': {'KEY': '718d3ef46ba51c38936a5bba67ba40e1348867aa0e9c0fa6ac8cd76c5950a983', 'URL': 'https://www.virustotal.com/vtapi/v2/file/report'}, 'hybridanalysis': {'KEY': 'yyicbmp80fa6638bnkgcw93y5c07f536iyh0qo7r5bc2fabbtojj2yo97d352208', 'URL': 'https://www.hybrid-analysis.com/api/v2/'}} |
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution:
def node(self, nums, start, end):
median = (start+end)//2
node = TreeNode(nums[median])
if start == end:
return node
elif start < end:
node.left = self.node(nums, start, median-1)
node.right = self.node(nums, median+1, end)
else:
return None
return node
def sortedArrayToBST(self, nums):
"""
:type nums: List[int]
:rtype: TreeNode
"""
if len(nums) == 0:
return None
root = self.node(nums, 0, len(nums)-1)
return root
| class Solution:
def node(self, nums, start, end):
median = (start + end) // 2
node = tree_node(nums[median])
if start == end:
return node
elif start < end:
node.left = self.node(nums, start, median - 1)
node.right = self.node(nums, median + 1, end)
else:
return None
return node
def sorted_array_to_bst(self, nums):
"""
:type nums: List[int]
:rtype: TreeNode
"""
if len(nums) == 0:
return None
root = self.node(nums, 0, len(nums) - 1)
return root |
#House budget
while True:
price = float(input("Enter price: "))
if price < 500000:
print("Buy now!")
else:
print("Keep looking.")
| while True:
price = float(input('Enter price: '))
if price < 500000:
print('Buy now!')
else:
print('Keep looking.') |
a = "Dani"
#if anidados -> Evalua una condicion, ejecuta la instruccion y pasa al siguiente if
if a == "Dani":
print("Ok")
if a == "Alejandro":
print("Wrong")
else:
print("I dont know\n")
#elif -> Evalua una condicion, si es verdadera ejcuta la instruccion y sale
if a == "Dani":
print("Ok")
elif a == "Alejandro":
print("Wrong")
else:
print("I dont know")
#Operadores
"""
==
!=
>
<
<=
>=
"""
#Boolean
a = False
if a:
print("True")
else:
print("False")
| a = 'Dani'
if a == 'Dani':
print('Ok')
if a == 'Alejandro':
print('Wrong')
else:
print('I dont know\n')
if a == 'Dani':
print('Ok')
elif a == 'Alejandro':
print('Wrong')
else:
print('I dont know')
'\n==\n!=\n>\n<\n<=\n>=\n'
a = False
if a:
print('True')
else:
print('False') |
class TransferError(ValueError):
pass
class Transfer:
"""Class representing a transfer from a source well to a destination well.
Parameters
----------
source_well
A Well object representing the plate well from which to transfer.
destination_well
A Well object representing the plate well to which to transfer.
volume
Volume to be transferred, expressed in liters.
data
A dict containing any useful information about the transfer. This
information can be used later e.g. as parameters for the transfer
when exporting a picklist.
"""
def __init__(self, source_well, destination_well, volume, data=None):
self.volume = volume
self.source_well = source_well
self.destination_well = destination_well
self.data = data
def to_plain_string(self):
"""Return "Transfer {volume}L from {source_well} into {dest_well}"."""
return (
"Transfer {self.volume:.02E}L from {self.source_well.plate.name} "
"{self.source_well.name} into "
"{self.destination_well.plate.name} "
"{self.destination_well.name}"
).format(self=self)
def to_short_string(self):
"""Return "Transfer {volume}L {source_well} -> {dest_well}"."""
return (
"{self.__class__.__name__} {self.volume:.02E}L {self.source_well} -> {self.destination_well}"
).format(self=self)
def with_new_volume(self, new_volume):
"""Return a version of the transfer with a new volume."""
return self.__class__(
source_well=self.source_well,
destination_well=self.destination_well,
volume=new_volume,
data=self.data,
)
def apply(self):
# error_prefix = "%s error:" % self.to_short_string()
if self.source_well.is_empty:
raise TransferError("Source well is empty!")
# pre-check in both source and destination wells that transfers
# are valid
if self.volume > self.source_well.volume:
raise TransferError(
("Subtraction of %.2e L from %s impossible." " Current volume: %.2e L")
% (self.volume, self, self.source_well.volume)
)
final_destination_volume = self.destination_well.volume + self.volume
if (self.destination_well.capacity is not None) and (
final_destination_volume > self.destination_well.capacity
):
raise TransferError(
"Transfer of %.2e L from %s to %s brings volume over capacity."
% (self.volume, self, self.destination_well)
)
# If you arrive here, it means that the transfer is valid, do it.
factor = float(self.volume) / self.source_well.volume
quantities_transferred = {
component: quantity * factor
for component, quantity in self.source_well.content.quantities.items()
}
self.destination_well.add_content(quantities_transferred, volume=self.volume)
self.source_well.subtract_content(quantities_transferred, volume=self.volume)
if self not in self.destination_well.sources:
self.destination_well.sources.append(self)
def __repr__(self):
"""Return "Transfer {volume}L from {source_well} into {dest_well}"."""
return self.to_plain_string()
| class Transfererror(ValueError):
pass
class Transfer:
"""Class representing a transfer from a source well to a destination well.
Parameters
----------
source_well
A Well object representing the plate well from which to transfer.
destination_well
A Well object representing the plate well to which to transfer.
volume
Volume to be transferred, expressed in liters.
data
A dict containing any useful information about the transfer. This
information can be used later e.g. as parameters for the transfer
when exporting a picklist.
"""
def __init__(self, source_well, destination_well, volume, data=None):
self.volume = volume
self.source_well = source_well
self.destination_well = destination_well
self.data = data
def to_plain_string(self):
"""Return "Transfer {volume}L from {source_well} into {dest_well}"."""
return 'Transfer {self.volume:.02E}L from {self.source_well.plate.name} {self.source_well.name} into {self.destination_well.plate.name} {self.destination_well.name}'.format(self=self)
def to_short_string(self):
"""Return "Transfer {volume}L {source_well} -> {dest_well}"."""
return '{self.__class__.__name__} {self.volume:.02E}L {self.source_well} -> {self.destination_well}'.format(self=self)
def with_new_volume(self, new_volume):
"""Return a version of the transfer with a new volume."""
return self.__class__(source_well=self.source_well, destination_well=self.destination_well, volume=new_volume, data=self.data)
def apply(self):
if self.source_well.is_empty:
raise transfer_error('Source well is empty!')
if self.volume > self.source_well.volume:
raise transfer_error('Subtraction of %.2e L from %s impossible. Current volume: %.2e L' % (self.volume, self, self.source_well.volume))
final_destination_volume = self.destination_well.volume + self.volume
if self.destination_well.capacity is not None and final_destination_volume > self.destination_well.capacity:
raise transfer_error('Transfer of %.2e L from %s to %s brings volume over capacity.' % (self.volume, self, self.destination_well))
factor = float(self.volume) / self.source_well.volume
quantities_transferred = {component: quantity * factor for (component, quantity) in self.source_well.content.quantities.items()}
self.destination_well.add_content(quantities_transferred, volume=self.volume)
self.source_well.subtract_content(quantities_transferred, volume=self.volume)
if self not in self.destination_well.sources:
self.destination_well.sources.append(self)
def __repr__(self):
"""Return "Transfer {volume}L from {source_well} into {dest_well}"."""
return self.to_plain_string() |
def twoSum(nums, target):
temp = nums[:]
nums.sort()
hi = len(nums) - 1
lo = 0
while lo < hi:
if (nums[lo] + nums[hi]) < target:
lo += 1
elif (nums[lo] + nums[hi]) > target:
hi -= 1
else:
if nums[lo] == nums[hi]:
return [temp.index(nums[lo]), temp[temp.index(nums[lo])+1:].index(nums[hi])+temp.index(nums[lo])+1]
else:
return [temp.index(nums[lo]), temp.index(nums[hi])]
| def two_sum(nums, target):
temp = nums[:]
nums.sort()
hi = len(nums) - 1
lo = 0
while lo < hi:
if nums[lo] + nums[hi] < target:
lo += 1
elif nums[lo] + nums[hi] > target:
hi -= 1
elif nums[lo] == nums[hi]:
return [temp.index(nums[lo]), temp[temp.index(nums[lo]) + 1:].index(nums[hi]) + temp.index(nums[lo]) + 1]
else:
return [temp.index(nums[lo]), temp.index(nums[hi])] |
class Vendor:
def __init__(self, token, name):
self.token = token
self.name = name
def __lt__(self, other):
return self.token < other.token
| class Vendor:
def __init__(self, token, name):
self.token = token
self.name = name
def __lt__(self, other):
return self.token < other.token |
class CommandLineRouteHandlerError(BaseException):
"""
This class implements the CommandLineRouteHandlerError.
"""
def __init__(self, message=None):
"""
This method initializes an instance of the CommandLineRouteHandlerError
class.
:param str message: An optional message.
:rtype: None
"""
self._message = message
@property
def message(self):
"""
This method returns the value for the message property.
:rtype: str
"""
return self._message
| class Commandlineroutehandlererror(BaseException):
"""
This class implements the CommandLineRouteHandlerError.
"""
def __init__(self, message=None):
"""
This method initializes an instance of the CommandLineRouteHandlerError
class.
:param str message: An optional message.
:rtype: None
"""
self._message = message
@property
def message(self):
"""
This method returns the value for the message property.
:rtype: str
"""
return self._message |
n = int(input())
advice = ['advertise', 'do not advertise', 'does not matter']
results = []
for i in range(n):
r, e, c = input().split()
r, e, c = int(r), int(e), int(c)
if r > e - c:
results.append(advice[1])
elif r < e - c:
results.append(advice[0])
else:
results.append(advice[2])
for ans in results:
print(ans) | n = int(input())
advice = ['advertise', 'do not advertise', 'does not matter']
results = []
for i in range(n):
(r, e, c) = input().split()
(r, e, c) = (int(r), int(e), int(c))
if r > e - c:
results.append(advice[1])
elif r < e - c:
results.append(advice[0])
else:
results.append(advice[2])
for ans in results:
print(ans) |
# Definition for singly-linked list.
class ListNode(object):
def __init__(self, x):
self.val = x
self.next = None
def __repr__(self):
a = self
value = ''
while a:
value = value + str(a.val) + '->'
a = a.next
return value
class Solution(object):
def _set_value(self, x):
if self.head is None:
self.head = self.tail = ListNode(x.val)
else:
self.tail.next = ListNode(x.val)
self.tail = self.tail.next
def mergeTwoLists(self, a, b):
"""
:type l1: ListNode
:type l2: ListNode
:rtype: ListNode
"""
self.head = None
self.tail = None
while a is not None:
if b is None or a.val < b.val:
self._set_value(a)
a = a.next
else:
self._set_value(b)
b = b.next
while b is not None:
self._set_value(b)
b = b.next
return self.head
if __name__ == '__main__':
l1 = ListNode(1)
l1.next = ListNode(2)
l1.next.next = ListNode(4)
l2 = ListNode(1)
l2.next = ListNode(3)
l2.next.next = ListNode(4)
sol = Solution()
print(sol.mergeTwoLists(l1, l2))
| class Listnode(object):
def __init__(self, x):
self.val = x
self.next = None
def __repr__(self):
a = self
value = ''
while a:
value = value + str(a.val) + '->'
a = a.next
return value
class Solution(object):
def _set_value(self, x):
if self.head is None:
self.head = self.tail = list_node(x.val)
else:
self.tail.next = list_node(x.val)
self.tail = self.tail.next
def merge_two_lists(self, a, b):
"""
:type l1: ListNode
:type l2: ListNode
:rtype: ListNode
"""
self.head = None
self.tail = None
while a is not None:
if b is None or a.val < b.val:
self._set_value(a)
a = a.next
else:
self._set_value(b)
b = b.next
while b is not None:
self._set_value(b)
b = b.next
return self.head
if __name__ == '__main__':
l1 = list_node(1)
l1.next = list_node(2)
l1.next.next = list_node(4)
l2 = list_node(1)
l2.next = list_node(3)
l2.next.next = list_node(4)
sol = solution()
print(sol.mergeTwoLists(l1, l2)) |
def insertionSort1(n, arr):
i = n-1
val = arr[i]
while(i>0 and val<arr[i-1]):
arr[i] = arr[i-1]
print(*arr)
i-=1
arr[i] = val
print(*arr)
| def insertion_sort1(n, arr):
i = n - 1
val = arr[i]
while i > 0 and val < arr[i - 1]:
arr[i] = arr[i - 1]
print(*arr)
i -= 1
arr[i] = val
print(*arr) |
class ConnectionInterrupted(Exception):
def __init__(self, connection, parent=None):
self.connection = connection
def __str__(self):
error_type = type(self.__cause__).__name__
error_msg = str(self.__cause__)
return "Redis {}: {}".format(error_type, error_msg)
class CompressorError(Exception):
pass
| class Connectioninterrupted(Exception):
def __init__(self, connection, parent=None):
self.connection = connection
def __str__(self):
error_type = type(self.__cause__).__name__
error_msg = str(self.__cause__)
return 'Redis {}: {}'.format(error_type, error_msg)
class Compressorerror(Exception):
pass |
# define this module's errors
class ParserError(Exception):
pass
class Sentence(object):
def __init__(self, subject, verb, obj):
# these are tuples, e.g. ('noun', 'bear')
self.subject = subject[1]
self.verb = verb[1]
self.obj = obj[1]
def __str__(self):
return str(self.__dict__)
def __eq__(self, other):
return self.__dict__ == other.__dict__
### MODULE-LEVEL FUNCTIONS
def parse_sentence(word_list):
try:
subj = parse_subject(word_list)
verb = parse_verb(word_list)
obj = parse_object(word_list)
sentence = Sentence(subj, verb, obj)
return sentence
except:
print("Expecting a sentence of the form: Subject -> Verb -> Object")
def parse_number(word_list):
skip(word_list, 'stop')
next_word_type = peek(word_list)
if next_word_type == 'number':
return match(word_list, 'number')
else:
raise ParserError("Expected a number next.")
def parse_subject(word_list):
skip(word_list, 'stop')
next_word_type = peek(word_list)
if next_word_type == 'noun':
return match(word_list, 'noun')
elif next_word_type == 'verb':
return ('noun', 'player')
else:
raise ParserError("Expected a noun or verb next.")
def parse_verb(word_list):
skip(word_list, 'stop')
next_word_type = peek(word_list)
if next_word_type == 'verb':
return match(word_list, 'verb')
else:
raise ParserError("Expected a verb next.")
def parse_object(word_list):
skip(word_list, 'stop')
next_word_type = peek(word_list)
if next_word_type == 'noun':
return match(word_list, 'noun')
elif next_word_type == 'direction':
return match(word_list, 'direction')
else:
raise ParserError("Expected a noun or direction next.")
####### HELPERS ############
def peek(word_list):
if word_list:
word = word_list[0] #grab first word tuple
word_type = word[0] #grab the type from the first slot
return word_type
else:
return None
# match has a front remove side-effect on word_list
def match(word_list, expected_type):
if word_list:
word = word_list.pop(0)
word_type = word[0]
if word_type == expected_type:
return word
else:
return None
def skip(word_list, word_type):
while peek(word_list) == word_type:
match(word_list, word_type)
| class Parsererror(Exception):
pass
class Sentence(object):
def __init__(self, subject, verb, obj):
self.subject = subject[1]
self.verb = verb[1]
self.obj = obj[1]
def __str__(self):
return str(self.__dict__)
def __eq__(self, other):
return self.__dict__ == other.__dict__
def parse_sentence(word_list):
try:
subj = parse_subject(word_list)
verb = parse_verb(word_list)
obj = parse_object(word_list)
sentence = sentence(subj, verb, obj)
return sentence
except:
print('Expecting a sentence of the form: Subject -> Verb -> Object')
def parse_number(word_list):
skip(word_list, 'stop')
next_word_type = peek(word_list)
if next_word_type == 'number':
return match(word_list, 'number')
else:
raise parser_error('Expected a number next.')
def parse_subject(word_list):
skip(word_list, 'stop')
next_word_type = peek(word_list)
if next_word_type == 'noun':
return match(word_list, 'noun')
elif next_word_type == 'verb':
return ('noun', 'player')
else:
raise parser_error('Expected a noun or verb next.')
def parse_verb(word_list):
skip(word_list, 'stop')
next_word_type = peek(word_list)
if next_word_type == 'verb':
return match(word_list, 'verb')
else:
raise parser_error('Expected a verb next.')
def parse_object(word_list):
skip(word_list, 'stop')
next_word_type = peek(word_list)
if next_word_type == 'noun':
return match(word_list, 'noun')
elif next_word_type == 'direction':
return match(word_list, 'direction')
else:
raise parser_error('Expected a noun or direction next.')
def peek(word_list):
if word_list:
word = word_list[0]
word_type = word[0]
return word_type
else:
return None
def match(word_list, expected_type):
if word_list:
word = word_list.pop(0)
word_type = word[0]
if word_type == expected_type:
return word
else:
return None
def skip(word_list, word_type):
while peek(word_list) == word_type:
match(word_list, word_type) |
missed_list = list()
for one_line in open("data/additional_data/missed_ontology"):
one_line = one_line.strip()
missed_list.append(one_line)
f_w = open("data/test/20180405.txt", "w")
for one_line in open("data/test/kill_me_plz_test.txt"):
dead_flag = 0
one_line = one_line.strip()
_, ontology_results = one_line.split("\t")
if len(ontology_results.split()) != 3:
dead_flag = 1
for one_ontology in ontology_results.split():
if one_ontology in missed_list:
dead_flag = 1
if dead_flag == 0:
f_w.write("%s\n" % one_line)
f_w.close() | missed_list = list()
for one_line in open('data/additional_data/missed_ontology'):
one_line = one_line.strip()
missed_list.append(one_line)
f_w = open('data/test/20180405.txt', 'w')
for one_line in open('data/test/kill_me_plz_test.txt'):
dead_flag = 0
one_line = one_line.strip()
(_, ontology_results) = one_line.split('\t')
if len(ontology_results.split()) != 3:
dead_flag = 1
for one_ontology in ontology_results.split():
if one_ontology in missed_list:
dead_flag = 1
if dead_flag == 0:
f_w.write('%s\n' % one_line)
f_w.close() |
VERSION = "v0.0.1"
def version():
return VERSION
| version = 'v0.0.1'
def version():
return VERSION |
DATABASES_ENGINE = 'django.db.backends.postgresql_psycopg2'
DATABASES_NAME = 'spending'
DATABASES_USER = 'postgres'
DATABASES_PASSWORD = 'pg'
DATABASES_HOST = '127.0.0.1'
DATABASES_PORT = 5432
| databases_engine = 'django.db.backends.postgresql_psycopg2'
databases_name = 'spending'
databases_user = 'postgres'
databases_password = 'pg'
databases_host = '127.0.0.1'
databases_port = 5432 |
# Bluerred Image Detection
#
# Author: Jasonsey
# Email: 2627866800@qq.com
#
# =============================================================================
"""the common tools api"""
| """the common tools api""" |
#
# PySNMP MIB module BLADESPPALT-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/BLADESPPALT-MIB
# Produced by pysmi-0.3.4 at Wed May 1 11:39:07 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueSizeConstraint, ConstraintsIntersection, SingleValueConstraint, ValueRangeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ConstraintsIntersection", "SingleValueConstraint", "ValueRangeConstraint", "ConstraintsUnion")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
Counter64, IpAddress, iso, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter32, Unsigned32, Bits, enterprises, Gauge32, ModuleIdentity, Integer32, TimeTicks, NotificationType, NotificationType, ObjectIdentity, MibIdentifier = mibBuilder.importSymbols("SNMPv2-SMI", "Counter64", "IpAddress", "iso", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter32", "Unsigned32", "Bits", "enterprises", "Gauge32", "ModuleIdentity", "Integer32", "TimeTicks", "NotificationType", "NotificationType", "ObjectIdentity", "MibIdentifier")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
ibm = MibIdentifier((1, 3, 6, 1, 4, 1, 2))
ibmProd = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6))
supportProcessor = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6, 158))
mmRemoteSupTrapMIB = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6, 158, 3))
remoteSupTrapMibObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1))
spTrapInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1))
spTrapDateTime = MibScalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: spTrapDateTime.setStatus('mandatory')
if mibBuilder.loadTexts: spTrapDateTime.setDescription('Timestamp of Local Date and Time when alert was generated')
spTrapAppId = MibScalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: spTrapAppId.setStatus('mandatory')
if mibBuilder.loadTexts: spTrapAppId.setDescription("Application ID, always 'BladeCenter Management Module'")
spTrapSpTxtId = MibScalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: spTrapSpTxtId.setStatus('mandatory')
if mibBuilder.loadTexts: spTrapSpTxtId.setDescription('SP System Identification - Text Identification')
spTrapSysUuid = MibScalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: spTrapSysUuid.setStatus('mandatory')
if mibBuilder.loadTexts: spTrapSysUuid.setDescription('Host System UUID(Universal Unique ID)')
spTrapSysSern = MibScalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: spTrapSysSern.setStatus('mandatory')
if mibBuilder.loadTexts: spTrapSysSern.setDescription('Host System Serial Number')
spTrapAppType = MibScalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: spTrapAppType.setStatus('mandatory')
if mibBuilder.loadTexts: spTrapAppType.setDescription('Application Alert Type - Event Number ID')
spTrapPriority = MibScalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: spTrapPriority.setStatus('mandatory')
if mibBuilder.loadTexts: spTrapPriority.setDescription('Alert Severity Value - Critical Alert(0) - Non-Critical Alert(2) - System Alert(4) - Recovery Alert(8) - Informational Only Alert(255)')
spTrapMsgText = MibScalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 8), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: spTrapMsgText.setStatus('mandatory')
if mibBuilder.loadTexts: spTrapMsgText.setDescription('Alert Message Text')
spTrapHostContact = MibScalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 9), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: spTrapHostContact.setStatus('mandatory')
if mibBuilder.loadTexts: spTrapHostContact.setDescription('Host Contact')
spTrapHostLocation = MibScalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 10), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: spTrapHostLocation.setStatus('mandatory')
if mibBuilder.loadTexts: spTrapHostLocation.setDescription('Host Location')
spTrapBladeName = MibScalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 11), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: spTrapBladeName.setStatus('mandatory')
if mibBuilder.loadTexts: spTrapBladeName.setDescription('Blade Name')
spTrapBladeSern = MibScalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 12), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: spTrapBladeSern.setStatus('mandatory')
if mibBuilder.loadTexts: spTrapBladeSern.setDescription('Blade Serial Number')
spTrapBladeUuid = MibScalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 13), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: spTrapBladeUuid.setStatus('mandatory')
if mibBuilder.loadTexts: spTrapBladeUuid.setDescription('Blade UUID(Universal Unique ID)')
mmTrapTempC = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,0)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapTempC.setDescription('Critical Alert: Temperature threshold exceeded.')
mmTrapVoltC = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,1)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapVoltC.setDescription('Critical Alert: Voltage threshold exceeded.')
mmTrapTampC = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,2)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapTampC.setDescription('Critical Alert: Physical intrusion of system has occurred.')
mmTrapMffC = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,3)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapMffC.setDescription('Critical Alert: Multiple fan failure.')
mmTrapPsC = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,4)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapPsC.setDescription('Critical Alert: Power supply failure.')
mTrapHdC = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,5)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mTrapHdC.setDescription('Critical Alert: Hard disk drive failure.')
mmTrapVrmC = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,6)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapVrmC.setDescription('Critical Alert: Voltage Regulator Module(VRM) failure.')
mmTrapSffC = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,11)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapSffC.setDescription('Critical Alert: Single Fan failure.')
mmTrapMsC = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,31)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapMsC.setDescription('Critical Alert: Multiple switch module failure.')
mmTrapIhcC = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,36)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapIhcC.setDescription('Critical Alert: Incompatible hardware configuration.')
mmTrapRdpsN = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,10)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapRdpsN.setDescription('Non-Critical Alert: Redundant Power Supply failure.')
mmTrapTempN = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,12)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapTempN.setDescription('Non-Critical Alert: Temperature threshold exceeded.')
mmTrapVoltN = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,13)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapVoltN.setDescription('Non-Critical Alert: Voltage threshold exceeded.')
mmTrapRmN = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,32)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapRmN.setDescription('Non-Critical Alert: Redundant module.')
mmTrapSecDvS = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,15)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapSecDvS.setDescription('System Alert: Secondary Device warning.')
mmTrapPostToS = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,20)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapPostToS.setDescription('System Alert: Post Timeout value exceeded.')
mmTrapOsToS = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,21)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapOsToS.setDescription('System Alert: OS Timeout value exceeded.')
mmTrapAppS = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,22)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapAppS.setDescription('System Alert: Application Alert.')
mmTrapPoffS = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,23)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapPoffS.setDescription('System Alert: Power Off.')
mmTrapPonS = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,24)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapPonS.setDescription('System Alert: Power On.')
mmTrapBootS = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,25)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapBootS.setDescription('System Alert: System Boot Failure.')
mmTrapLdrToS = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,26)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapLdrToS.setDescription('System Alert: OS Loader Timeout.')
mmTrapPFAS = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,27)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapPFAS.setDescription('System Alert: Predictive Failure Analysis(PFA) information.')
mmTrapKVMSwitchS = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,33)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapKVMSwitchS.setDescription('System Alert: Keyboard/Video/Mouse(KVM) or Medial Tray(MT) switching failure.')
mmTrapSysInvS = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,34)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapSysInvS.setDescription('System Alert: Inventory.')
mmTrapSysLogS = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,35)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapSysLogS.setDescription('System Alert: System Log 75% full.')
mmTrapNwChangeS = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,37)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapNwChangeS.setDescription('System Alert: Network change notification.')
mmTrapBlThrS = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,39)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapBlThrS.setDescription('System Alert: Blade Throttle')
mmTrapPwrMgntS = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0,40)).setObjects(("BLADESPPALT-MIB", "spTrapDateTime"), ("BLADESPPALT-MIB", "spTrapAppId"), ("BLADESPPALT-MIB", "spTrapSpTxtId"), ("BLADESPPALT-MIB", "spTrapSysUuid"), ("BLADESPPALT-MIB", "spTrapSysSern"), ("BLADESPPALT-MIB", "spTrapAppType"), ("BLADESPPALT-MIB", "spTrapPriority"), ("BLADESPPALT-MIB", "spTrapMsgText"), ("BLADESPPALT-MIB", "spTrapHostContact"), ("BLADESPPALT-MIB", "spTrapHostLocation"), ("BLADESPPALT-MIB", "spTrapBladeName"), ("BLADESPPALT-MIB", "spTrapBladeSern"), ("BLADESPPALT-MIB", "spTrapBladeUuid"))
if mibBuilder.loadTexts: mmTrapPwrMgntS.setDescription('System Alert: Power Management')
mibBuilder.exportSymbols("BLADESPPALT-MIB", spTrapHostContact=spTrapHostContact, mmTrapVrmC=mmTrapVrmC, mmTrapOsToS=mmTrapOsToS, mmTrapPostToS=mmTrapPostToS, mmTrapSysInvS=mmTrapSysInvS, mmTrapNwChangeS=mmTrapNwChangeS, mmTrapTempN=mmTrapTempN, mmTrapKVMSwitchS=mmTrapKVMSwitchS, mmRemoteSupTrapMIB=mmRemoteSupTrapMIB, mmTrapVoltN=mmTrapVoltN, spTrapInfo=spTrapInfo, spTrapSpTxtId=spTrapSpTxtId, mmTrapBlThrS=mmTrapBlThrS, mmTrapBootS=mmTrapBootS, remoteSupTrapMibObjects=remoteSupTrapMibObjects, mmTrapLdrToS=mmTrapLdrToS, spTrapSysSern=spTrapSysSern, spTrapHostLocation=spTrapHostLocation, supportProcessor=supportProcessor, mmTrapTempC=mmTrapTempC, mmTrapAppS=mmTrapAppS, spTrapAppType=spTrapAppType, mmTrapMsC=mmTrapMsC, mmTrapRmN=mmTrapRmN, spTrapAppId=spTrapAppId, mmTrapSecDvS=mmTrapSecDvS, ibm=ibm, mmTrapPFAS=mmTrapPFAS, mmTrapRdpsN=mmTrapRdpsN, mmTrapSffC=mmTrapSffC, ibmProd=ibmProd, spTrapMsgText=spTrapMsgText, mmTrapPonS=mmTrapPonS, mmTrapIhcC=mmTrapIhcC, mmTrapPoffS=mmTrapPoffS, spTrapBladeName=spTrapBladeName, spTrapDateTime=spTrapDateTime, mmTrapPwrMgntS=mmTrapPwrMgntS, mmTrapTampC=mmTrapTampC, mmTrapSysLogS=mmTrapSysLogS, mmTrapPsC=mmTrapPsC, mmTrapVoltC=mmTrapVoltC, spTrapPriority=spTrapPriority, mTrapHdC=mTrapHdC, spTrapBladeSern=spTrapBladeSern, spTrapBladeUuid=spTrapBladeUuid, spTrapSysUuid=spTrapSysUuid, mmTrapMffC=mmTrapMffC)
| (integer, octet_string, object_identifier) = mibBuilder.importSymbols('ASN1', 'Integer', 'OctetString', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_size_constraint, constraints_intersection, single_value_constraint, value_range_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ConstraintsIntersection', 'SingleValueConstraint', 'ValueRangeConstraint', 'ConstraintsUnion')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(counter64, ip_address, iso, mib_scalar, mib_table, mib_table_row, mib_table_column, counter32, unsigned32, bits, enterprises, gauge32, module_identity, integer32, time_ticks, notification_type, notification_type, object_identity, mib_identifier) = mibBuilder.importSymbols('SNMPv2-SMI', 'Counter64', 'IpAddress', 'iso', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter32', 'Unsigned32', 'Bits', 'enterprises', 'Gauge32', 'ModuleIdentity', 'Integer32', 'TimeTicks', 'NotificationType', 'NotificationType', 'ObjectIdentity', 'MibIdentifier')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
ibm = mib_identifier((1, 3, 6, 1, 4, 1, 2))
ibm_prod = mib_identifier((1, 3, 6, 1, 4, 1, 2, 6))
support_processor = mib_identifier((1, 3, 6, 1, 4, 1, 2, 6, 158))
mm_remote_sup_trap_mib = mib_identifier((1, 3, 6, 1, 4, 1, 2, 6, 158, 3))
remote_sup_trap_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1))
sp_trap_info = mib_identifier((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1))
sp_trap_date_time = mib_scalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
spTrapDateTime.setStatus('mandatory')
if mibBuilder.loadTexts:
spTrapDateTime.setDescription('Timestamp of Local Date and Time when alert was generated')
sp_trap_app_id = mib_scalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
spTrapAppId.setStatus('mandatory')
if mibBuilder.loadTexts:
spTrapAppId.setDescription("Application ID, always 'BladeCenter Management Module'")
sp_trap_sp_txt_id = mib_scalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
spTrapSpTxtId.setStatus('mandatory')
if mibBuilder.loadTexts:
spTrapSpTxtId.setDescription('SP System Identification - Text Identification')
sp_trap_sys_uuid = mib_scalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
spTrapSysUuid.setStatus('mandatory')
if mibBuilder.loadTexts:
spTrapSysUuid.setDescription('Host System UUID(Universal Unique ID)')
sp_trap_sys_sern = mib_scalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
spTrapSysSern.setStatus('mandatory')
if mibBuilder.loadTexts:
spTrapSysSern.setDescription('Host System Serial Number')
sp_trap_app_type = mib_scalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
spTrapAppType.setStatus('mandatory')
if mibBuilder.loadTexts:
spTrapAppType.setDescription('Application Alert Type - Event Number ID')
sp_trap_priority = mib_scalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
spTrapPriority.setStatus('mandatory')
if mibBuilder.loadTexts:
spTrapPriority.setDescription('Alert Severity Value - Critical Alert(0) - Non-Critical Alert(2) - System Alert(4) - Recovery Alert(8) - Informational Only Alert(255)')
sp_trap_msg_text = mib_scalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 8), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
spTrapMsgText.setStatus('mandatory')
if mibBuilder.loadTexts:
spTrapMsgText.setDescription('Alert Message Text')
sp_trap_host_contact = mib_scalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 9), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
spTrapHostContact.setStatus('mandatory')
if mibBuilder.loadTexts:
spTrapHostContact.setDescription('Host Contact')
sp_trap_host_location = mib_scalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 10), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
spTrapHostLocation.setStatus('mandatory')
if mibBuilder.loadTexts:
spTrapHostLocation.setDescription('Host Location')
sp_trap_blade_name = mib_scalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 11), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
spTrapBladeName.setStatus('mandatory')
if mibBuilder.loadTexts:
spTrapBladeName.setDescription('Blade Name')
sp_trap_blade_sern = mib_scalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 12), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
spTrapBladeSern.setStatus('mandatory')
if mibBuilder.loadTexts:
spTrapBladeSern.setDescription('Blade Serial Number')
sp_trap_blade_uuid = mib_scalar((1, 3, 6, 1, 4, 1, 2, 6, 158, 3, 1, 1, 13), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
spTrapBladeUuid.setStatus('mandatory')
if mibBuilder.loadTexts:
spTrapBladeUuid.setDescription('Blade UUID(Universal Unique ID)')
mm_trap_temp_c = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 0)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapTempC.setDescription('Critical Alert: Temperature threshold exceeded.')
mm_trap_volt_c = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 1)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapVoltC.setDescription('Critical Alert: Voltage threshold exceeded.')
mm_trap_tamp_c = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 2)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapTampC.setDescription('Critical Alert: Physical intrusion of system has occurred.')
mm_trap_mff_c = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 3)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapMffC.setDescription('Critical Alert: Multiple fan failure.')
mm_trap_ps_c = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 4)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapPsC.setDescription('Critical Alert: Power supply failure.')
m_trap_hd_c = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 5)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mTrapHdC.setDescription('Critical Alert: Hard disk drive failure.')
mm_trap_vrm_c = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 6)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapVrmC.setDescription('Critical Alert: Voltage Regulator Module(VRM) failure.')
mm_trap_sff_c = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 11)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapSffC.setDescription('Critical Alert: Single Fan failure.')
mm_trap_ms_c = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 31)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapMsC.setDescription('Critical Alert: Multiple switch module failure.')
mm_trap_ihc_c = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 36)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapIhcC.setDescription('Critical Alert: Incompatible hardware configuration.')
mm_trap_rdps_n = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 10)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapRdpsN.setDescription('Non-Critical Alert: Redundant Power Supply failure.')
mm_trap_temp_n = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 12)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapTempN.setDescription('Non-Critical Alert: Temperature threshold exceeded.')
mm_trap_volt_n = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 13)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapVoltN.setDescription('Non-Critical Alert: Voltage threshold exceeded.')
mm_trap_rm_n = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 32)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapRmN.setDescription('Non-Critical Alert: Redundant module.')
mm_trap_sec_dv_s = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 15)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapSecDvS.setDescription('System Alert: Secondary Device warning.')
mm_trap_post_to_s = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 20)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapPostToS.setDescription('System Alert: Post Timeout value exceeded.')
mm_trap_os_to_s = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 21)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapOsToS.setDescription('System Alert: OS Timeout value exceeded.')
mm_trap_app_s = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 22)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapAppS.setDescription('System Alert: Application Alert.')
mm_trap_poff_s = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 23)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapPoffS.setDescription('System Alert: Power Off.')
mm_trap_pon_s = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 24)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapPonS.setDescription('System Alert: Power On.')
mm_trap_boot_s = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 25)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapBootS.setDescription('System Alert: System Boot Failure.')
mm_trap_ldr_to_s = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 26)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapLdrToS.setDescription('System Alert: OS Loader Timeout.')
mm_trap_pfas = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 27)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapPFAS.setDescription('System Alert: Predictive Failure Analysis(PFA) information.')
mm_trap_kvm_switch_s = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 33)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapKVMSwitchS.setDescription('System Alert: Keyboard/Video/Mouse(KVM) or Medial Tray(MT) switching failure.')
mm_trap_sys_inv_s = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 34)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapSysInvS.setDescription('System Alert: Inventory.')
mm_trap_sys_log_s = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 35)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapSysLogS.setDescription('System Alert: System Log 75% full.')
mm_trap_nw_change_s = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 37)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapNwChangeS.setDescription('System Alert: Network change notification.')
mm_trap_bl_thr_s = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 39)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapBlThrS.setDescription('System Alert: Blade Throttle')
mm_trap_pwr_mgnt_s = notification_type((1, 3, 6, 1, 4, 1, 2, 6, 158, 3) + (0, 40)).setObjects(('BLADESPPALT-MIB', 'spTrapDateTime'), ('BLADESPPALT-MIB', 'spTrapAppId'), ('BLADESPPALT-MIB', 'spTrapSpTxtId'), ('BLADESPPALT-MIB', 'spTrapSysUuid'), ('BLADESPPALT-MIB', 'spTrapSysSern'), ('BLADESPPALT-MIB', 'spTrapAppType'), ('BLADESPPALT-MIB', 'spTrapPriority'), ('BLADESPPALT-MIB', 'spTrapMsgText'), ('BLADESPPALT-MIB', 'spTrapHostContact'), ('BLADESPPALT-MIB', 'spTrapHostLocation'), ('BLADESPPALT-MIB', 'spTrapBladeName'), ('BLADESPPALT-MIB', 'spTrapBladeSern'), ('BLADESPPALT-MIB', 'spTrapBladeUuid'))
if mibBuilder.loadTexts:
mmTrapPwrMgntS.setDescription('System Alert: Power Management')
mibBuilder.exportSymbols('BLADESPPALT-MIB', spTrapHostContact=spTrapHostContact, mmTrapVrmC=mmTrapVrmC, mmTrapOsToS=mmTrapOsToS, mmTrapPostToS=mmTrapPostToS, mmTrapSysInvS=mmTrapSysInvS, mmTrapNwChangeS=mmTrapNwChangeS, mmTrapTempN=mmTrapTempN, mmTrapKVMSwitchS=mmTrapKVMSwitchS, mmRemoteSupTrapMIB=mmRemoteSupTrapMIB, mmTrapVoltN=mmTrapVoltN, spTrapInfo=spTrapInfo, spTrapSpTxtId=spTrapSpTxtId, mmTrapBlThrS=mmTrapBlThrS, mmTrapBootS=mmTrapBootS, remoteSupTrapMibObjects=remoteSupTrapMibObjects, mmTrapLdrToS=mmTrapLdrToS, spTrapSysSern=spTrapSysSern, spTrapHostLocation=spTrapHostLocation, supportProcessor=supportProcessor, mmTrapTempC=mmTrapTempC, mmTrapAppS=mmTrapAppS, spTrapAppType=spTrapAppType, mmTrapMsC=mmTrapMsC, mmTrapRmN=mmTrapRmN, spTrapAppId=spTrapAppId, mmTrapSecDvS=mmTrapSecDvS, ibm=ibm, mmTrapPFAS=mmTrapPFAS, mmTrapRdpsN=mmTrapRdpsN, mmTrapSffC=mmTrapSffC, ibmProd=ibmProd, spTrapMsgText=spTrapMsgText, mmTrapPonS=mmTrapPonS, mmTrapIhcC=mmTrapIhcC, mmTrapPoffS=mmTrapPoffS, spTrapBladeName=spTrapBladeName, spTrapDateTime=spTrapDateTime, mmTrapPwrMgntS=mmTrapPwrMgntS, mmTrapTampC=mmTrapTampC, mmTrapSysLogS=mmTrapSysLogS, mmTrapPsC=mmTrapPsC, mmTrapVoltC=mmTrapVoltC, spTrapPriority=spTrapPriority, mTrapHdC=mTrapHdC, spTrapBladeSern=spTrapBladeSern, spTrapBladeUuid=spTrapBladeUuid, spTrapSysUuid=spTrapSysUuid, mmTrapMffC=mmTrapMffC) |
with open('input.txt') as f:
lines = f.readlines()
depth_increased = 0
for i in range(len(lines)):
if (i == 0):
# don't check first sonar input
continue
if (int(lines[i]) > int(lines[i-1])):
depth_increased = depth_increased + 1
print(depth_increased) # 1559
| with open('input.txt') as f:
lines = f.readlines()
depth_increased = 0
for i in range(len(lines)):
if i == 0:
continue
if int(lines[i]) > int(lines[i - 1]):
depth_increased = depth_increased + 1
print(depth_increased) |
#!/usr/bin/python3
"""
Contains the inherits_from function
"""
def inherits_from(obj, a_class):
"""returns true if obj is a subclass of a_class, otherwise false"""
return(issubclass(type(obj), a_class) and type(obj) != a_class)
| """
Contains the inherits_from function
"""
def inherits_from(obj, a_class):
"""returns true if obj is a subclass of a_class, otherwise false"""
return issubclass(type(obj), a_class) and type(obj) != a_class |
"""
MappingEntry
"""
class MappingEntry(object):
"""
Defines what will be saved in the MapStorage.
A MappingEntry represents a connection between a custom currency address and a Waves address.
"""
DICT_COIN_KEY = 'coin'
DICT_WAVES_KEY = 'waves'
def __init__(self, waves_address: str, coin_address: str) -> None:
self._waves_address = waves_address
self._coin_address = coin_address
@property
def waves_address(self) -> str:
return self._waves_address
@property
def coin_address(self) -> str:
return self._coin_address
def __str__(self):
return "Coin(" + str(self._coin_address) + ")" + " -> " + "Waves(" + str(self._waves_address) + ")"
def __eq__(self, other):
return self.waves_address == other.waves_address and self.coin_address == other.coin_address
| """
MappingEntry
"""
class Mappingentry(object):
"""
Defines what will be saved in the MapStorage.
A MappingEntry represents a connection between a custom currency address and a Waves address.
"""
dict_coin_key = 'coin'
dict_waves_key = 'waves'
def __init__(self, waves_address: str, coin_address: str) -> None:
self._waves_address = waves_address
self._coin_address = coin_address
@property
def waves_address(self) -> str:
return self._waves_address
@property
def coin_address(self) -> str:
return self._coin_address
def __str__(self):
return 'Coin(' + str(self._coin_address) + ')' + ' -> ' + 'Waves(' + str(self._waves_address) + ')'
def __eq__(self, other):
return self.waves_address == other.waves_address and self.coin_address == other.coin_address |
WORD_TYPES = {
"north" : "direction",
"south" : "direction",
"east" : "direction",
"west" : "direction",
"go" : "verb",
"kill" : "verb",
"eat" : "verb",
"the" : "stop",
"in" : "stop",
"of" : "stop",
"bear" : "noun",
"princess" : "noun",
}
def convert_number(word):
try:
return int(word)
except:
return None
def scan(sentence):
words = sentence.split()
results = []
for word in words:
word_type = WORD_TYPES.get(word)
if word_type == None:
# it might be a number, so try converting
number = convert_number(word)
if number != None:
results.append(('number', number))
else:
results.append(('error', word))
else:
results.append((word_type, word))
return results
| word_types = {'north': 'direction', 'south': 'direction', 'east': 'direction', 'west': 'direction', 'go': 'verb', 'kill': 'verb', 'eat': 'verb', 'the': 'stop', 'in': 'stop', 'of': 'stop', 'bear': 'noun', 'princess': 'noun'}
def convert_number(word):
try:
return int(word)
except:
return None
def scan(sentence):
words = sentence.split()
results = []
for word in words:
word_type = WORD_TYPES.get(word)
if word_type == None:
number = convert_number(word)
if number != None:
results.append(('number', number))
else:
results.append(('error', word))
else:
results.append((word_type, word))
return results |
def reader(values):
f=open("level1.txt", "r")
# N=no. of lines
#x = the position from which the substring must begin
x=values[0]
x-=1
#y=the position at which the substring should end
list1=[]
for line in range(values[2]):
j=f.readline()
t=j[values[0]:values[1]]
list1.append(t)
return list1
| def reader(values):
f = open('level1.txt', 'r')
x = values[0]
x -= 1
list1 = []
for line in range(values[2]):
j = f.readline()
t = j[values[0]:values[1]]
list1.append(t)
return list1 |
class Solution:
# Use functions to convert all to numerical value (Accepted), O(n) time and space
def isSumEqual(self, a: str, b: str, t: str) -> bool:
def letter_val(letter):
return ord(letter) - ord('a')
def numerical_val(word):
s = ''
for c in word:
s += str(letter_val(c))
return int(s)
return numerical_val(a) + numerical_val(b) == numerical_val(t)
# Minus 49 (Top Voted), O(n) time and space
def isSumEqual(self, first: str, second: str, target: str) -> bool:
def op(s: str): return "".join(chr(ord(ch) - 49) for ch in s)
return int(op(first)) + int(op(second)) == int(op(target))
| class Solution:
def is_sum_equal(self, a: str, b: str, t: str) -> bool:
def letter_val(letter):
return ord(letter) - ord('a')
def numerical_val(word):
s = ''
for c in word:
s += str(letter_val(c))
return int(s)
return numerical_val(a) + numerical_val(b) == numerical_val(t)
def is_sum_equal(self, first: str, second: str, target: str) -> bool:
def op(s: str):
return ''.join((chr(ord(ch) - 49) for ch in s))
return int(op(first)) + int(op(second)) == int(op(target)) |
def CounterClosure(init=0):
value = [init]
def Inc():
value[0] += 1
return value[0]
return Inc
class CounterClass:
def __init__(self, init=0):
self.value = init
def Bump(self):
self.value += 1
return self.value
def CounterIter(init = 0):
while True:
init += 1
yield init
if __name__ == '__main__':
c1 = CounterClosure()
c2 = CounterClass()
c3 = CounterIter()
assert(c1() == c2.Bump() == next(c3))
assert(c1() == c2.Bump() == next(c3))
assert(c1() == c2.Bump() == next(c3))
| def counter_closure(init=0):
value = [init]
def inc():
value[0] += 1
return value[0]
return Inc
class Counterclass:
def __init__(self, init=0):
self.value = init
def bump(self):
self.value += 1
return self.value
def counter_iter(init=0):
while True:
init += 1
yield init
if __name__ == '__main__':
c1 = counter_closure()
c2 = counter_class()
c3 = counter_iter()
assert c1() == c2.Bump() == next(c3)
assert c1() == c2.Bump() == next(c3)
assert c1() == c2.Bump() == next(c3) |
# 2018-6-12
# Two sum
class Solution(object):
def twoSum(self, nums, target):
"""
:type nums: List[int]
:type target: int
:rtype: List[int]
"""
result = []
leng = len(nums)
i = 0
while i < leng - 1:
j = i + 1
while j < leng:
if nums[i] + nums[j] == target:
result.append(i)
result.append(j)
return result
j += 1
i += 1
return -1
nums = [3,2,4]
target = 6
s = Solution()
r = s.twoSum(nums,target)
print(r) | class Solution(object):
def two_sum(self, nums, target):
"""
:type nums: List[int]
:type target: int
:rtype: List[int]
"""
result = []
leng = len(nums)
i = 0
while i < leng - 1:
j = i + 1
while j < leng:
if nums[i] + nums[j] == target:
result.append(i)
result.append(j)
return result
j += 1
i += 1
return -1
nums = [3, 2, 4]
target = 6
s = solution()
r = s.twoSum(nums, target)
print(r) |
def commaCode(inputList):
myString = ''
for i in inputList:
if (inputList.index(i) == (len(inputList) - 1)):
myString = myString + 'and ' + str(i)
else:
myString = myString + str(i) + ', '
return myString
inputValue = ''
spam = []
print('Insert next list member. Finish by an empty line!')
inputValue = input()
while (inputValue != ''):
spam.append(inputValue);
print('Insert next list member. Finish by an empty line!')
inputValue = input()
print(commaCode(spam))
| def comma_code(inputList):
my_string = ''
for i in inputList:
if inputList.index(i) == len(inputList) - 1:
my_string = myString + 'and ' + str(i)
else:
my_string = myString + str(i) + ', '
return myString
input_value = ''
spam = []
print('Insert next list member. Finish by an empty line!')
input_value = input()
while inputValue != '':
spam.append(inputValue)
print('Insert next list member. Finish by an empty line!')
input_value = input()
print(comma_code(spam)) |
# Copyright (c) Pymatgen Development Team.
# Distributed under the terms of the MIT License.
"""
The borg package contains modules that assimilate large quantities of data into
pymatgen objects for analysis.
"""
| """
The borg package contains modules that assimilate large quantities of data into
pymatgen objects for analysis.
""" |
def my_reverse(lst):
new_lst = []
count = len(lst) - 1
while count >= 0:
new_lst.append(lst[count])
count -= 1
return new_lst | def my_reverse(lst):
new_lst = []
count = len(lst) - 1
while count >= 0:
new_lst.append(lst[count])
count -= 1
return new_lst |
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""Problem 062
ginortS
Source : https://www.hackerrank.com/challenges/ginorts/problem
"""
s = input()
def custom_index(c):
i = ord(c)
if i in range(65,91):
i += 100
elif i in range(48,58):
if i%2:
i += 200
else:
i += 300
return i
print(''.join(sorted(s, key=lambda c: custom_index(c))))
# other solution
print(*sorted(input(), key=lambda c: (-ord(c) >> 5, c in '02468', c)), sep='')
# bin(ord('z')) => '0b1111010'
# bin(ord('z')) >> 5 => '0b11
# -ord('z') >> 5 >> 5 => -4
# -ord('Z') >> 5 >> 5 => -3
# -ord('0') >> 5 >> 5 => -2
| """Problem 062
ginortS
Source : https://www.hackerrank.com/challenges/ginorts/problem
"""
s = input()
def custom_index(c):
i = ord(c)
if i in range(65, 91):
i += 100
elif i in range(48, 58):
if i % 2:
i += 200
else:
i += 300
return i
print(''.join(sorted(s, key=lambda c: custom_index(c))))
print(*sorted(input(), key=lambda c: (-ord(c) >> 5, c in '02468', c)), sep='') |
"""
File generated by export_config.cpp. Do not edit directly.
Exports maps for:
config_to_input_pages
config_to_modules
config_to_eqn_variables
config_to_cb_cmods
SSC Version: 205
Date: Sat Feb 23 13:57:48 2019
"""
# List of Variables that are used in equations #
ui_form_to_eqn_var_map = {
'Electric Building Load Calculator': {
('load_1', 'load_2', 'load_3', 'load_4', 'load_5', 'load_6', 'load_7', 'load_8', 'load_9', 'load_10', 'load_11', 'load_12'):
('Monthly_util', 'monthly_load'),
('load_model'):
('en_belpe'),
('escal_input_belpe'):
('escal_belpe') },
'Thermal Load': {
('thermal_load_user_data', 'normalize_to_thermal_bill', 'thermal_bill_data', 'thermal_scale_factor'):
('thermal_1', 'thermal_peak_1', 'thermal_2', 'thermal_peak_2', 'thermal_3', 'thermal_peak_3', 'thermal_4', 'thermal_peak_4', 'thermal_5', 'thermal_peak_5', 'thermal_6', 'thermal_peak_6', 'thermal_7', 'thermal_peak_7', 'thermal_8', 'thermal_peak_8', 'thermal_9', 'thermal_peak_9', 'thermal_10', 'thermal_peak_10', 'thermal_11', 'thermal_peak_11', 'thermal_12', 'thermal_peak_12', 'thermal_load', 'thermal_load_annual_total', 'thermal_annual_peak') },
'ISCC Parasitics': {
():
('bop_array'),
('bop_par', 'bop_par_f', 'bop_par_0', 'bop_par_1', 'bop_par_2', 'W_dot_solar_des'):
('csp.pt.par.calc.bop'),
('pb_fixed_par', 'fossil_output', 'W_dot_solar_des'):
('pb_fixed_par_mwe') },
'ISCC Receiver and Powerblock': {
('ngcc_model', 'q_pb_design', 'pinch_point_coldside', 'pinch_point_hotside', 'elev', 'rec_htf', 'field_fl_props'):
('W_dot_solar_des', 'T_htf_cold_des', 'fossil_output', 'max_solar_design', 'T_steam_sh_out_des'),
():
('ngcc_model'),
('nameplate'):
('system_capacity'),
('T_steam_sh_out_des', 'pinch_point_hotside'):
('T_htf_hot_des'),
('W_dot_solar_des'):
('nameplate') },
'PV Losses': {
('subarray3_soiling'):
('subarray3_soiling_annual_average'),
('subarray2_soiling'):
('subarray2_soiling_annual_average'),
('subarray4_mismatch_loss', 'subarray4_diodeconn_loss', 'subarray4_dcwiring_loss', 'subarray4_tracking_loss', 'subarray4_nameplate_loss', 'dcoptimizer_loss'):
('subarray4_dcloss'),
('subarray1_soiling'):
('subarray1_soiling_annual_average'),
('subarray4_soiling'):
('subarray4_soiling_annual_average'),
('subarray3_mismatch_loss', 'subarray3_diodeconn_loss', 'subarray3_dcwiring_loss', 'subarray3_tracking_loss', 'subarray3_nameplate_loss', 'dcoptimizer_loss'):
('subarray3_dcloss'),
('subarray2_mismatch_loss', 'subarray2_diodeconn_loss', 'subarray2_dcwiring_loss', 'subarray2_tracking_loss', 'subarray2_nameplate_loss', 'dcoptimizer_loss'):
('subarray2_dcloss'),
('subarray1_mismatch_loss', 'subarray1_diodeconn_loss', 'subarray1_dcwiring_loss', 'subarray1_tracking_loss', 'subarray1_nameplate_loss', 'dcoptimizer_loss'):
('subarray1_dcloss') },
'Inverter CEC Coefficient Generator': {
('inv_cec_cg_vdco', 'inv_cec_cg_pdco', 'inv_cec_cg_psco', 'inv_cec_cg_paco', 'inv_cec_cg_c0', 'inv_cec_cg_c1', 'inv_cec_cg_c2', 'inv_cec_cg_c3'):
('inv_cec_cg_eff_cec', 'inv_cec_cg_eff_euro') },
'CEC Performance Model with User Entered Specifications': {
('6par_bvoc_units', '6par_bvoc_display', '6par_voc'):
('6par_bvoc'),
('6par_aisc_units', '6par_aisc_display', '6par_isc'):
('6par_aisc'),
('6par_vmp', '6par_imp'):
('6par_pmp'),
('6par_vmp', '6par_imp', '6par_area'):
('6par_mpeff') },
'Simple Efficiency Module Model': {
('spe_reference', 'spe_eff0', 'spe_rad0', 'spe_eff1', 'spe_rad1', 'spe_eff2', 'spe_rad2', 'spe_eff3', 'spe_rad3', 'spe_eff4', 'spe_rad4', 'spe_area'):
('spe_power') },
'Financial Debt Residential': {
('real_discount_rate', 'inflation_rate', 'debt_fraction', 'federal_tax_rate', 'state_tax_rate', 'loan_rate'):
('ui_wacc'),
():
('market'),
('ui_net_capital_cost', 'debt_fraction'):
('loan_amount'),
('total_installed_cost', 'ibi_fed_amount', 'ibi_sta_amount', 'ibi_uti_amount', 'ibi_oth_amount', 'ibi_fed_percent', 'ibi_fed_percent_maxvalue', 'ibi_sta_percent', 'ibi_sta_percent_maxvalue', 'ibi_uti_percent', 'ibi_uti_percent_maxvalue', 'ibi_oth_percent', 'ibi_oth_percent_maxvalue', 'system_capacity', 'cbi_fed_amount', 'cbi_fed_maxvalue', 'cbi_sta_amount', 'cbi_sta_maxvalue', 'cbi_uti_amount', 'cbi_uti_maxvalue', 'cbi_oth_amount', 'cbi_oth_maxvalue'):
('ui_net_capital_cost') },
'Phys Trough Solar Field': {
('T_loop_out'):
('SF_COPY_T_loop_out_des'),
('specified_q_dot_rec_des'):
('SF_COPY_specified_q_dot_rec_des'),
('trough_loop_control'):
('SCAInfoArray'),
('fixed_land_area', 'non_solar_field_land_area_multiplier'):
('total_land_area'),
('q_pb_design', 'I_bn_des', 'total_loop_conversion_efficiency'):
('total_required_aperture_for_SM1'),
('nSCA', 'nLoops', 'SCA_drives_elec'):
('total_tracking_power'),
('total_aperture', 'Row_Distance', 'max_collector_width'):
('fixed_land_area'),
('combo_htf_type'):
('Fluid'),
('I_bn_des', 'total_loop_conversion_efficiency', 'total_aperture'):
('field_thermal_output'),
('trough_loop_control', 'csp_dtr_sca_calc_sca_eff_1', 'csp_dtr_sca_calc_sca_eff_2', 'csp_dtr_sca_calc_sca_eff_3', 'csp_dtr_sca_calc_sca_eff_4', 'csp_dtr_sca_length_1', 'csp_dtr_sca_length_2', 'csp_dtr_sca_length_3', 'csp_dtr_sca_length_4', 'csp_dtr_hce_optical_eff_1', 'csp_dtr_hce_optical_eff_2', 'csp_dtr_hce_optical_eff_3', 'csp_dtr_hce_optical_eff_4'):
('loop_optical_efficiency'),
('total_required_aperture_for_SM1', 'single_loop_aperature'):
('required_number_of_loops_for_SM1'),
('m_dot_htfmax', 'fluid_dens_outlet_temp', 'min_inner_diameter'):
('max_field_flow_velocity'),
('trough_loop_control'):
('SCADefocusArray'),
('T_loop_in_des'):
('SF_COPY_T_loop_in_des'),
('single_loop_aperature', 'nLoops'):
('total_aperture'),
('trough_loop_control', 'csp_dtr_hce_diam_absorber_inner_1', 'csp_dtr_hce_diam_absorber_inner_2', 'csp_dtr_hce_diam_absorber_inner_3', 'csp_dtr_hce_diam_absorber_inner_4'):
('min_inner_diameter'),
('I_bn_des'):
('SF_COPY_I_bn_des'),
('m_dot_htfmin', 'fluid_dens_inlet_temp', 'min_inner_diameter'):
('min_field_flow_velocity'),
('combo_FieldConfig'):
('FieldConfig'),
('specified_solar_multiple', 'total_required_aperture_for_SM1', 'single_loop_aperature'):
('nLoops'),
('trough_loop_control', 'I_bn_des', 'csp_dtr_hce_design_heat_loss_1', 'csp_dtr_hce_design_heat_loss_2', 'csp_dtr_hce_design_heat_loss_3', 'csp_dtr_hce_design_heat_loss_4', 'csp_dtr_sca_length_1', 'csp_dtr_sca_length_2', 'csp_dtr_sca_length_3', 'csp_dtr_sca_length_4', 'csp_dtr_sca_aperture_1', 'csp_dtr_sca_aperture_2', 'csp_dtr_sca_aperture_3', 'csp_dtr_sca_aperture_4'):
('cspdtr_loop_hce_heat_loss'),
('trough_loop_control', 'csp_dtr_sca_aperture_1', 'csp_dtr_sca_aperture_2', 'csp_dtr_sca_aperture_3', 'csp_dtr_sca_aperture_4'):
('single_loop_aperature'),
('specified_solar_multiple'):
('SF_COPY_specified_solar_multiple'),
('combo_htf_type', 'Fluid', 'T_loop_in_des', 'T_loop_out', 'field_fl_props'):
('field_htf_cp_avg'),
('field_thermal_output', 'q_pb_design'):
('solar_mult'),
('loop_optical_efficiency', 'cspdtr_loop_hce_heat_loss'):
('total_loop_conversion_efficiency'),
():
('defocus') },
'Phys Trough System Design': {
('field_thermal_output'):
('SD_COPY_field_thermal_output'),
('solar_mult'):
('SD_COPY_solar_mult'),
('specified_solar_multiple', 'q_pb_design'):
('specified_q_dot_rec_des'),
('nLoops'):
('SD_COPY_nLoops'),
('total_aperture'):
('SD_COPY_total_aperture'),
('specified_q_dot_rec_des'):
('system_capacity') },
'Financial Analysis Host Developer Parameters': {
('host_real_discount_rate', 'inflation_rate'):
('host_nominal_discount_rate'),
('real_discount_rate', 'inflation_rate'):
('nominal_discount_rate') },
'PV Capital Costs': {
('battery_energy', 'battery_per_kWh', 'battery_power', 'battery_per_kW'):
('battery_total'),
('en_batt', 'batt_power_discharge_max', 'batt_simple_enable', 'batt_simple_kw'):
('battery_power'),
('system_use_lifetime_output'):
('system_use_recapitalization'),
('module_total', 'inverter_total', 'battery_total', 'bos_equip_total', 'install_labor_total', 'install_margin_total'):
('subtotal_direct'),
('total_installed_cost', 'modulearray_power'):
('installed_per_capacity'),
('inverter_costunits', 'inverter_num_units', 'inverter_power', 'module_num_units', 'module_power', 'per_inverter'):
('inverter_total'),
('bos_equip_fixed', 'modulearray_power', 'bos_equip_perwatt', 'modulearray_area', 'bos_equip_perarea'):
('bos_equip_total'),
('grid_percent', 'total_direct_cost', 'modulearray_power', 'grid_per_watt', 'grid_fixed'):
('grid_total'),
('install_labor_fixed', 'modulearray_power', 'install_labor_perwatt', 'modulearray_area', 'install_labor_perarea'):
('install_labor_total'),
('total_land_area'):
('modulearray_area'),
('inverter_power', 'inverter_num_units'):
('inverterarray_power'),
('inverter_count'):
('inverter_num_units'),
('landprep_per_acre', 'land_area_value', 'landprep_percent', 'total_direct_cost', 'modulearray_power', 'landprep_per_watt', 'landprep_fixed'):
('landprep_total'),
('total_modules'):
('module_num_units'),
('sales_tax_value', 'total_direct_cost', 'sales_tax_percent'):
('sales_tax_total'),
('land_per_acre', 'land_area_value', 'land_percent', 'total_direct_cost', 'modulearray_power', 'land_per_watt', 'land_fixed'):
('land_total'),
('permitting_total', 'engr_total', 'grid_total', 'land_total', 'landprep_total', 'sales_tax_total'):
('total_indirect_cost'),
('module_power', 'module_num_units'):
('modulearray_power'),
('install_margin_fixed', 'modulearray_power', 'install_margin_perwatt', 'modulearray_area', 'install_margin_perarea'):
('install_margin_total'),
('permitting_percent', 'total_direct_cost', 'modulearray_power', 'permitting_per_watt', 'permitting_fixed'):
('permitting_total'),
('system_capacity', 'dc_ac_ratio', 'inverter_model', 'inv_snl_paco', 'inv_ds_paco', 'inv_pd_paco', 'inv_cec_cg_paco'):
('inverter_power'),
('module_total', 'inverter_total', 'battery_total', 'bos_equip_total', 'install_labor_total', 'install_margin_total', 'contingency'):
('total_direct_cost'),
('contingency_percent', 'module_total', 'inverter_total', 'bos_equip_total', 'install_labor_total', 'install_margin_total', 'battery_total'):
('contingency'),
('en_batt', 'batt_computed_bank_capacity', 'batt_simple_enable', 'batt_simple_kwh'):
('battery_energy'),
('sales_tax_rate'):
('sales_tax_value'),
('system_capacity', 'module_model', 'spe_power', 'cec_p_mp_ref', '6par_pmp', 'snl_ref_pmp', 'sd11par_Pmp0'):
('module_power'),
('module_costunits', 'module_num_units', 'module_power', 'per_module'):
('module_total'),
('total_land_area'):
('land_area_value'),
('total_direct_cost', 'total_indirect_cost'):
('total_installed_cost'),
('engr_percent', 'total_direct_cost', 'modulearray_power', 'engr_per_watt', 'engr_fixed'):
('engr_total') },
'Thermal Rate': {
('thermal_buy_rate_option', 'thermal_buy_rate_flat', 'thermal_timestep_buy_rate', 'thermal_sell_rate_option', 'thermal_sell_rate_flat', 'thermal_timestep_sell_rate'):
('thermal_buy_rate', 'thermal_sell_rate') },
'Fuel Cell O and M Costs': {
('batt_computed_bank_capacity'):
('om_capacity1_nameplate'),
():
('add_om_num_types'),
('fuelcell_power_nameplate'):
('om_capacity2_nameplate'),
('fc_fuel_cost', 'om_fuel_price_units'):
('om_fuel_cost') },
'Fuel Cell Costs': {
('fuelcell_power_total', 'fuelcell_per_kW'):
('fuelcell_total'),
('battery_energy', 'battery_per_kWh', 'battery_power', 'battery_per_kW'):
('battery_total'),
('en_batt', 'batt_power_discharge_max', 'batt_simple_enable', 'batt_simple_kw'):
('battery_power'),
('system_use_lifetime_output'):
('system_use_recapitalization'),
('module_total', 'inverter_total', 'battery_total', 'fuelcell_total', 'bos_equip_total', 'install_labor_total', 'install_margin_total'):
('subtotal_direct'),
('total_installed_cost', 'modulearray_power'):
('installed_per_capacity'),
('inverter_costunits', 'inverter_num_units', 'inverter_power', 'module_num_units', 'module_power', 'per_inverter'):
('inverter_total'),
('bos_equip_fixed', 'modulearray_power', 'bos_equip_perwatt', 'battery_power', 'bos_equip_battperkw', 'fuelcell_power_nameplate', 'bos_equip_fcperkw', 'modulearray_area', 'bos_equip_perarea'):
('bos_equip_total'),
('grid_percent', 'total_direct_cost', 'modulearray_power', 'grid_per_watt', 'battery_power', 'grid_per_battkw', 'fuelcell_power_nameplate', 'grid_per_fckw', 'grid_fixed'):
('grid_total'),
('install_labor_fixed', 'modulearray_power', 'install_labor_perwatt', 'battery_power', 'install_labor_battperkw', 'fuelcell_power_nameplate', 'install_labor_fcperkw', 'modulearray_area', 'install_labor_perarea'):
('install_labor_total'),
('total_land_area'):
('modulearray_area'),
('inverter_power', 'inverter_num_units'):
('inverterarray_power'),
('inverter_count'):
('inverter_num_units'),
('landprep_per_acre', 'land_area_value', 'landprep_percent', 'total_direct_cost', 'modulearray_power', 'landprep_per_watt', 'battery_power', 'landprep_per_battkw', 'fuelcell_power_nameplate', 'landprep_per_fckw', 'landprep_fixed'):
('landprep_total'),
('total_modules'):
('module_num_units'),
('sales_tax_value', 'total_direct_cost', 'sales_tax_percent'):
('sales_tax_total'),
('land_per_acre', 'land_area_value', 'land_percent', 'total_direct_cost', 'modulearray_power', 'land_per_watt', 'battery_power', 'land_per_battkw', 'fuelcell_power_nameplate', 'land_per_fckw', 'land_fixed'):
('land_total'),
('permitting_total', 'engr_total', 'grid_total', 'land_total', 'landprep_total', 'sales_tax_total'):
('total_indirect_cost'),
('module_power', 'module_num_units'):
('modulearray_power'),
('install_margin_fixed', 'modulearray_power', 'install_margin_perwatt', 'battery_power', 'install_margin_battperkw', 'fuelcell_power_nameplate', 'install_margin_fcperkw', 'modulearray_area', 'install_margin_perarea'):
('install_margin_total'),
('permitting_percent', 'total_direct_cost', 'modulearray_power', 'permitting_per_watt', 'battery_power', 'permitting_per_battkw', 'fuelcell_power_nameplate', 'permitting_per_fckw', 'permitting_fixed'):
('permitting_total'),
('system_capacity', 'dc_ac_ratio', 'inverter_model', 'inv_snl_paco', 'inv_ds_paco', 'inv_pd_paco', 'inv_cec_cg_paco'):
('inverter_power'),
('module_total', 'inverter_total', 'battery_total', 'fuelcell_total', 'bos_equip_total', 'install_labor_total', 'install_margin_total', 'contingency'):
('total_direct_cost'),
('contingency_percent', 'module_total', 'inverter_total', 'bos_equip_total', 'install_labor_total', 'install_margin_total'):
('contingency'),
('fuelcell_power_nameplate'):
('fuelcell_power_total'),
('en_batt', 'batt_computed_bank_capacity', 'batt_simple_enable', 'batt_simple_kwh'):
('battery_energy'),
('sales_tax_rate'):
('sales_tax_value'),
('system_capacity', 'module_model', 'spe_power', 'cec_p_mp_ref', '6par_pmp', 'snl_ref_pmp', 'sd11par_Pmp0'):
('module_power'),
('module_costunits', 'module_num_units', 'module_power', 'per_module'):
('module_total'),
('total_direct_cost', 'total_indirect_cost'):
('total_installed_cost'),
('engr_percent', 'total_direct_cost', 'modulearray_power', 'engr_per_watt', 'battery_power', 'engr_per_battkw', 'fuelcell_power_nameplate', 'engr_per_fckw', 'engr_fixed'):
('engr_total') },
'Fuel Cell Dispatch Manual': {
('dispatch_manual_fuelcelldischarge', 'fc_discharge_units_1', 'fc_discharge_units_2', 'fc_discharge_units_3', 'fc_discharge_units_4', 'fc_discharge_units_5', 'fc_discharge_units_6'):
('dispatch_manual_units_fc_discharge'),
('dispatch_manual_fuelcelldischarge', 'fc_discharge_percent_1', 'fc_discharge_percent_2', 'fc_discharge_percent_3', 'fc_discharge_percent_4', 'fc_discharge_percent_5', 'fc_discharge_percent_6'):
('dispatch_manual_percent_fc_discharge'),
('dispatch_manual_gridcharge', 'batt_gridcharge_percent_1', 'batt_gridcharge_percent_2', 'batt_gridcharge_percent_3', 'batt_gridcharge_percent_4', 'batt_gridcharge_percent_5', 'batt_gridcharge_percent_6'):
('dispatch_manual_percent_gridcharge'),
('fc.storage.p1.charge', 'fc.storage.p2.charge', 'fc.storage.p3.charge', 'fc.storage.p4.charge', 'fc.storage.p5.charge', 'fc.storage.p6.charge'):
('dispatch_manual_fuelcellcharge'),
('dispatch_manual_discharge', 'batt_discharge_percent_1', 'batt_discharge_percent_2', 'batt_discharge_percent_3', 'batt_discharge_percent_4', 'batt_discharge_percent_5', 'batt_discharge_percent_6'):
('dispatch_manual_percent_discharge'),
('pv.storage.p1.gridcharge', 'pv.storage.p2.gridcharge', 'pv.storage.p3.gridcharge', 'pv.storage.p4.gridcharge', 'pv.storage.p5.gridcharge', 'pv.storage.p6.gridcharge'):
('dispatch_manual_gridcharge'),
('fc.p1.discharge', 'fc.p2.discharge', 'fc.p3.discharge', 'fc.p4.discharge', 'fc.p5.discharge', 'fc.p6.discharge'):
('dispatch_manual_fuelcelldischarge'),
('pv.storage.p1.discharge', 'pv.storage.p2.discharge', 'pv.storage.p3.discharge', 'pv.storage.p4.discharge', 'pv.storage.p5.discharge', 'pv.storage.p6.discharge'):
('dispatch_manual_discharge'),
('pv.storage.p1.charge', 'pv.storage.p2.charge', 'pv.storage.p3.charge', 'pv.storage.p4.charge', 'pv.storage.p5.charge', 'pv.storage.p6.charge'):
('dispatch_manual_charge') },
'Fuel Cell Dispatch': {
('fuelcell_dispatch_input', 'fuelcell_dispatch_input_units', 'fuelcell_unit_max_power'):
('fuelcell_dispatch') },
'PVWatts': {
('en_user_spec_losses', 'losses_user', 'loss_soiling', 'loss_shading', 'loss_snow', 'loss_mismatch', 'loss_wiring', 'loss_conn', 'loss_lid', 'loss_nameplate', 'loss_age', 'loss_avail'):
('losses'),
('system_capacity', 'dc_ac_ratio'):
('ac_nameplate') },
'Solar Water Heating': {
('draw', 'use_draw_scaling', 'daily_draw'):
('scaled_draw', 'annual_draw'),
('coll_mode', 'user_test_fluid', 'srcc_test_fluid'):
('test_fluid'),
('area_coll', 'ncoll', 'FRta', 'FRUL'):
('system_capacity'),
('coll_mode', 'user_FRUL', 'srcc_FRUL'):
('FRUL'),
('coll_mode', 'user_FRta', 'srcc_FRta'):
('FRta'),
('coll_mode', 'user_iam', 'srcc_iam'):
('iam'),
('coll_mode', 'user_area_coll', 'srcc_area'):
('area_coll'),
('coll_mode', 'user_test_flow', 'srcc_test_flow'):
('test_flow'),
('area_coll', 'ncoll'):
('total_area') },
'Geothermal Power Block': {
():
('HTF'),
():
('degradation'),
('analysis_period'):
('geothermal_analysis_period'),
('geopowerblock.pwrb.condenser_type'):
('CT'),
('design_temp'):
('T_htf_hot_ref') },
'Geothermal Plant and Equipment': {
('gross_output'):
('system_capacity'),
('nameplate', 'resource_type', 'resource_temp', 'resource_depth', 'geothermal_analysis_period', 'model_choice', 'analysis_type', 'num_wells', 'conversion_type', 'plant_efficiency_input', 'conversion_subtype', 'decline_type', 'temp_decline_rate', 'temp_decline_max', 'wet_bulb_temp', 'ambient_pressure', 'well_flow_rate', 'pump_efficiency', 'delta_pressure_equip', 'excess_pressure_pump', 'well_diameter', 'casing_size', 'inj_well_diam', 'design_temp', 'specify_pump_work', 'specified_pump_work_amount', 'rock_thermal_conductivity', 'rock_specific_heat', 'rock_density', 'reservoir_pressure_change_type', 'reservoir_pressure_change', 'reservoir_width', 'reservoir_height', 'reservoir_permeability', 'inj_prod_well_distance', 'subsurface_water_loss', 'fracture_aperature', 'fracture_width', 'num_fractures', 'fracture_angle', 'hr_pl_nlev'):
('num_wells_getem', 'geotherm.plant_efficiency_used', 'gross_output', 'pump_depth', 'pump_work', 'pump_size_hp', 'geotherm.delta_pressure_reservoir', 'geotherm.avg_reservoir_temp', 'geotherm.bottom_hole_pressure'),
('well_flow_rate', 'num_wells_getem'):
('geotherm.total_flow_kg_per_s'),
('geotherm.egs_design_temp_autoselect', 'resource_temp', 'geotherm.egs_design_temp_input'):
('design_temp'),
():
('ui_calculations_only'),
('gross_output', 'pump_work'):
('geotherm.net_output'),
('geotherm.total_flow_kg_per_s'):
('geotherm.total_flow_gpm') },
'Geothermal Resource': {
('geotherm.bottom_hole_pressure'):
('geotherm.bottom_hole_pressureBar'),
('geotherm.avg_reservoir_temp'):
('geotherm.avg_reservoir_tempF'),
('geotherm.delta_pressure_reservoir'):
('geotherm.delta_pressure_reservoirBar') },
'LF DSG Solar Field': {
('x_b_des'):
('SF_COPY_x_b_des'),
('P_turb_des'):
('SF_COPY_P_turb_des'),
('T_cold_ref'):
('SF_COPY_T_cold_ref_des'),
('csp.lf.sf.field_area', 'csp.lf.sf.area_multiplier'):
('csp.lf.sf.total_land_area'),
('I_bn_des'):
('SF_COPY_I_bn_des'),
('csp.lf.sf.dp.actual_aper'):
('csp.lf.sf.field_area'),
('csp.lf.geom1.rec_thermal_derate'):
('csp.lf.sf.dp.loop_therm_eff'),
('csp.lf.sf.dp.actual_aper', 'csp.lf.sf.dp.sm1_aperture'):
('solarm'),
('specified_solar_multiple', 'csp.lf.sf.dp.sm1_aperture', 'csp.lf.sf.dp.loop_aperture'):
('nLoops'),
('csp.lf.sf.dp.loop_aperture', 'nLoops'):
('csp.lf.sf.dp.actual_aper'),
('csp.lf.sf.dp.sm1_aperture', 'csp.lf.sf.dp.loop_aperture'):
('csp.lf.sf.dp.sm1_numloops'),
('csp.lf.sf.dp.actual_aper', 'I_bn_des', 'csp.lf.sf.dp.total_loop_conv_eff'):
('field_thermal_output'),
('specified_solar_multiple'):
('SF_COPY_specified_solar_multiple'),
('q_pb_des', 'I_bn_des', 'csp.lf.sf.dp.total_loop_conv_eff'):
('csp.lf.sf.dp.sm1_aperture'),
('fP_hdr_c', 'fP_sf_boil', 'fP_hdr_h', 'P_turb_des'):
('csp.lf.sf.total_pres_drop'),
('csp.lf.sf.dp.loop_opt_eff', 'csp.lf.sf.dp.loop_therm_eff'):
('csp.lf.sf.dp.total_loop_conv_eff'),
('specified_q_dot_rec_des'):
('SF_COPY_specified_q_dot_rec_des'),
('csp.lf.geom1.rec_optical_derate', 'csp.lf.geom1.coll_opt_loss_norm_inc'):
('csp.lf.sf.dp.loop_opt_eff'),
('nModBoil', 'csp.lf.geom1.refl_aper_area'):
('csp.lf.sf.dp.loop_aperture') },
'LF DSG System Design': {
():
('T_hot '),
('specified_q_dot_rec_des'):
('system_capacity'),
('specified_solar_multiple', 'q_pb_des'):
('specified_q_dot_rec_des') },
'Physical Trough Parasitics': {
('csp.dtr.par.bop_val', 'csp.dtr.par.bop_pf', 'csp.dtr.par.bop_c0', 'csp.dtr.par.bop_c1', 'csp.dtr.par.bop_c2'):
('bop_array'),
('pb_fixed_par', 'P_ref'):
('csp.dtr.par.calc.frac_gross'),
('csp.dtr.par.bop_val', 'csp.dtr.par.bop_pf', 'csp.dtr.par.bop_c0', 'csp.dtr.par.bop_c1', 'csp.dtr.par.bop_c2', 'P_ref'):
('csp.dtr.par.calc.bop'),
('csp.dtr.par.aux_val', 'csp.dtr.par.aux_pf', 'csp.dtr.par.aux_c0', 'csp.dtr.par.aux_c1', 'csp.dtr.par.aux_c2', 'P_ref'):
('csp.dtr.par.calc.aux'),
('nSCA', 'nLoops', 'SCA_drives_elec'):
('csp.dtr.par.calc.tracking'),
('csp.dtr.par.aux_val', 'csp.dtr.par.aux_pf', 'csp.dtr.par.aux_c0', 'csp.dtr.par.aux_c1', 'csp.dtr.par.aux_c2'):
('aux_array') },
'Dish Reference Inputs': {
('csp.ds.refc.coolfluid'):
('test_cooling_fluid') },
'Generic CSP System Costs': {
():
('system_use_recapitalization'),
():
('system_use_lifetime_output'),
('csp.gss.cost.solar_field.area', 'csp.gss.cost.solar_field.cost_per_m2'):
('csp.gss.cost.solar_field'),
('csp.gss.sf.field_area'):
('csp.gss.cost.site_improvements.area'),
('csp.gss.cost.storage.mwht', 'csp.gss.cost.storage.cost_per_kwht'):
('csp.gss.cost.storage'),
('csp.gss.tes.max_capacity'):
('csp.gss.cost.storage.mwht'),
('total_installed_cost', 'csp.gss.pwrb.nameplate'):
('csp.gss.cost.installed_per_capacity'),
('csp.gss.sf.field_area'):
('csp.gss.cost.solar_field.area'),
('csp.gss.cost.bop_mwe', 'csp.gss.cost.bop_per_kwe'):
('csp.gss.cost.bop'),
('csp.gss.cost.sales_tax.value', 'total_direct_cost', 'csp.gss.cost.sales_tax.percent'):
('csp.gss.cost.sales_tax.total'),
('csp.gss.cost.fossil_backup.mwe', 'csp.gss.cost.fossil_backup.cost_per_kwe'):
('csp.gss.cost.fossil_backup'),
('csp.gss.cost.contingency', 'csp.gss.cost.solar_field', 'csp.gss.cost.storage', 'csp.gss.cost.power_plant', 'csp.gss.cost.site_improvements', 'csp.gss.cost.fossil_backup', 'csp.gss.cost.bop'):
('total_direct_cost'),
('csp.gss.cost.site_improvements.area', 'csp.gss.cost.site_improvements.cost_per_m2'):
('csp.gss.cost.site_improvements'),
('csp.gss.cost.contingency_percent', 'csp.gss.cost.solar_field', 'csp.gss.cost.storage', 'csp.gss.cost.power_plant', 'csp.gss.cost.site_improvements', 'csp.gss.cost.fossil_backup', 'csp.gss.cost.bop'):
('csp.gss.cost.contingency'),
('csp.gss.cost.epc.per_acre', 'csp.gss.cost.total_land_area', 'csp.gss.cost.epc.percent', 'total_direct_cost', 'csp.gss.cost.nameplate', 'csp.gss.cost.epc.per_watt', 'csp.gss.cost.epc.fixed'):
('csp.gss.cost.epc.total'),
('w_des'):
('csp.gss.cost.fossil_backup.mwe'),
('w_des'):
('csp.gss.cost.power_plant.mwe'),
('csp.gss.solf.total_land_area'):
('csp.gss.cost.total_land_area'),
('w_des'):
('csp.gss.cost.bop_mwe'),
('total_direct_cost', 'total_indirect_cost'):
('total_installed_cost'),
('csp.gss.cost.power_plant.mwe', 'csp.gss.cost.power_plant.cost_per_kwe'):
('csp.gss.cost.power_plant'),
('sales_tax_rate'):
('csp.gss.cost.sales_tax.value'),
('csp.gss.cost.plm.per_acre', 'csp.gss.cost.total_land_area', 'csp.gss.cost.plm.percent', 'total_direct_cost', 'csp.gss.cost.nameplate', 'csp.gss.cost.plm.per_watt', 'csp.gss.cost.plm.fixed'):
('csp.gss.cost.plm.total'),
('csp.gss.cost.epc.total', 'csp.gss.cost.plm.total', 'csp.gss.cost.sales_tax.total'):
('total_indirect_cost'),
('csp.gss.pwrb.nameplate'):
('csp.gss.cost.nameplate') },
'Linear Fresnel Superheater Geometry': {
('csp.lf.geom2.var1.broken_glass', 'csp.lf.geom2.var2.broken_glass', 'csp.lf.geom2.var3.broken_glass', 'csp.lf.geom2.var4.broken_glass'):
('csp.lf.geom2.glazing_intact'),
('csp.lf.geom2.var1.gas_type', 'csp.lf.geom2.var2.gas_type', 'csp.lf.geom2.var3.gas_type', 'csp.lf.geom2.var4.gas_type'):
('csp.lf.geom2.annulus_gas'),
('csp.lf.geom2.heat_loss_at_design', 'I_bn_des', 'csp.lf.geom2.refl_aper_area', 'csp.lf.geom2.coll_length'):
('csp.lf.geom2.rec_thermal_derate'),
('csp.lf.geom2.hl_mode', 'csp.lf.geom2.var1.field_fraction', 'csp.lf.geom2.var1.bellows_shadowing', 'csp.lf.geom2.var1.hce_dirt', 'csp.lf.geom2.var2.field_fraction', 'csp.lf.geom2.var2.bellows_shadowing', 'csp.lf.geom2.var2.hce_dirt', 'csp.lf.geom2.var3.field_fraction', 'csp.lf.geom2.var3.bellows_shadowing', 'csp.lf.geom2.var3.hce_dirt', 'csp.lf.geom2.var4.field_fraction', 'csp.lf.geom2.var4.bellows_shadowing', 'csp.lf.geom2.var4.hce_dirt'):
('csp.lf.geom2.rec_optical_derate'),
('T_cold_ref', 'T_hot', 'T_amb_des_sf'):
('csp.lf.geom2.avg_field_temp_dt_design'),
('csp.lf.geom2.track_error', 'csp.lf.geom2.geom_error', 'csp.lf.geom2.mirror_refl', 'csp.lf.geom2.soiling', 'csp.lf.geom2.general_error'):
('csp.lf.geom2.coll_opt_loss_norm_inc'),
('csp.lf.geom2.hl_mode', 'csp.lf.geom2.hlpolyt0', 'csp.lf.geom2.hlpolyt1', 'csp.lf.geom2.avg_field_temp_dt_design', 'csp.lf.geom2.hlpolyt2', 'csp.lf.geom2.hlpolyt3', 'csp.lf.geom2.hlpolyt4', 'csp.lf.geom2.var1.field_fraction', 'csp.lf.geom2.var1.rated_heat_loss', 'csp.lf.geom2.var2.field_fraction', 'csp.lf.geom2.var2.rated_heat_loss', 'csp.lf.geom2.var3.field_fraction', 'csp.lf.geom2.var3.rated_heat_loss', 'csp.lf.geom2.var4.field_fraction', 'csp.lf.geom2.var4.rated_heat_loss'):
('csp.lf.geom2.heat_loss_at_design') },
'Empirical Trough Capital Costs': {
():
('system_use_recapitalization'),
('total_direct_cost', 'total_indirect_cost'):
('total_installed_cost'),
('sales_tax_rate', 'total_direct_cost', 'csp.tr.cost.sales_tax.percent'):
('csp.tr.cost.sales_tax.total'),
('Solar_Field_Area'):
('csp.tr.cost.htf_system.area'),
('calc_max_energy', 'csp.tr.cost.storage.cost_per_kwht'):
('csp.tr.cost.storage'),
('csp.tr.cost.epc.total', 'csp.tr.cost.plm.total', 'csp.tr.cost.sales_tax.total'):
('total_indirect_cost'),
('Solar_Field_Area', 'csp.tr.cost.solar_field.cost_per_m2'):
('csp.tr.cost.solar_field'),
('csp.tr.cost.plm.per_acre', 'csp.tr.cost.total_land_area', 'csp.tr.cost.plm.percent', 'total_direct_cost', 'system_capacity', 'csp.tr.cost.plm.per_watt', 'csp.tr.cost.plm.fixed'):
('csp.tr.cost.plm.total'),
('ui_net_capacity'):
('csp.tr.cost.nameplate'),
('ui_total_land_area'):
('csp.tr.cost.total_land_area'),
('sales_tax_rate'):
('csp.tr.cost.sales_tax.value'),
('csp.tr.cost.contingency_percent', 'csp.tr.cost.site_improvements', 'csp.tr.cost.solar_field', 'csp.tr.cost.htf_system', 'csp.tr.cost.storage', 'csp.tr.cost.fossil_backup', 'csp.tr.cost.power_plant', 'csp.tr.cost.bop'):
('csp.tr.cost.contingency'),
('TurbOutG', 'csp.tr.cost.bop_per_kwe'):
('csp.tr.cost.bop'),
('calc_max_energy'):
('csp.tr.cost.storage.mwht'),
('TurbOutG'):
('csp.tr.cost.bop.mwe'),
('TurbOutG', 'csp.tr.cost.fossil_backup.cost_per_kwe'):
('csp.tr.cost.fossil_backup'),
('csp.tr.cost.epc.per_acre', 'csp.tr.cost.total_land_area', 'csp.tr.cost.epc.percent', 'total_direct_cost', 'system_capacity', 'csp.tr.cost.epc.per_watt', 'csp.tr.cost.epc.fixed'):
('csp.tr.cost.epc.total'),
('TurbOutG', 'csp.tr.cost.power_plant.cost_per_kwe'):
('csp.tr.cost.power_plant'),
('TurbOutG'):
('csp.tr.cost.power_plant.mwe'),
('Solar_Field_Area', 'csp.tr.cost.htf_system.cost_per_m2'):
('csp.tr.cost.htf_system'),
('TurbOutG'):
('csp.tr.cost.fossil_backup.mwe'),
('Solar_Field_Area', 'csp.tr.cost.site_improvements.cost_per_m2'):
('csp.tr.cost.site_improvements'),
():
('system_use_lifetime_output'),
('Solar_Field_Area'):
('csp.tr.cost.site_improvements.area'),
('Solar_Field_Area'):
('csp.tr.cost.solar_field.area'),
('total_installed_cost', 'ui_net_capacity'):
('csp.tr.cost.installed_per_capacity'),
('csp.tr.cost.contingency', 'csp.tr.cost.site_improvements', 'csp.tr.cost.solar_field', 'csp.tr.cost.htf_system', 'csp.tr.cost.storage', 'csp.tr.cost.fossil_backup', 'csp.tr.cost.power_plant', 'csp.tr.cost.bop'):
('total_direct_cost') },
'Empirical Trough HCE': {
('ui_hce_heat_losses_1', 'HCEFrac_1', 'ui_hce_heat_losses_2', 'HCEFrac_2', 'ui_hce_heat_losses_3', 'HCEFrac_3', 'ui_hce_heat_losses_4', 'HCEFrac_4'):
('ui_hce_thermloss_weighted_m'),
('PerfFac_2', 'HCEA0_2', 'HCEA5_2', 'ui_hce_hl_term_1', 'HCEA1_2', 'HCEA6_2', 'ui_hce_hl_term_2', 'HCEA2_2', 'HCEA4_2', 'ui_reference_direct_normal_irradiance', 'ui_hce_hl_term_3', 'HCEA3_2', 'ui_hce_hl_term_4'):
('ui_hce_heat_losses_2'),
('PerfFac_3', 'HCEA0_3', 'HCEA5_3', 'ui_hce_hl_term_1', 'HCEA1_3', 'HCEA6_3', 'ui_hce_hl_term_2', 'HCEA2_3', 'HCEA4_3', 'ui_reference_direct_normal_irradiance', 'ui_hce_hl_term_3', 'HCEA3_3', 'ui_hce_hl_term_4'):
('ui_hce_heat_losses_3'),
('ui_reference_wind_speed'):
('ui_hce_hl_term_1'),
('ui_hce_opt_eff_1', 'HCEFrac_1', 'ui_hce_opt_eff_2', 'HCEFrac_2', 'ui_hce_opt_eff_3', 'HCEFrac_3', 'ui_hce_opt_eff_4', 'HCEFrac_4'):
('ui_hce_opt_eff_weighted'),
('calc_hce_col_factor', 'ui_hce_broken_glass_1', 'ui_hce_HCEdust', 'HCEBelShad_1', 'HCEEnvTrans_1', 'HCEabs_1', 'HCEmisc_1'):
('ui_hce_opt_eff_1'),
('calc_hce_col_factor', 'ui_hce_broken_glass_4', 'ui_hce_HCEdust', 'HCEBelShad_4', 'HCEEnvTrans_4', 'HCEabs_4', 'HCEmisc_4'):
('ui_hce_opt_eff_4'),
('calc_hce_col_factor', 'ui_hce_broken_glass_3', 'ui_hce_HCEdust', 'HCEBelShad_3', 'HCEEnvTrans_3', 'HCEabs_3', 'HCEmisc_3'):
('ui_hce_opt_eff_3'),
('calc_hce_col_factor', 'ui_hce_broken_glass_2', 'ui_hce_HCEdust', 'HCEBelShad_2', 'HCEEnvTrans_2', 'HCEabs_2', 'HCEmisc_2'):
('ui_hce_opt_eff_2'),
('HCEA5_1', 'HCEA5_2', 'HCEA5_3', 'HCEA5_4'):
('HCE_A5'),
('SfOutTempD', 'SfInTempD'):
('ui_hce_hl_term_4'),
('HCEA4_1', 'HCEA4_2', 'HCEA4_3', 'HCEA4_4'):
('HCE_A4'),
('SfOutTempD', 'SfInTempD', 'ui_reference_ambient_temperature'):
('ui_hce_hl_term_2'),
('HCEA3_1', 'HCEA3_2', 'HCEA3_3', 'HCEA3_4'):
('HCE_A3'),
('ui_hce_thermloss_weighted_m', 'SCA_aper'):
('ui_hce_thermloss_weighted_m2'),
('HCEmisc_1', 'HCEmisc_2', 'HCEmisc_3', 'HCEmisc_4'):
('HCEmisc'),
('HCEA2_1', 'HCEA2_2', 'HCEA2_3', 'HCEA2_4'):
('HCE_A2'),
('SfOutTempD', 'SfInTempD'):
('ui_hce_hl_term_3'),
('PerfFac_4', 'HCEA0_4', 'HCEA5_4', 'ui_hce_hl_term_1', 'HCEA1_4', 'HCEA6_4', 'ui_hce_hl_term_2', 'HCEA2_4', 'HCEA4_4', 'ui_reference_direct_normal_irradiance', 'ui_hce_hl_term_3', 'HCEA3_4', 'ui_hce_hl_term_4'):
('ui_hce_heat_losses_4'),
('HCEA6_1', 'HCEA6_2', 'HCEA6_3', 'HCEA6_4'):
('HCE_A6'),
('PerfFac_1', 'PerfFac_2', 'PerfFac_3', 'PerfFac_4'):
('PerfFac'),
('HCEA1_1', 'HCEA1_2', 'HCEA1_3', 'HCEA1_4'):
('HCE_A1'),
('calc_col_factor'):
('calc_hce_col_factor'),
('HCEdust'):
('ui_hce_HCEdust'),
('HCEFrac_1', 'HCEFrac_2', 'HCEFrac_3', 'HCEFrac_4'):
('HCEFrac'),
('HCEA0_1', 'HCEA0_2', 'HCEA0_3', 'HCEA0_4'):
('HCE_A0'),
('HCEabs_1', 'HCEabs_2', 'HCEabs_3', 'HCEabs_4'):
('HCEabs'),
('HCEBelShad_1', 'HCEBelShad_2', 'HCEBelShad_3', 'HCEBelShad_4'):
('HCEBelShad'),
('PerfFac_1', 'HCEA0_1', 'HCEA5_1', 'ui_hce_hl_term_1', 'HCEA1_1', 'HCEA6_1', 'ui_hce_hl_term_2', 'HCEA2_1', 'HCEA4_1', 'ui_reference_direct_normal_irradiance', 'ui_hce_hl_term_3', 'HCEA3_1', 'ui_hce_hl_term_4'):
('ui_hce_heat_losses_1'),
('HCEEnvTrans_1', 'HCEEnvTrans_2', 'HCEEnvTrans_3', 'HCEEnvTrans_4'):
('HCEEnvTrans') },
'Empirical Trough Power Block': {
('ui_net_capacity'):
('system_capacity'),
('ui_q_design', 'E2TPLF0', 'E2TPLF1', 'MinGrOut', 'E2TPLF2', 'E2TPLF3', 'E2TPLF4'):
('ui_min_therm_input'),
('TurbOutG', 'ui_gross_net_conversion_factor'):
('ui_net_capacity'),
('TurbOutG', 'TurbEffG'):
('ui_q_design'),
('ui_q_design', 'E2TPLF0', 'E2TPLF1', 'MaxGrOut', 'E2TPLF2', 'E2TPLF3', 'E2TPLF4'):
('ui_max_therm_input'),
('MinGrOut'):
('PTTMIN'),
('MaxGrOut'):
('PTTMAX') },
'Physical Trough Collector Type 2': {
('csp_dtr_sca_ave_focal_len_2', 'csp_dtr_sca_calc_theta_2', 'csp_dtr_sca_piping_dist_2'):
('csp_dtr_sca_calc_end_gain_2'),
('lat'):
('csp_dtr_sca_calc_latitude_2'),
('csp_dtr_sca_ave_focal_len_2', 'csp_dtr_sca_calc_theta_2', 'nSCA', 'csp_dtr_sca_calc_end_gain_2', 'csp_dtr_sca_length_2', 'csp_dtr_sca_ncol_per_sca_2'):
('csp_dtr_sca_calc_end_loss_2'),
('csp_dtr_sca_length_2', 'csp_dtr_sca_ncol_per_sca_2'):
('csp_dtr_sca_ap_length_2'),
('csp_dtr_sca_calc_costh_2'):
('csp_dtr_sca_calc_theta_2'),
('lat'):
('csp_dtr_sca_calc_zenith_2'),
('IAMs_2', 'csp_dtr_sca_calc_theta_2', 'csp_dtr_sca_calc_costh_2'):
('csp_dtr_sca_calc_iam_2'),
('csp_dtr_sca_calc_zenith_2', 'tilt', 'azimuth'):
('csp_dtr_sca_calc_costh_2'),
('csp_dtr_sca_tracking_error_2', 'csp_dtr_sca_geometry_effects_2', 'csp_dtr_sca_clean_reflectivity_2', 'csp_dtr_sca_mirror_dirt_2', 'csp_dtr_sca_general_error_2'):
('csp_dtr_sca_calc_sca_eff_2') },
'Empirical Trough Solar Field': {
('ui_field_htf_type'):
('HTFFluid'),
('ui_field_layout_option', 'ui_solar_multiple', 'calc_aperture_area_at_sm_1', 'ui_solar_field_area'):
('Solar_Field_Area'),
('ui_field_layout_option', 'ui_solar_multiple', 'ui_solar_field_area', 'calc_aperture_area_at_sm_1'):
('Solar_Field_Mult'),
('ui_design_exact_num_scas_sm_1', 'ui_sca_aperture_area'):
('calc_aperture_area_at_sm_1'),
('ui_hce_opt_eff_weighted'):
('ui_hce_weighted_optical_efficiency'),
('Solar_Field_Mult', 'ui_design_exact_area_sm_1', 'Row_Distance', 'SCA_aper'):
('ui_fixed_land_area'),
('ui_field_htf_type'):
('ui_field_htf_min_operating_temp'),
('ui_design_exact_area_sm_1', 'ui_sca_aperture_area'):
('ui_design_exact_num_scas_sm_1'),
('ui_fixed_land_area', 'ui_land_multiplier'):
('ui_total_land_area'),
('ui_field_htf_type'):
('ui_field_htf_max_operating_temp'),
('SfInTempD', 'SfOutTempD', 'ui_reference_ambient_temperature'):
('calc_field_htf_average_temp'),
('ui_sca_aperture_area'):
('ui_aperture_area_per_SCA'),
('SfPipeHl3', 'calc_field_htf_average_temp', 'SfPipeHl2', 'SfPipeHl1', 'SfPipeHl300'):
('ui_piping_heat_loss'),
('ui_pb_q_design', 'ui_reference_direct_normal_irradiance', 'ui_hce_weighted_optical_efficiency', 'ui_hce_weighted_thermal_losses', 'ui_piping_heat_loss'):
('ui_design_exact_area_sm_1'),
('ui_q_design'):
('ui_pb_q_design'),
('ui_hce_thermloss_weighted_m2'):
('ui_hce_weighted_thermal_losses'),
():
('i_SfTi') },
'Financial LCOE Calculator': {
('ui_fcr_input_option', 'ui_fixed_charge_rate', 'c_inflation', 'c_equity_return', 'c_debt_percent', 'c_nominal_interest_rate', 'c_tax_rate', 'c_lifetime', 'c_depreciation_schedule', 'c_construction_cost', 'c_construction_interest'):
('fixed_charge_rate', 'ui_wacc', 'ui_crf', 'ui_pfin', 'ui_cfin', 'ui_ireal'),
('ui_variable_operating_cost'):
('variable_operating_cost'),
('ui_cost_input_option', 'ui_capital_cost_fixed', 'system_capacity', 'ui_capital_cost_capacity'):
('capital_cost'),
('ui_cost_input_option', 'ui_operating_cost_fixed', 'system_capacity', 'ui_operating_cost_capacity'):
('fixed_operating_cost'),
('system_capacity'):
('ui_system_capacity') },
'Physical Trough Thermal Storage': {
('vol_tank', 'h_tank', 'tank_pairs'):
('csp.dtr.tes.tank_diameter'),
('is_hx', 'dt_hot', 'dt_cold', 'T_loop_out', 'T_loop_in_des'):
('csp.dtr.tes.hx_derate'),
('vol_tank', 'h_tank_min', 'h_tank'):
('csp.dtr.tes.min_fluid_volume'),
('P_ref', 'eta_ref', 'tshours'):
('csp.dtr.tes.thermal_capacity'),
('h_tank_min', 'h_tank', 'vol_tank'):
('V_tank_hot_ini'),
('T_loop_in_des', 'T_loop_out'):
('csp.dtr.tes.htf_calc_temp'),
('combo_tes_htf_type'):
('csp.dtr.tes.htf_max_opt_temp'),
('h_tank', 'csp.dtr.tes.tank_diameter', 'tank_pairs', 'csp.dtr.tes.htf_calc_temp', 'u_tank'):
('csp.dtr.tes.estimated_heat_loss'),
('combo_tes_htf_type'):
('csp.dtr.tes.htf_min_opt_temp'),
('combo_tes_htf_type', 'store_fluid', 'csp.dtr.tes.htf_calc_temp', 'store_fl_props'):
('csp.dtr.tes.fluid_dens'),
('dt_hot'):
('dt_cold'),
('csp.dtr.tes.thermal_capacity', 'csp.dtr.tes.fluid_dens', 'csp.dtr.tes.fluid_sph', 'csp.dtr.tes.hx_derate', 'T_loop_out', 'dt_hot', 'T_loop_in_des', 'dt_cold'):
('vol_tank'),
('combo_tes_htf_type', 'store_fluid', 'csp.dtr.tes.htf_calc_temp', 'store_fl_props'):
('csp.dtr.tes.fluid_sph'),
('combo_tes_htf_type'):
('store_fluid') },
'Physical Trough Power Block Common': {
('q_pb_design'):
('PB_COPY_q_pb_design'),
('csp.dtr.pwrb.design_inlet_temp'):
('PB_COPY_T_htf_hot_des'),
('csp.dtr.pwrb.nameplate'):
('system_capacity'),
('T_loop_in_des'):
('csp.dtr.pwrb.design_outlet_temp'),
('PB_COPY_q_pb_design', 'PB_COPY_htf_cp_avg', 'PB_COPY_T_htf_hot_des', 'PB_COPY_T_htf_cold_des'):
('PB_m_dot_htf_cycle_des'),
('T_loop_out'):
('csp.dtr.pwrb.design_inlet_temp'),
('csp.dtr.pwrb.design_outlet_temp'):
('PB_COPY_T_htf_cold_des'),
('P_ref', 'csp.dtr.pwrb.gross_net_conversion_factor'):
('csp.dtr.pwrb.nameplate'),
('field_htf_cp_avg'):
('PB_COPY_htf_cp_avg'),
('P_ref', 'eta_ref'):
('W_pb_design', 'q_pb_design', 'q_max_aux'),
('comb_fossil_mode'):
('fossil_mode') },
'Generic CSP Power Block': {
('csp.gss.pwrb.nameplate'):
('system_capacity'),
('dni_par_f3', 'dni_par_f2', 'dni_par_f1', 'dni_par_f0'):
('Wpar_prodD_coefs'),
('csp.gss.pwrb.temp_eff_f4', 'csp.gss.pwrb.temp_eff_f3', 'csp.gss.pwrb.temp_eff_f2', 'csp.gss.pwrb.temp_eff_f1', 'csp.gss.pwrb.temp_eff_f0'):
('etaT_coefs'),
('csp.gss.pwrb.pl_eff_f4', 'csp.gss.pwrb.pl_eff_f3', 'csp.gss.pwrb.pl_eff_f2', 'csp.gss.pwrb.pl_eff_f1', 'csp.gss.pwrb.pl_eff_f0'):
('etaQ_coefs'),
('csp.gss.pwrb.temp_corr_mode'):
('PC_T_corr'),
('csp.gss.pwrb.gross_net_conversion_factor', 'w_des'):
('csp.gss.pwrb.nameplate'),
('csp.gss.pwrb.temp_par_f3', 'csp.gss.pwrb.temp_par_f2', 'csp.gss.pwrb.temp_par_f1', 'csp.gss.pwrb.temp_par_f0'):
('Wpar_prodT_coefs'),
('csp.gss.pwrb.pl_par_f3', 'csp.gss.pwrb.pl_par_f2', 'csp.gss.pwrb.pl_par_f1', 'csp.gss.pwrb.pl_par_f0'):
('Wpar_prodQ_coefs'),
('csp.gss.pwrb.pl_par_design', 'csp.gss.pwrb.temp_par_design', 'dni_par_design'):
('f_par_tot_des'),
('w_des', 'f_Wpar_fixed', 'f_Wpar_prod', 'csp.gss.pwrb.pl_par_design', 'csp.gss.pwrb.temp_par_design', 'dni_par_design'):
('csp.gss.pwrb.design_parasitic_load'),
('dni_par_f0', 'dni_par_f1', 'dni_par_f2', 'dni_par_f3'):
('dni_par_design'),
('w_des', 'f_Wpar_prod', 'f_par_tot_des'):
('W_dot_part_load_des'),
('w_des', 'f_Wpar_fixed'):
('W_dot_par_fixed'),
('csp.gss.pwrb.pl_par_f0', 'csp.gss.pwrb.pl_par_f1', 'csp.gss.pwrb.pl_par_f2', 'csp.gss.pwrb.pl_par_f3'):
('csp.gss.pwrb.pl_par_design'),
('csp.gss.pwrb.temp_par_f0', 'csp.gss.pwrb.temp_par_f1', 'csp.gss.pwrb.temp_par_f2', 'csp.gss.pwrb.temp_par_f3'):
('csp.gss.pwrb.temp_par_design') },
'Physical Trough Receiver Type 3': {
('csp_dtr_hce_var1_field_fraction_3', 'csp_dtr_hce_var1_bellows_shadowing_3', 'csp_dtr_hce_var1_hce_dirt_3', 'csp_dtr_hce_var1_abs_abs_3', 'csp_dtr_hce_var1_env_trans_3', 'csp_dtr_hce_var2_field_fraction_3', 'csp_dtr_hce_var2_bellows_shadowing_3', 'csp_dtr_hce_var2_hce_dirt_3', 'csp_dtr_hce_var2_abs_abs_3', 'csp_dtr_hce_var2_env_trans_3', 'csp_dtr_hce_var3_field_fraction_3', 'csp_dtr_hce_var3_bellows_shadowing_3', 'csp_dtr_hce_var3_hce_dirt_3', 'csp_dtr_hce_var3_abs_abs_3', 'csp_dtr_hce_var3_env_trans_3', 'csp_dtr_hce_var4_field_fraction_3', 'csp_dtr_hce_var4_bellows_shadowing_3', 'csp_dtr_hce_var4_hce_dirt_3', 'csp_dtr_hce_var4_abs_abs_3', 'csp_dtr_hce_var4_env_trans_3'):
('csp_dtr_hce_optical_eff_3'),
('csp_dtr_hce_var1_field_fraction_3', 'csp_dtr_hce_var1_rated_heat_loss_3', 'csp_dtr_hce_var2_field_fraction_3', 'csp_dtr_hce_var2_rated_heat_loss_3', 'csp_dtr_hce_var3_field_fraction_3', 'csp_dtr_hce_var3_rated_heat_loss_3', 'csp_dtr_hce_var4_field_fraction_3', 'csp_dtr_hce_var4_rated_heat_loss_3'):
('csp_dtr_hce_design_heat_loss_3') },
'Empirical Trough Parasitics': {
('HtrParPF', 'ui_par_hb_const', 'ui_par_turb_out_gr'):
('HtrPar'),
('BOPParPF', 'ui_par_bop_const', 'ui_par_turb_out_gr'):
('BOPPar'),
('ui_par_fixedblock_const', 'ui_par_turb_out_gr'):
('PbFixPar'),
('ChtfParPF', 'ui_par_htfpump_const', 'ui_par_sf_area'):
('ChtfPar'),
('CtParPF', 'ui_par_ct0_const', 'ui_par_turb_out_gr'):
('CtPar'),
('Solar_Field_Area'):
('ui_par_sf_area'),
('HhtfParPF', 'ui_par_tes_const', 'ui_par_turb_out_gr'):
('HhtfPar'),
('SfParPF', 'ui_par_sf_const', 'ui_par_sf_area'):
('SfPar'),
('SfPar', 'ChtfPar', 'HhtfPar', 'AntiFrPar', 'PbFixPar', 'BOPPar', 'HtrPar', 'CtPar'):
('ui_par_dp_total'),
('ui_par_antifreeze_const', 'ChtfPar'):
('AntiFrPar'),
('TurbOutG'):
('ui_par_turb_out_gr') },
'Phys Trough Direct Storage': {
('T_loop_in_des'):
('TES_COPY_T_htf_cold_des'),
('T_loop_out'):
('TES_COPY_T_htf_hot_des'),
('tshours'):
('TES_COPY_tshours'),
('q_pb_design'):
('TES_COPY_q_pb_design'),
('q_pb_design', 'tshours', 'T_loop_out', 'T_loop_in_des', 'Fluid', 'field_fl_props', 'h_tank_min', 'h_tank', 'tank_pairs', 'u_tank'):
('Q_tes', 'tes_avail_vol', 'vol_tank', 'csp.pt.tes.tank_diameter', 'q_dot_tes_est', 'csp.pt.tes.htf_density') },
'Physical Trough Receiver Type 2': {
('csp_dtr_hce_var1_field_fraction_2', 'csp_dtr_hce_var1_rated_heat_loss_2', 'csp_dtr_hce_var2_field_fraction_2', 'csp_dtr_hce_var2_rated_heat_loss_2', 'csp_dtr_hce_var3_field_fraction_2', 'csp_dtr_hce_var3_rated_heat_loss_2', 'csp_dtr_hce_var4_field_fraction_2', 'csp_dtr_hce_var4_rated_heat_loss_2'):
('csp_dtr_hce_design_heat_loss_2'),
('csp_dtr_hce_var1_field_fraction_2', 'csp_dtr_hce_var1_bellows_shadowing_2', 'csp_dtr_hce_var1_hce_dirt_2', 'csp_dtr_hce_var1_abs_abs_2', 'csp_dtr_hce_var1_env_trans_2', 'csp_dtr_hce_var2_field_fraction_2', 'csp_dtr_hce_var2_bellows_shadowing_2', 'csp_dtr_hce_var2_hce_dirt_2', 'csp_dtr_hce_var2_abs_abs_2', 'csp_dtr_hce_var2_env_trans_2', 'csp_dtr_hce_var3_field_fraction_2', 'csp_dtr_hce_var3_bellows_shadowing_2', 'csp_dtr_hce_var3_hce_dirt_2', 'csp_dtr_hce_var3_abs_abs_2', 'csp_dtr_hce_var3_env_trans_2', 'csp_dtr_hce_var4_field_fraction_2', 'csp_dtr_hce_var4_bellows_shadowing_2', 'csp_dtr_hce_var4_hce_dirt_2', 'csp_dtr_hce_var4_abs_abs_2', 'csp_dtr_hce_var4_env_trans_2'):
('csp_dtr_hce_optical_eff_2') },
'Financial Construction Financing': {
('const_per_total1', 'const_per_total2', 'const_per_total3', 'const_per_total4', 'const_per_total5'):
('construction_financing_cost'),
('const_per_interest1', 'const_per_interest2', 'const_per_interest3', 'const_per_interest4', 'const_per_interest5'):
('const_per_interest_total'),
('const_per_percent1', 'const_per_percent2', 'const_per_percent3', 'const_per_percent4', 'const_per_percent5'):
('const_per_percent_total'),
('const_per_principal1', 'const_per_principal2', 'const_per_principal3', 'const_per_principal4', 'const_per_principal5'):
('const_per_principal_total'),
('total_installed_cost', 'const_per_interest_rate1', 'const_per_months1', 'const_per_percent1', 'const_per_upfront_rate1', 'const_per_interest_rate2', 'const_per_months2', 'const_per_percent2', 'const_per_upfront_rate2', 'const_per_interest_rate3', 'const_per_months3', 'const_per_percent3', 'const_per_upfront_rate3', 'const_per_interest_rate4', 'const_per_months4', 'const_per_percent4', 'const_per_upfront_rate4', 'const_per_interest_rate5', 'const_per_months5', 'const_per_percent5', 'const_per_upfront_rate5'):
('const_per_principal1', 'const_per_interest1', 'const_per_total1', 'const_per_principal2', 'const_per_interest2', 'const_per_total2', 'const_per_principal3', 'const_per_interest3', 'const_per_total3', 'const_per_principal4', 'const_per_interest4', 'const_per_total4', 'const_per_principal5', 'const_per_interest5', 'const_per_total5') },
'Wind OBOS': {
('wind_farm_num_turbines', 'wind_turbine_kw_rating', 'wind_turbine_rotor_diameter', 'wind_turbine_hub_ht', 'windfarm.farm.turbine_spacing', 'windfarm.farm.row_spacing', 'turbine_cost_total', 'system_capacity', 'waterD', 'distShore', 'distPort', 'distPtoA', 'distAtoS', 'substructure', 'anchor', 'turbInstallMethod', 'towerInstallMethod', 'installStrategy', 'cableOptimizer', 'moorLines', 'buryDepth', 'substructCont', 'turbCont', 'elecCont', 'interConVolt', 'distInterCon', 'scrapVal', 'number_install_seasons', 'detailed_obos_general', 'detailed_obos_substructure', 'detailed_obos_electrical', 'detailed_obos_assembly', 'detailed_obos_port', 'detailed_obos_development'):
('obos_warning', 'total_obos_cost'),
('total_obos_cost', 'system_capacity'):
('total_obos_cost_per_kw') },
'Dish Parasitics': {
('csp.ds.coolfluid'):
('cooling_fluid') },
'Physical Trough Receiver Type 1': {
('csp_dtr_hce_var1_field_fraction_1', 'csp_dtr_hce_var1_bellows_shadowing_1', 'csp_dtr_hce_var1_hce_dirt_1', 'csp_dtr_hce_var1_abs_abs_1', 'csp_dtr_hce_var1_env_trans_1', 'csp_dtr_hce_var2_field_fraction_1', 'csp_dtr_hce_var2_bellows_shadowing_1', 'csp_dtr_hce_var2_hce_dirt_1', 'csp_dtr_hce_var2_abs_abs_1', 'csp_dtr_hce_var2_env_trans_1', 'csp_dtr_hce_var3_field_fraction_1', 'csp_dtr_hce_var3_bellows_shadowing_1', 'csp_dtr_hce_var3_hce_dirt_1', 'csp_dtr_hce_var3_abs_abs_1', 'csp_dtr_hce_var3_env_trans_1', 'csp_dtr_hce_var4_field_fraction_1', 'csp_dtr_hce_var4_bellows_shadowing_1', 'csp_dtr_hce_var4_hce_dirt_1', 'csp_dtr_hce_var4_abs_abs_1', 'csp_dtr_hce_var4_env_trans_1'):
('csp_dtr_hce_optical_eff_1'),
('csp_dtr_hce_var1_field_fraction_1', 'csp_dtr_hce_var1_rated_heat_loss_1', 'csp_dtr_hce_var2_field_fraction_1', 'csp_dtr_hce_var2_rated_heat_loss_1', 'csp_dtr_hce_var3_field_fraction_1', 'csp_dtr_hce_var3_rated_heat_loss_1', 'csp_dtr_hce_var4_field_fraction_1', 'csp_dtr_hce_var4_rated_heat_loss_1'):
('csp_dtr_hce_design_heat_loss_1') },
'Physical Trough Collector Type 3': {
('csp_dtr_sca_length_3', 'csp_dtr_sca_ncol_per_sca_3'):
('csp_dtr_sca_ap_length_3'),
('IAMs_3', 'csp_dtr_sca_calc_theta_3', 'csp_dtr_sca_calc_costh_3'):
('csp_dtr_sca_calc_iam_3'),
('csp_dtr_sca_calc_zenith_3', 'tilt', 'azimuth'):
('csp_dtr_sca_calc_costh_3'),
('lat'):
('csp_dtr_sca_calc_latitude_3'),
('csp_dtr_sca_ave_focal_len_3', 'csp_dtr_sca_calc_theta_3', 'nSCA', 'csp_dtr_sca_calc_end_gain_3', 'csp_dtr_sca_length_3', 'csp_dtr_sca_ncol_per_sca_3'):
('csp_dtr_sca_calc_end_loss_3'),
('csp_dtr_sca_ave_focal_len_3', 'csp_dtr_sca_calc_theta_3', 'csp_dtr_sca_piping_dist_3'):
('csp_dtr_sca_calc_end_gain_3'),
('csp_dtr_sca_tracking_error_3', 'csp_dtr_sca_geometry_effects_3', 'csp_dtr_sca_clean_reflectivity_3', 'csp_dtr_sca_mirror_dirt_3', 'csp_dtr_sca_general_error_3'):
('csp_dtr_sca_calc_sca_eff_3'),
('csp_dtr_sca_calc_costh_3'):
('csp_dtr_sca_calc_theta_3'),
('lat'):
('csp_dtr_sca_calc_zenith_3') },
'User Defined Power Cycle': {
('PB_COPY_T_htf_hot_des'):
('ud_COPY_T_HTF_des'),
():
('ud_m_dot_design'),
('ud_T_amb_des'):
('ud_COPY_T_amb_des'),
('P_ref', 'ud_f_W_dot_cool_des'):
('ud_W_dot_cool_calc') },
'Physical Trough Collector Type 1': {
('IAMs_1', 'csp_dtr_sca_calc_theta_1', 'csp_dtr_sca_calc_costh_1'):
('csp_dtr_sca_calc_iam_1'),
('csp_dtr_sca_calc_costh_1'):
('csp_dtr_sca_calc_theta_1'),
('lat'):
('csp_dtr_sca_calc_zenith_1'),
('lat'):
('csp_dtr_sca_calc_latitude_1'),
('csp_dtr_sca_tracking_error_1', 'csp_dtr_sca_geometry_effects_1', 'csp_dtr_sca_clean_reflectivity_1', 'csp_dtr_sca_mirror_dirt_1', 'csp_dtr_sca_general_error_1'):
('csp_dtr_sca_calc_sca_eff_1'),
('csp_dtr_sca_ave_focal_len_1', 'csp_dtr_sca_calc_theta_1', 'nSCA', 'csp_dtr_sca_calc_end_gain_1', 'csp_dtr_sca_length_1', 'csp_dtr_sca_ncol_per_sca_1'):
('csp_dtr_sca_calc_end_loss_1'),
('csp_dtr_sca_calc_zenith_1', 'tilt', 'azimuth'):
('csp_dtr_sca_calc_costh_1'),
('csp_dtr_sca_ave_focal_len_1', 'csp_dtr_sca_calc_theta_1', 'csp_dtr_sca_piping_dist_1'):
('csp_dtr_sca_calc_end_gain_1'),
('csp_dtr_sca_length_1', 'csp_dtr_sca_ncol_per_sca_1'):
('csp_dtr_sca_ap_length_1') },
'CEC Performance Model with Module Database': {
('cec_gamma_r', 'cec_p_mp_ref'):
('gamma_r_calc'),
('cec_beta_oc', 'cec_v_oc_ref'):
('beta_oc_calc'),
('cec_v_mp_ref', 'cec_i_mp_ref', 'cec_area'):
('cec_eff'),
('cec_alpha_sc', 'cec_i_sc_ref'):
('alpha_sc_calc'),
('cec_area', 'cec_module_width'):
('cec_module_length'),
('cec_i_mp_ref', 'cec_v_mp_ref'):
('cec_p_mp_ref') },
'Physical Trough Solar Field': {
('trough_loop_control'):
('SCAInfoArray'),
('fixed_land_area', 'non_solar_field_land_area_multiplier'):
('total_land_area'),
('P_ref', 'eta_ref', 'I_bn_des', 'total_loop_conversion_efficiency'):
('total_required_aperture_for_SM1'),
('total_aperture', 'Row_Distance', 'max_collector_width'):
('fixed_land_area'),
('solar_mult', 'P_ref', 'eta_ref'):
('field_thermal_output'),
('trough_loop_control', 'csp_dtr_sca_calc_sca_eff_1', 'csp_dtr_sca_calc_sca_eff_2', 'csp_dtr_sca_calc_sca_eff_3', 'csp_dtr_sca_calc_sca_eff_4', 'csp_dtr_sca_length_1', 'csp_dtr_sca_length_2', 'csp_dtr_sca_length_3', 'csp_dtr_sca_length_4', 'csp_dtr_hce_optical_eff_1', 'csp_dtr_hce_optical_eff_2', 'csp_dtr_hce_optical_eff_3', 'csp_dtr_hce_optical_eff_4'):
('loop_optical_efficiency'),
('total_required_aperture_for_SM1', 'single_loop_aperature'):
('required_number_of_loops_for_SM1'),
('trough_loop_control'):
('SCADefocusArray'),
('single_loop_aperature', 'nLoops'):
('total_aperture'),
('radio_sm_or_area', 'specified_solar_multiple', 'total_aperture', 'total_required_aperture_for_SM1'):
('solar_mult'),
('combo_feather'):
('fthrctrl'),
('combo_htf_type'):
('Fluid'),
('m_dot_htfmin', 'fluid_dens_inlet_temp', 'min_inner_diameter'):
('min_field_flow_velocity'),
('combo_FieldConfig'):
('FieldConfig'),
('radio_sm_or_area', 'specified_solar_multiple', 'total_required_aperture_for_SM1', 'specified_total_aperture', 'single_loop_aperature'):
('nLoops'),
('trough_loop_control', 'csp_dtr_hce_diam_absorber_inner_1', 'csp_dtr_hce_diam_absorber_inner_2', 'csp_dtr_hce_diam_absorber_inner_3', 'csp_dtr_hce_diam_absorber_inner_4'):
('min_inner_diameter'),
('trough_loop_control', 'I_bn_des', 'csp_dtr_hce_design_heat_loss_1', 'csp_dtr_hce_design_heat_loss_2', 'csp_dtr_hce_design_heat_loss_3', 'csp_dtr_hce_design_heat_loss_4', 'csp_dtr_sca_length_1', 'csp_dtr_sca_length_2', 'csp_dtr_sca_length_3', 'csp_dtr_sca_length_4', 'csp_dtr_sca_aperture_1', 'csp_dtr_sca_aperture_2', 'csp_dtr_sca_aperture_3', 'csp_dtr_sca_aperture_4'):
('cspdtr_loop_hce_heat_loss'),
('m_dot_htfmax', 'fluid_dens_outlet_temp', 'min_inner_diameter'):
('max_field_flow_velocity'),
('trough_loop_control', 'csp_dtr_sca_aperture_1', 'csp_dtr_sca_aperture_2', 'csp_dtr_sca_aperture_3', 'csp_dtr_sca_aperture_4'):
('single_loop_aperature'),
('combo_htf_type', 'Fluid', 'T_loop_in_des', 'T_loop_out', 'field_fl_props'):
('field_htf_cp_avg'),
('loop_optical_efficiency', 'cspdtr_loop_hce_heat_loss'):
('total_loop_conversion_efficiency'),
():
('defocus') },
'Molten Salt Tower Power Block Common': {
('PB_COPY_q_pb_design', 'PB_COPY_htf_cp_avg', 'PB_COPY_T_htf_hot_des', 'PB_COPY_T_htf_cold_des'):
('PB_m_dot_htf_cycle_des'),
('csp.pt.rec.htf_c_avg'):
('PB_COPY_htf_cp_avg'),
('T_htf_cold_des'):
('PB_COPY_T_htf_cold_des'),
('q_pb_design'):
('PB_COPY_q_pb_design'),
('T_htf_hot_des'):
('PB_COPY_T_htf_hot_des'),
('design_eff'):
('PB_COPY_design_eff'),
('nameplate'):
('PB_COPY_nameplate'),
('gross_net_conversion_factor'):
('PB_COPY_gross_net_conversion_factor'),
('P_ref'):
('PB_COPY_P_ref'),
('nameplate'):
('system_capacity') },
'Wind Farm Costs': {
('turbine_cost_total', 'bos_cost_total', 'sales_tax_basis', 'sales_tax_rate'):
('sales_tax_total'),
('sales_tax_rate'):
('reference_sales_tax_percent'),
():
('system_use_lifetime_output'),
():
('system_use_recapitalization'),
('total_installed_cost', 'reference_capacity'):
('total_installed_cost_per_kw'),
('system_capacity'):
('reference_capacity'),
('turbine_cost_total', 'bos_cost_total', 'sales_tax_total'):
('total_installed_cost'),
('bos_cost_per_kw', 'reference_capacity', 'bos_cost_per_turbine', 'reference_number_turbines', 'bos_cost_fixed'):
('bos_cost_total'),
('turbine_cost_per_kw', 'reference_capacity', 'turbine_cost_per_turbine', 'reference_number_turbines', 'turbine_cost_fixed'):
('turbine_cost_total'),
('wind_resource_filename'):
('reference_resource_file'),
('wind_farm_num_turbines'):
('reference_number_turbines') },
'Tower SolarPilot Solar Field': {
():
('opt_algorithm'),
('is_optimize', 'override_layout'):
('field_model_type'),
('Q_rec_des'):
('q_design'),
('helio_height', 'helio_width', 'dens_mirror'):
('csp.pt.sf.heliostat_area'),
('helio_width', 'helio_height', 'dens_mirror', 'n_hel'):
('A_sf_UI'),
('helio_optical_error_mrad'):
('error_equiv'),
('h_tower'):
('csp.pt.sf.tower_height'),
('A_sf_UI'):
('helio_area_tot'),
():
('opt_flux_penalty'),
('csp.pt.sf.fixed_land_area', 'land_area_base', 'csp.pt.sf.land_overhead_factor'):
('csp.pt.sf.total_land_area'),
('helio_positions'):
('n_hel'),
('land_max', 'h_tower'):
('land_max_calc'),
('override_opt'):
('is_optimize'),
('n_hel', 'csp.pt.sf.heliostat_area'):
('csp.pt.sf.total_reflective_area'),
('dni_des'):
('dni_des_calc'),
('helio_positions', 'c_atm_0', 'c_atm_1', 'c_atm_2', 'c_atm_3', 'h_tower'):
('c_atm_info'),
('land_min', 'h_tower'):
('land_min_calc') },
'Wind Farm Specifications': {
('wind_farm_sizing_mode'):
('specify_label'),
('wind_farm_sizing_mode', 'desired_farm_size', 'system_capacity'):
('sizing_warning'),
('wind_farm_num_turbines', 'wind_turbine_kw_rating'):
('system_capacity'),
('wind_farm_sizing_mode', 'windfarm.layout.file_or_controls', 'wind_farm_xCoord_file', 'wind_farm_yCoord_file', 'desired_farm_size', 'wind_turbine_kw_rating', 'wind_turbine_rotor_diameter', 'windfarm.farm.shape', 'windfarm.farm.turbines_per_row', 'windfarm.farm.number_of_rows', 'windfarm.farm.offset', 'windfarm.farm.offset_type', 'windfarm.farm.layout_angle', 'windfarm.farm.turbine_spacing', 'windfarm.farm.row_spacing'):
('wind_farm_num_turbines', 'wind_farm_xCoordinates', 'wind_farm_yCoordinates', 'rows', 'cols') },
'Wind Resource File': {
('use_specific_wf_wind', 'user_specified_wf_wind', 'wind_resource.file'):
('wind_resource_filename'),
('wind_turbine_hub_ht'):
('wind_resource.requested_ht') },
'MSPT Dispatch Control': {
('ui_disp_1_turbout', 'ui_disp_2_turbout', 'ui_disp_3_turbout', 'ui_disp_4_turbout', 'ui_disp_5_turbout', 'ui_disp_6_turbout', 'ui_disp_7_turbout', 'ui_disp_8_turbout', 'ui_disp_9_turbout', 'hybrid_tou1', 'hybrid_tou2', 'hybrid_tou3', 'hybrid_tou4', 'hybrid_tou5', 'hybrid_tou6', 'hybrid_tou7', 'hybrid_tou8', 'hybrid_tou9'):
('f_turb_tou_periods', 'F_wc') },
'Generic CSP Thermal Storage': {
('csp.gss.tes.temp_loss_f3', 'csp.gss.tes.temp_loss_f2', 'csp.gss.tes.temp_loss_f1', 'csp.gss.tes.temp_loss_f0'):
('teshlT_coefs'),
('csp.gss.tes.charge_loss_f3', 'csp.gss.tes.charge_loss_f2', 'csp.gss.tes.charge_loss_f1', 'csp.gss.tes.charge_loss_f0'):
('teshlX_coefs'),
('lon'):
('longitude'),
('lat'):
('latitude'),
():
('itoth'),
('w_des', 'eta_des', 'hrs_tes'):
('csp.gss.tes.max_capacity'),
():
('ntod'),
():
('twb'),
():
('vwind'),
():
('ibn'),
():
('tdb'),
():
('ibh'),
():
('azimuth'),
():
('tilt'),
():
('timezone'),
('exergy_table_ui'):
('exergy_table') },
'Financial Analysis Parameters': {
('real_discount_rate', 'inflation_rate'):
('nominal_discount_rate') },
'Molten Salt Tower Storage': {
('tshours'):
('TES_COPY_tshours'),
('q_pb_design'):
('TES_COPY_q_pb_design'),
('T_htf_cold_des'):
('TES_COPY_T_htf_cold_des'),
('P_ref', 'design_eff', 'tshours', 'T_htf_hot_des', 'T_htf_cold_des', 'rec_htf', 'field_fl_props', 'h_tank_min', 'h_tank', 'tank_pairs', 'u_tank'):
('Q_tes', 'tes_avail_vol', 'vol_tank', 'csp.pt.tes.tank_diameter', 'q_dot_tes_est', 'csp.pt.tes.htf_density'),
('csp.pt.tes.tc_fill_type'):
('tc_fill'),
('T_htf_hot_des'):
('TES_COPY_T_htf_hot_des'),
('csp.pt.tes.storage_type'):
('tes_type'),
('csp.pt.tes.tc_fill_type'):
('csp.pt.tes.tc_fill_sph'),
('tc_fill'):
('csp.pt.tes.tc_fill_dens') },
'Supercritical Carbon Dioxide Power Cycle': {
('dd_sco2_cycle_config'):
('sco2_cycle_config'),
('T_htf_hot_des'):
('SCO2_COPY_T_htf_hot_des'),
('design_eff'):
('SCO2_COPY_design_eff'),
('P_ref'):
('SCO2_COPY_P_ref') },
'Wind BOS': {
('sales_tax_rate'):
('sales_and_use_tax'),
('wind_farm_num_turbines'):
('access_road_entrances'),
('wind_farm_num_turbines'):
('weather_delay_days_sugg'),
('weather_delay_days_choice', 'weather_delay_days_input', 'wind_farm_num_turbines'):
('weather_delay_days'),
('farm_size_MW'):
('quantity_permanent_met_towers_sugg'),
('quantity_permanent_met_towers_choice', 'quantity_permanent_met_towers_input', 'farm_size_MW'):
('quantity_permanent_met_towers'),
('farm_size_MW'):
('quantity_test_met_towers_sugg'),
('quantity_test_met_towers_choice', 'quantity_test_met_towers_input', 'farm_size_MW'):
('quantity_test_met_towers'),
('wind_turbine_hub_ht'):
('hub_height'),
('wind_farm_num_turbines'):
('construction_time_sugg'),
('om_building_size_choice', 'om_building_size_input', 'farm_size_MW'):
('om_building_size'),
('crane_breakdowns_choice', 'crane_breakdowns_input', 'wind_farm_num_turbines'):
('crane_breakdowns'),
('farm_size_MW'):
('om_building_size_sugg'),
('construction_time_choice', 'construction_time_input', 'wind_farm_num_turbines'):
('construction_time'),
('wind_turbine_kw_rating', 'wind_turbine_rotor_diameter', 'wind_turbine_hub_ht', 'wind_farm_num_turbines', 'interconnect_voltage', 'distance_to_interconnect', 'site_terrain', 'turbine_layout', 'soil_condition', 'construction_time', 'om_building_size', 'quantity_test_met_towers', 'quantity_permanent_met_towers', 'weather_delay_days', 'crane_breakdowns', 'access_road_entrances', 'turbine_capital_cost', 'tower_top_mass', 'delivery_assist_required', 'pad_mount_transformer_required', 'new_switchyard_required', 'rock_trenching_required', 'mv_thermal_backfill', 'mv_overhead_collector', 'performance_bond', 'contingency', 'warranty_management', 'sales_and_use_tax', 'overhead', 'profit_margin', 'development_fee', 'turbine_transportation'):
('bos_total_budgeted_cost', 'transportation_cost', 'insurance_cost', 'engineering_cost', 'power_performance_cost', 'site_compound_security_cost', 'building_cost', 'transmission_cost', 'markup_cost', 'development_cost', 'access_roads_cost', 'foundation_cost', 'erection_cost', 'electrical_materials_cost', 'electrical_installation_cost', 'substation_cost', 'project_mgmt_cost'),
('wind_turbine_kw_rating'):
('machine_rating'),
('wind_farm_num_turbines'):
('number_of_turbines'),
('wind_turbine_rotor_diameter'):
('rotor_diameter'),
('bos_total_budgeted_cost', 'farm_size_MW'):
('bos_total_cost_per_kw'),
('wind_farm_num_turbines'):
('crane_breakdowns_sugg'),
('wind_farm_num_turbines', 'wind_turbine_kw_rating'):
('farm_size_MW') },
'PV System Design': {
('en_batt', 'batt_power_discharge_max'):
('batt_max_power'),
('subarray1_modules_per_string', 'subarray1_nstrings'):
('subarray1_nmodules'),
('en_batt', 'batt_ac_or_dc', 'system_capacity', 'batt_max_power', 'total_inverter_capacity', 'module_model', 'spe_vmp', 'cec_v_mp_ref', '6par_vmp', 'snl_ref_vmp', 'sd11par_Vmp0', 'spe_voc', 'cec_v_oc_ref', '6par_voc', 'snl_ref_voc', 'sd11par_Voc0', 'mppt_low_inverter', 'mppt_hi_inverter', 'subarray1_string_voc', 'subarray2_enable', 'subarray2_string_voc', 'subarray3_enable', 'subarray3_string_voc', 'subarray4_enable', 'subarray4_string_voc', 'subarray1_string_vmp', 'subarray2_string_vmp', 'subarray3_string_vmp', 'subarray4_string_vmp', 'vdcmax_inverter'):
('layout_warning'),
('module_model', 'spe_area', 'cec_area', '6par_area', 'snl_area', 'sd11par_area', 'subarray1_modules_per_string', 'subarray1_nstrings', 'subarray1_gcr', 'subarray2_enable', 'subarray2_modules_per_string', 'subarray2_nstrings', 'subarray2_gcr', 'subarray3_enable', 'subarray3_modules_per_string', 'subarray3_nstrings', 'subarray3_gcr', 'subarray4_enable', 'subarray4_modules_per_string', 'subarray4_nstrings', 'subarray4_gcr'):
('total_land_area'),
('total_area'):
('array_area'),
('subarray1_nstrings', 'subarray2_enable', 'subarray2_nstrings', 'subarray3_enable', 'subarray3_nstrings', 'subarray4_enable', 'subarray4_nstrings'):
('num_strings_total'),
('subarray2_enable', 'subarray2_modules_per_string', 'subarray2_nstrings'):
('subarray2_nmodules'),
('module_model', 'spe_voc', 'cec_v_oc_ref', '6par_voc', 'snl_voco', 'sd11par_Voc0', 'subarray3_modules_per_string'):
('subarray3_string_voc'),
('inverter_model', 'inv_snl_mppt_hi', 'inv_ds_mppt_hi', 'inv_pd_mppt_hi', 'inv_cec_cg_mppt_hi'):
('mppt_hi_inverter'),
('subarray4_enable', 'subarray4_modules_per_string', 'subarray4_nstrings'):
('subarray4_nmodules'),
('inverter_model', 'inv_snl_vdcmax', 'inv_ds_vdcmax', 'inv_pd_vdcmax', 'inv_cec_cg_vdcmax'):
('vdcmax_inverter'),
('module_model', 'spe_vmp', 'cec_v_mp_ref', '6par_vmp', 'snl_ref_vmp', 'sd11par_Vmp0', 'subarray1_modules_per_string'):
('subarray1_string_vmp'),
('inverter_model', 'inv_snl_mppt_low', 'inv_ds_mppt_low', 'inv_pd_mppt_low', 'inv_cec_cg_mppt_low'):
('mppt_low_inverter'),
('module_model', 'spe_power', 'cec_p_mp_ref', '6par_pmp', 'snl_ref_pmp', 'sd11par_Pmp0', 'total_modules'):
('system_capacity'),
('inverter_model', 'inv_snl_pdco', 'inv_ds_pdco', 'inv_pd_pdco', 'inv_cec_cg_pdco', 'inverter_count'):
('total_dc_inverter_capacity'),
('module_model', 'spe_area', 'cec_area', '6par_area', 'snl_area', 'sd11par_area', 'total_modules'):
('total_area'),
('module_model', 'spe_vmp', 'cec_v_mp_ref', '6par_vmp', 'snl_ref_vmp', 'sd11par_Vmp0', 'subarray4_modules_per_string'):
('subarray4_string_vmp'),
('module_model', 'spe_voc', 'cec_v_oc_ref', '6par_voc', 'snl_voco', 'sd11par_Voc0', 'subarray1_modules_per_string'):
('subarray1_string_voc'),
('module_model', 'spe_vmp', 'cec_v_mp_ref', '6par_vmp', 'snl_ref_vmp', 'sd11par_Vmp0', 'subarray2_modules_per_string'):
('subarray2_string_vmp'),
('subarray2_enable', 'subarray3_enable', 'subarray4_enable'):
('num_enabled'),
('inverter_model', 'inv_snl_paco', 'inv_ds_paco', 'inv_pd_paco', 'inv_cec_cg_paco', 'inverter_count'):
('total_inverter_capacity'),
('module_model', 'spe_voc', 'cec_v_oc_ref', '6par_voc', 'snl_voco', 'sd11par_Voc0', 'subarray4_modules_per_string'):
('subarray4_string_voc'),
('enable_auto_size', 'module_model', 'spe_vmp', 'cec_v_mp_ref', '6par_vmp', 'snl_ref_vmp', 'sd11par_Vmp0', 'spe_voc', 'cec_v_oc_ref', '6par_voc', 'snl_ref_voc', 'sd11par_Voc0', 'spe_power', 'cec_p_mp_ref', '6par_pmp', 'snl_ref_pmp', 'sd11par_Pmp0', 'inverter_model', 'inv_snl_mppt_low', 'inv_ds_mppt_low', 'inv_pd_mppt_low', 'inv_cec_cg_mppt_low', 'inv_snl_vdcmax', 'inv_ds_vdcmax', 'inv_pd_vdcmax', 'inv_cec_cg_vdcmax', 'inv_snl_mppt_hi', 'inv_ds_mppt_hi', 'inv_pd_mppt_hi', 'inv_cec_cg_mppt_hi', 'inv_snl_paco', 'inv_ds_paco', 'inv_pd_paco', 'inv_cec_cg_paco', 'en_batt', 'batt_ac_or_dc', 'batt_max_power', 'desired_size', 'desired_dcac_ratio'):
('subarray2_enable', 'subarray3_enable', 'subarray4_enable', 'subarray1_modules_per_string', 'subarray1_nstrings', 'inverter_count'),
('system_capacity', 'total_inverter_capacity'):
('calculated_dcac_ratio'),
('module_model', 'spe_voc', 'cec_v_oc_ref', '6par_voc', 'snl_voco', 'sd11par_Voc0', 'subarray2_modules_per_string'):
('subarray2_string_voc'),
('total_area'):
('total_module_area'),
('subarray1_modules_per_string', 'subarray1_nstrings', 'subarray2_modules_per_string', 'subarray2_nstrings', 'subarray2_enable', 'subarray3_modules_per_string', 'subarray3_nstrings', 'subarray3_enable', 'subarray4_modules_per_string', 'subarray4_nstrings', 'subarray4_enable'):
('total_modules'),
('inverter_model', 'inv_snl_num_mppt', 'inv_ds_num_mppt', 'inv_pd_num_mppt', 'inv_cec_cg_num_mppt'):
('inv_num_mppt'),
('subarray3_enable', 'subarray3_modules_per_string', 'subarray3_nstrings'):
('subarray3_nmodules'),
('module_model', 'spe_vmp', 'cec_v_mp_ref', '6par_vmp', 'snl_ref_vmp', 'sd11par_Vmp0', 'subarray3_modules_per_string'):
('subarray3_string_vmp') },
'Biopower Plant Specifications': {
('biopwr.plant.nameplate'):
('system_capacity'),
('biopwr.plant.disp9.power', 'biopwr.plant.disp8.power', 'biopwr.plant.disp7.power', 'biopwr.plant.disp6.power', 'biopwr.plant.disp5.power', 'biopwr.plant.disp4.power', 'biopwr.plant.disp3.power', 'biopwr.plant.disp2.power', 'biopwr.plant.disp1.power'):
('biopwr.plant.disp.power'),
('biopwr.plant.boiler.flue_temp'):
('biopwr.plant.boiler.moisture_enth_out'),
('biopwr.plant.boiler.steam_produced', 'biopwr.plant.boiler.num', 'biopwr.plant.boiler.over_design'):
('biopwr.plant.boiler.cap_per_boiler'),
('biopwr.plant.drying_spec_wet'):
('biopwr.plant.drying_spec'),
():
('biopwr.plant.boiler.ref_temp'),
('biopwr.plant.boiler.air_feed', 'biopwr.feedstock.total'):
('biopwr.plant.par_air_blower'),
('biopwr.plant.boiler.steam_grade'):
('biopwr.plant.boiler.steam_pressure'),
('biopwr.plant.par_percent', 'biopwr.plant.nameplate'):
('biopwr.plant.par'),
('biopwr.feedstock.total', 'biopwr.feedstock.total_hhv', 'biopwr.plant.boiler.efficiency', 'biopwr.plant.boiler.steam_enthalpy'):
('biopwr.plant.boiler.steam_produced'),
():
('biopwr.plant.eff.rad_loss'),
('biopwr.plant.tou_option', 'biopwr.plant.ramp_opt', 'biopwr.plant.ramp_opt1', 'biopwr.plant.nameplate', 'biopwr.plant.ramp_opt2'):
('biopwr.plant.ramp_rate'),
('biopwr.plant.boiler.moisture_in_fuel', 'biopwr.plant.boiler.moisture_enth_out', 'biopwr.plant.boiler.moisture_enth_in'):
('biopwr.plant.eff.moisture_loss'),
('biopwr.plant.drying_method', 'biopwr.feedstock.total_moisture', 'biopwr.feedstock.total_hhv', 'biopwr.feedstock.bagasse_frac', 'biopwr.feedstock.barley_frac', 'biopwr.feedstock.stover_frac', 'biopwr.feedstock.rice_frac', 'biopwr.feedstock.wheat_frac', 'biopwr.feedstock.forest_frac', 'biopwr.feedstock.mill_frac', 'biopwr.feedstock.urban_frac', 'biopwr.feedstock.feedstock1_frac', 'biopwr.feedstock.feedstock2_frac', 'biopwr.feedstock.bit_frac', 'biopwr.feedstock.subbit_frac', 'biopwr.feedstock.lig_frac', 'biopwr.feedstock.total_coal_moisture', 'biopwr.plant.drying_spec'):
('biopwr.plant.boiler.moisture_in_fuel'),
('biopwr.plant.boiler.steam_grade'):
('biopwr.plant.boiler.steam_enthalpy'),
('biopwr.feedstock.total_h', 'biopwr.feedstock.total_hhv', 'biopwr.plant.boiler.moisture_enth_out', 'biopwr.plant.boiler.moisture_enth_in'):
('biopwr.plant.eff.latent'),
('biopwr.plant.boiler.ref_temp'):
('biopwr.plant.boiler.moisture_enth_in'),
('biopwr.plant.eff.flue_loss', 'biopwr.plant.eff.fuel_loss', 'biopwr.plant.eff.moisture_loss', 'biopwr.plant.eff.rad_loss', 'biopwr.plant.eff.latent'):
('biopwr.plant.boiler.efficiency'),
('biopwr.plant.boiler.steam_grade'):
('biopwr.plant.boiler.steam_temp'),
('biopwr.plant.boiler.cap_per_boiler', 'biopwr.plant.boiler.num', 'biopwr.plant.boiler.steam_enthalpy', 'biopwr.plant.rated_eff'):
('biopwr.plant.nameplate'),
():
('biopwr.plant.boiler.bfw_enthalpy'),
('biopwr.plant.boiler.air_feed', 'biopwr.plant.boiler.flue_temp', 'biopwr.plant.boiler.ref_temp'):
('biopwr.plant.eff.flue_loss'),
('biopwr.plant.combustor_type', 'biopwr.feedstock.total_c', 'biopwr.plant.boiler.excess_air', 'biopwr.feedstock.total_h', 'biopwr.feedstock.total_o', 'biopwr.feedstock.total_ash', 'biopwr.feedstock.total_hhv'):
('biopwr.plant.boiler.air_feed'),
('biopwr.plant.combustor_type'):
('biopwr.plant.eff.fuel_loss'),
('biopwr.plant.boiler.steam_pressure', 'biopwr.plant.boiler.cap_per_boiler', 'biopwr.plant.boiler.num', 'biopwr.plant.par_air_blower'):
('biopwr.plant.par_bfw_pump') },
'Dish Capital Costs': {
():
('system_use_recapitalization'),
():
('system_use_lifetime_output'),
('total_installed_cost', 'csp.ds.cost.nameplate'):
('csp.ds.cost.installed_per_capacity'),
('csp.ds.cost.epc.per_acre', 'csp.ds.cost.total_land_area', 'csp.ds.cost.epc.percent', 'total_direct_cost', 'csp.ds.cost.nameplate', 'csp.ds.cost.epc.per_watt', 'csp.ds.cost.epc.fixed'):
('csp.ds.cost.epc.total'),
('csp.ds.total_capacity'):
('csp.ds.cost.nameplate'),
('csp.ds.ncollectors', 'csp.ds.cost.collector.area', 'csp.ds.cost.collector.cost_per_m2'):
('csp.ds.cost.collector'),
('csp.ds.field_area'):
('csp.ds.cost.site_improvements.area'),
('csp.ds.cost.site_improvements.area', 'csp.ds.cost.site_improvements.cost_per_m2'):
('csp.ds.cost.site_improvements'),
('csp.ds.cost.site_improvements', 'csp.ds.cost.collector', 'csp.ds.cost.receiver', 'csp.ds.cost.engine', 'csp.ds.cost.contingency'):
('total_direct_cost'),
('total_direct_cost', 'total_indirect_cost'):
('total_installed_cost'),
('A_proj'):
('csp.ds.cost.collector.area'),
('csp.ds.nameplate_capacity'):
('csp.ds.cost.engine.kw'),
('csp.ds.field_area'):
('csp.ds.cost.total_land_area'),
('csp.ds.ncollectors', 'csp.ds.cost.receiver.kw', 'csp.ds.cost.receiver.cost_per_kw'):
('csp.ds.cost.receiver'),
('csp.ds.cost.plm.per_acre', 'csp.ds.cost.total_land_area', 'csp.ds.cost.plm.percent', 'total_direct_cost', 'csp.ds.cost.nameplate', 'csp.ds.cost.plm.per_watt', 'csp.ds.cost.plm.fixed'):
('csp.ds.cost.plm.total'),
('csp.ds.cost.epc.total', 'csp.ds.cost.plm.total', 'csp.ds.cost.sales_tax.total'):
('total_indirect_cost'),
('csp.ds.nameplate_capacity'):
('csp.ds.cost.receiver.kw'),
('csp.ds.cost.contingency_percent', 'csp.ds.cost.site_improvements', 'csp.ds.cost.collector', 'csp.ds.cost.receiver', 'csp.ds.cost.engine'):
('csp.ds.cost.contingency'),
('csp.ds.ncollectors', 'csp.ds.cost.engine.kw', 'csp.ds.cost.engine.cost_per_kw'):
('csp.ds.cost.engine'),
('sales_tax_rate'):
('csp.ds.cost.sales_tax.value'),
('csp.ds.cost.sales_tax.value', 'total_direct_cost', 'csp.ds.cost.sales_tax.percent'):
('csp.ds.cost.sales_tax.total') },
'Rankine Cycle': {
('csp.pt.pwrb.pressure_mode'):
('tech_type'),
('csp.pt.pwrb.condenser_type'):
('CT') },
'Solar Resource Data': {
('solar_resource_file'):
('file_name'),
('use_specific_weather_file', 'user_specified_weather_file', 'solar_data_file_name'):
('solar_resource_file') },
'Generic System Costs': {
('system_capacity', 'genericsys.cost.per_watt'):
('genericsys.cost.plant_scaled'),
('genericsys.cost.plm.fixed', 'genericsys.cost.plm.nonfixed'):
('genericsys.cost.plm.total'),
('system_use_lifetime_output'):
('system_use_recapitalization'),
('genericsys.cost.epc.fixed', 'genericsys.cost.epc.nonfixed'):
('genericsys.cost.epc.total'),
('total_direct_cost', 'genericsys.cost.plm.percent'):
('genericsys.cost.plm.nonfixed'),
('fixed_plant_input'):
('genericsys.cost.plant'),
('genericsys.cost.contingency', 'genericsys.cost.plant', 'genericsys.cost.plant_scaled', 'battery_total'):
('total_direct_cost'),
('genericsys.cost.contingency_percent', 'genericsys.cost.plant', 'genericsys.cost.plant_scaled', 'battery_total'):
('genericsys.cost.contingency'),
('en_batt', 'batt_power_discharge_max'):
('battery_power'),
('total_direct_cost', 'genericsys.cost.epc.percent'):
('genericsys.cost.epc.nonfixed'),
('sales_tax_rate'):
('genericsys.cost.sales_tax.value'),
('genericsys.cost.sales_tax.value', 'total_direct_cost', 'genericsys.cost.sales_tax.percent'):
('genericsys.cost.sales_tax.total'),
('total_direct_cost', 'total_indirect_cost'):
('total_installed_cost'),
('total_installed_cost', 'system_capacity'):
('genericsys.cost.installed_per_capacity'),
('battery_energy', 'battery_per_kWh', 'battery_power', 'battery_per_kW'):
('battery_total'),
('genericsys.cost.epc.total', 'genericsys.cost.plm.total', 'genericsys.cost.sales_tax.total'):
('total_indirect_cost'),
('en_batt', 'batt_computed_bank_capacity'):
('battery_energy'),
('system_capacity'):
('nameplate_capacity') },
'Biopower Feedstock': {
():
('biopwr.feedstock.subbit_c'),
():
('biopwr.feedstock.mill_hhv'),
('biopwr.feedstock.total_biomass', 'biopwr.feedstock.bagasse_biomass_frac', 'biopwr.feedstock.bagasse_lhv', 'biopwr.feedstock.barley_biomass_frac', 'biopwr.feedstock.barley_lhv', 'biopwr.feedstock.stover_biomass_frac', 'biopwr.feedstock.stover_lhv', 'biopwr.feedstock.rice_biomass_frac', 'biopwr.feedstock.rice_lhv', 'biopwr.feedstock.wheat_biomass_frac', 'biopwr.feedstock.wheat_lhv', 'biopwr.feedstock.forest_biomass_frac', 'biopwr.feedstock.forest_lhv', 'biopwr.feedstock.mill_biomass_frac', 'biopwr.feedstock.mill_lhv', 'biopwr.feedstock.urban_biomass_frac', 'biopwr.feedstock.urban_lhv', 'biopwr.feedstock.woody_biomass_frac', 'biopwr.feedstock.woody_lhv', 'biopwr.feedstock.herb_biomass_frac', 'biopwr.feedstock.herb_lhv', 'biopwr.feedstock.feedstock1_biomass_frac', 'biopwr.feedstock.feedstock1_hhv', 'biopwr.feedstock.feedstock1_h', 'biopwr.feedstock.feedstock2_biomass_frac', 'biopwr.feedstock.feedstock2_hhv', 'biopwr.feedstock.feedstock2_h'):
('biopwr.feedstock.total_biomass_lhv'),
('biopwr.feedstock.additional_opt', 'biopwr.feedstock.feedstock2_resource', 'biopwr.feedstock.total_biomass'):
('biopwr.feedstock.feedstock2_biomass_frac'),
():
('biopwr.feedstock.wheat_o'),
():
('biopwr.feedstock.bit_c'),
('biopwr.feedstock.rice_moisture_wet'):
('biopwr.feedstock.rice_moisture'),
('biopwr.feedstock.stover_moisture_wet'):
('biopwr.feedstock.stover_usual_moisture'),
():
('biopwr.feedstock.rice_hhv'),
():
('biopwr.feedstock.lig_ash'),
():
('biopwr.feedstock.herb_o'),
('biopwr.feedstock.coal_opt', 'biopwr.feedstock.total_biomass', 'biopwr.feedstock.total'):
('biopwr.feedstock.biomass_frac'),
():
('biopwr.feedstock.urban_o'),
('biopwr.feedstock.wheat_resource', 'biopwr.feedstock.wheat_obtainable', 'biopwr.feedstock.total'):
('biopwr.feedstock.wheat_frac'),
('biopwr.feedstock.woody_moisture_wet'):
('biopwr.feedstock.woody_usual_moisture'),
('biopwr.feedstock.herb_resource', 'biopwr.feedstock.herb_obtainable', 'biopwr.feedstock.total_biomass'):
('biopwr.feedstock.herb_biomass_frac'),
('biopwr.feedstock.herb_moisture_wet'):
('biopwr.feedstock.herb_usual_moisture'),
():
('biopwr.feedstock.wheat_h'),
('biopwr.feedstock.lig_moisture_wet'):
('biopwr.feedstock.lig_usual_moisture'),
('biopwr.feedstock.feedstock2_moisture'):
('biopwr.feedstock.feedstock2_usual_moisture'),
():
('biopwr.feedstock.barley_hhv'),
('biopwr.feedstock.coal_opt', 'biopwr.feedstock.lig_resource', 'biopwr.feedstock.total_coal'):
('biopwr.feedstock.lig_coal_frac'),
():
('biopwr.feedstock.bagasse_c'),
('biopwr.feedstock.coal_opt', 'biopwr.feedstock.bit_resource', 'biopwr.feedstock.subbit_resource', 'biopwr.feedstock.lig_resource'):
('biopwr.feedstock.total_coal'),
('biopwr.feedstock.stover_moisture_wet'):
('biopwr.feedstock.stover_moisture'),
():
('biopwr.feedstock.stover_hhv'),
():
('biopwr.feedstock.herb_h'),
('biopwr.feedstock.feedstock2_opt', 'biopwr.feedstock.feedstock2_user_hhv', 'biopwr.feedstock.feedstock2_calc_hhv'):
('biopwr.feedstock.feedstock2_hhv'),
('biopwr.feedstock.barley_resource', 'biopwr.feedstock.barley_obtainable', 'biopwr.feedstock.total_biomass'):
('biopwr.feedstock.barley_biomass_frac'),
('biopwr.feedstock.subbit_moisture_wet'):
('biopwr.feedstock.subbit_moisture'),
():
('biopwr.feedstock.barley_c'),
():
('biopwr.feedstock.urban_h'),
('biopwr.feedstock.stover_resource', 'biopwr.feedstock.stover_obtainable', 'biopwr.feedstock.total_biomass'):
('biopwr.feedstock.stover_biomass_frac'),
():
('biopwr.feedstock.subbit_h'),
('biopwr.feedstock.forest_moisture_wet'):
('biopwr.feedstock.forest_usual_moisture'),
():
('biopwr.feedstock.barley_o'),
():
('biopwr.feedstock.woody_ash'),
('biopwr.feedstock.mill_moisture_wet'):
('biopwr.feedstock.mill_moisture'),
():
('biopwr.feedstock.forest_lhv'),
():
('biopwr.feedstock.woody_c'),
('biopwr.feedstock.feedstock1_c', 'biopwr.feedstock.feedstock1_h', 'biopwr.feedstock.feedstock1_n'):
('biopwr.feedstock.feedstock1_calc_hhv'),
('biopwr.feedstock.coal_opt', 'biopwr.feedstock.subbit_resource', 'biopwr.feedstock.total'):
('biopwr.feedstock.subbit_frac'),
():
('biopwr.feedstock.mill_c'),
('biopwr.feedstock.bagasse_moisture_wet'):
('biopwr.feedstock.bagasse_moisture'),
():
('biopwr.feedstock.stover_ash'),
('biopwr.feedstock.forest_moisture_wet'):
('biopwr.feedstock.forest_moisture'),
('biopwr.feedstock.feedstock1_c', 'biopwr.feedstock.feedstock1_h', 'biopwr.feedstock.feedstock1_n'):
('biopwr.feedstock.feedstock1_o'),
('biopwr.feedstock.wheat_resource', 'biopwr.feedstock.wheat_obtainable', 'biopwr.feedstock.total_biomass'):
('biopwr.feedstock.wheat_biomass_frac'),
('biopwr.feedstock.feedstock2_c', 'biopwr.feedstock.feedstock2_h', 'biopwr.feedstock.feedstock2_n'):
('biopwr.feedstock.feedstock2_o'),
('biopwr.feedstock.rice_resource', 'biopwr.feedstock.rice_obtainable', 'biopwr.feedstock.total'):
('biopwr.feedstock.rice_frac'),
():
('biopwr.feedstock.wheat_hhv'),
('biopwr.feedstock.biomass_frac', 'biopwr.feedstock.total_biomass_hhv', 'biopwr.feedstock.coal_frac', 'biopwr.feedstock.total_coal_hhv'):
('biopwr.feedstock.total_hhv'),
('biopwr.feedstock.coal_opt', 'biopwr.feedstock.bit_coal_frac', 'biopwr.feedstock.bit_hhv', 'biopwr.feedstock.subbit_coal_frac', 'biopwr.feedstock.subbit_hhv', 'biopwr.feedstock.lig_coal_frac', 'biopwr.feedstock.lig_hhv'):
('biopwr.feedstock.total_coal_hhv'),
('biopwr.feedstock.additional_opt', 'biopwr.feedstock.feedstock1_resource', 'biopwr.feedstock.total'):
('biopwr.feedstock.feedstock1_frac'),
('biopwr.feedstock.subbit_moisture_wet'):
('biopwr.feedstock.subbit_usual_moisture'),
():
('biopwr.feedstock.woody_o'),
('biopwr.feedstock.bagasse_frac', 'biopwr.feedstock.bagasse_moisture', 'biopwr.feedstock.barley_frac', 'biopwr.feedstock.barley_moisture', 'biopwr.feedstock.stover_frac', 'biopwr.feedstock.stover_moisture', 'biopwr.feedstock.rice_frac', 'biopwr.feedstock.rice_moisture', 'biopwr.feedstock.wheat_frac', 'biopwr.feedstock.wheat_moisture', 'biopwr.feedstock.forest_frac', 'biopwr.feedstock.forest_moisture', 'biopwr.feedstock.mill_frac', 'biopwr.feedstock.mill_moisture', 'biopwr.feedstock.urban_frac', 'biopwr.feedstock.urban_moisture', 'biopwr.feedstock.woody_frac', 'biopwr.feedstock.woody_moisture', 'biopwr.feedstock.herb_frac', 'biopwr.feedstock.herb_moisture', 'biopwr.feedstock.feedstock1_frac', 'biopwr.feedstock.feedstock1_moisture', 'biopwr.feedstock.feedstock2_frac', 'biopwr.feedstock.feedstock2_moisture', 'biopwr.feedstock.bit_frac', 'biopwr.feedstock.bit_moisture', 'biopwr.feedstock.subbit_frac', 'biopwr.feedstock.subbit_moisture', 'biopwr.feedstock.lig_frac', 'biopwr.feedstock.lig_moisture'):
('biopwr.feedstock.total_moisture'),
('biopwr.feedstock.additional_opt', 'biopwr.feedstock.feedstock1_resource', 'biopwr.feedstock.total_biomass'):
('biopwr.feedstock.feedstock1_biomass_frac'),
():
('biopwr.feedstock.subbit_ash'),
('biopwr.feedstock.barley_moisture_wet'):
('biopwr.feedstock.barley_usual_moisture'),
():
('biopwr.feedstock.rice_ash'),
('biopwr.feedstock.rice_h'):
('biopwr.feedstock.rice_lhv'),
():
('biopwr.feedstock.herb_hhv'),
('biopwr.feedstock.bagasse_resource', 'biopwr.feedstock.bagasse_obtainable', 'biopwr.feedstock.total'):
('biopwr.feedstock.bagasse_frac'),
():
('biopwr.feedstock.wheat_ash'),
('biopwr.feedstock.rice_resource', 'biopwr.feedstock.rice_obtainable', 'biopwr.feedstock.total_biomass'):
('biopwr.feedstock.rice_biomass_frac'),
():
('biopwr.feedstock.herb_c'),
():
('biopwr.feedstock.bit_o'),
('biopwr.feedstock.lig_moisture_wet'):
('biopwr.feedstock.lig_moisture'),
('biopwr.feedstock.biomass_frac', 'biopwr.feedstock.total_biomass_ash', 'biopwr.feedstock.coal_frac', 'biopwr.feedstock.total_coal_ash'):
('biopwr.feedstock.total_ash'),
('biopwr.feedstock.coal_opt', 'biopwr.feedstock.bit_resource', 'biopwr.feedstock.total_coal'):
('biopwr.feedstock.bit_coal_frac'),
('biopwr.feedstock.total_coal_hhv'):
('biopwr.feedstock.total_coal_hhv_avg'),
('biopwr.feedstock.bagasse_h'):
('biopwr.feedstock.bagasse_lhv'),
():
('biopwr.feedstock.woody_hhv'),
():
('biopwr.feedstock.bit_h'),
('biopwr.feedstock.feedstock2_c', 'biopwr.feedstock.feedstock2_h', 'biopwr.feedstock.feedstock2_n'):
('biopwr.feedstock.feedstock2_calc_hhv'),
():
('biopwr.feedstock.stover_o'),
('biopwr.feedstock.additional_opt', 'biopwr.feedstock.feedstock2_resource', 'biopwr.feedstock.total'):
('biopwr.feedstock.feedstock2_frac'),
('biopwr.feedstock.wheat_moisture_wet'):
('biopwr.feedstock.wheat_moisture'),
('biopwr.feedstock.barley_resource', 'biopwr.feedstock.barley_obtainable', 'biopwr.feedstock.total'):
('biopwr.feedstock.barley_frac'),
('biopwr.feedstock.bagasse_frac', 'biopwr.feedstock.bagasse_h', 'biopwr.feedstock.barley_frac', 'biopwr.feedstock.barley_h', 'biopwr.feedstock.stover_frac', 'biopwr.feedstock.stover_h', 'biopwr.feedstock.rice_frac', 'biopwr.feedstock.rice_h', 'biopwr.feedstock.wheat_frac', 'biopwr.feedstock.wheat_h', 'biopwr.feedstock.forest_frac', 'biopwr.feedstock.forest_h', 'biopwr.feedstock.mill_frac', 'biopwr.feedstock.mill_h', 'biopwr.feedstock.urban_frac', 'biopwr.feedstock.urban_h', 'biopwr.feedstock.woody_frac', 'biopwr.feedstock.woody_h', 'biopwr.feedstock.herb_frac', 'biopwr.feedstock.herb_h', 'biopwr.feedstock.feedstock1_frac', 'biopwr.feedstock.feedstock1_h', 'biopwr.feedstock.feedstock2_frac', 'biopwr.feedstock.feedstock2_h', 'biopwr.feedstock.bit_frac', 'biopwr.feedstock.bit_h', 'biopwr.feedstock.subbit_frac', 'biopwr.feedstock.subbit_h', 'biopwr.feedstock.lig_frac', 'biopwr.feedstock.lig_h'):
('biopwr.feedstock.total_h'),
():
('biopwr.feedstock.stover_lhv'),
():
('biopwr.feedstock.bagasse_ash'),
('biopwr.feedstock.wheat_moisture_wet'):
('biopwr.feedstock.wheat_usual_moisture'),
():
('biopwr.feedstock.forest_h'),
('biopwr.feedstock.woody_resource', 'biopwr.feedstock.woody_obtainable', 'biopwr.feedstock.total_biomass'):
('biopwr.feedstock.woody_biomass_frac'),
('biopwr.feedstock.bagasse_frac', 'biopwr.feedstock.bagasse_c', 'biopwr.feedstock.barley_frac', 'biopwr.feedstock.barley_c', 'biopwr.feedstock.stover_frac', 'biopwr.feedstock.stover_c', 'biopwr.feedstock.rice_frac', 'biopwr.feedstock.rice_c', 'biopwr.feedstock.wheat_frac', 'biopwr.feedstock.wheat_c', 'biopwr.feedstock.forest_frac', 'biopwr.feedstock.forest_c', 'biopwr.feedstock.mill_frac', 'biopwr.feedstock.mill_c', 'biopwr.feedstock.urban_frac', 'biopwr.feedstock.urban_c', 'biopwr.feedstock.woody_frac', 'biopwr.feedstock.woody_c', 'biopwr.feedstock.herb_frac', 'biopwr.feedstock.herb_c', 'biopwr.feedstock.feedstock1_frac', 'biopwr.feedstock.feedstock1_c', 'biopwr.feedstock.feedstock2_frac', 'biopwr.feedstock.feedstock2_c', 'biopwr.feedstock.bit_frac', 'biopwr.feedstock.bit_c', 'biopwr.feedstock.subbit_frac', 'biopwr.feedstock.subbit_c', 'biopwr.feedstock.lig_frac', 'biopwr.feedstock.lig_c'):
('biopwr.feedstock.total_c'),
('biopwr.feedstock.herb_moisture_wet'):
('biopwr.feedstock.herb_moisture'),
():
('biopwr.feedstock.rice_o'),
('biopwr.feedstock.total_biomass', 'biopwr.feedstock.bagasse_biomass_frac', 'biopwr.feedstock.bagasse_hhv', 'biopwr.feedstock.barley_biomass_frac', 'biopwr.feedstock.barley_hhv', 'biopwr.feedstock.stover_biomass_frac', 'biopwr.feedstock.stover_hhv', 'biopwr.feedstock.rice_biomass_frac', 'biopwr.feedstock.rice_hhv', 'biopwr.feedstock.wheat_biomass_frac', 'biopwr.feedstock.wheat_hhv', 'biopwr.feedstock.forest_biomass_frac', 'biopwr.feedstock.forest_hhv', 'biopwr.feedstock.mill_biomass_frac', 'biopwr.feedstock.mill_hhv', 'biopwr.feedstock.urban_biomass_frac', 'biopwr.feedstock.urban_hhv', 'biopwr.feedstock.woody_biomass_frac', 'biopwr.feedstock.woody_hhv', 'biopwr.feedstock.herb_biomass_frac', 'biopwr.feedstock.herb_hhv', 'biopwr.feedstock.feedstock1_biomass_frac', 'biopwr.feedstock.feedstock1_hhv', 'biopwr.feedstock.feedstock2_biomass_frac', 'biopwr.feedstock.feedstock2_hhv'):
('biopwr.feedstock.total_biomass_hhv'),
('biopwr.feedstock.coal_opt', 'biopwr.feedstock.lig_resource', 'biopwr.feedstock.total'):
('biopwr.feedstock.lig_frac'),
('biopwr.feedstock.coal_opt', 'biopwr.feedstock.bit_coal_frac', 'biopwr.feedstock.subbit_coal_frac', 'biopwr.feedstock.lig_coal_frac'):
('biopwr.feedstock.total_coal_lhv'),
('biopwr.feedstock.forest_resource', 'biopwr.feedstock.forest_obtainable', 'biopwr.feedstock.total'):
('biopwr.feedstock.forest_frac'),
():
('biopwr.feedstock.barley_ash'),
():
('biopwr.feedstock.stover_c'),
('biopwr.feedstock.bagasse_frac', 'biopwr.feedstock.bagasse_o', 'biopwr.feedstock.barley_frac', 'biopwr.feedstock.barley_o', 'biopwr.feedstock.stover_frac', 'biopwr.feedstock.stover_o', 'biopwr.feedstock.rice_frac', 'biopwr.feedstock.rice_o', 'biopwr.feedstock.wheat_frac', 'biopwr.feedstock.wheat_o', 'biopwr.feedstock.forest_frac', 'biopwr.feedstock.forest_o', 'biopwr.feedstock.mill_frac', 'biopwr.feedstock.mill_o', 'biopwr.feedstock.urban_frac', 'biopwr.feedstock.urban_o', 'biopwr.feedstock.woody_frac', 'biopwr.feedstock.woody_o', 'biopwr.feedstock.herb_frac', 'biopwr.feedstock.herb_o', 'biopwr.feedstock.feedstock1_frac', 'biopwr.feedstock.feedstock1_o', 'biopwr.feedstock.feedstock2_frac', 'biopwr.feedstock.feedstock2_o', 'biopwr.feedstock.bit_frac', 'biopwr.feedstock.bit_o', 'biopwr.feedstock.subbit_frac', 'biopwr.feedstock.subbit_o', 'biopwr.feedstock.lig_frac', 'biopwr.feedstock.lig_o'):
('biopwr.feedstock.total_o'),
():
('biopwr.feedstock.bit_ash'),
():
('biopwr.feedstock.bagasse_h'),
():
('biopwr.feedstock.mill_ash'),
('biopwr.feedstock.coal_opt', 'biopwr.feedstock.bit_coal_frac', 'biopwr.feedstock.bit_ash', 'biopwr.feedstock.subbit_coal_frac', 'biopwr.feedstock.subbit_ash', 'biopwr.feedstock.lig_coal_frac', 'biopwr.feedstock.lig_ash'):
('biopwr.feedstock.total_coal_ash'),
('biopwr.feedstock.barley_moisture_wet'):
('biopwr.feedstock.barley_moisture'),
():
('biopwr.feedstock.bagasse_o'),
():
('biopwr.feedstock.stover_h'),
():
('biopwr.feedstock.woody_lhv'),
('biopwr.feedstock.total_biomass', 'biopwr.feedstock.bagasse_biomass_frac', 'biopwr.feedstock.bagasse_c', 'biopwr.feedstock.barley_biomass_frac', 'biopwr.feedstock.barley_c', 'biopwr.feedstock.stover_biomass_frac', 'biopwr.feedstock.stover_c', 'biopwr.feedstock.rice_biomass_frac', 'biopwr.feedstock.rice_c', 'biopwr.feedstock.wheat_biomass_frac', 'biopwr.feedstock.wheat_c', 'biopwr.feedstock.forest_biomass_frac', 'biopwr.feedstock.forest_c', 'biopwr.feedstock.mill_biomass_frac', 'biopwr.feedstock.mill_c', 'biopwr.feedstock.urban_biomass_frac', 'biopwr.feedstock.urban_c', 'biopwr.feedstock.woody_biomass_frac', 'biopwr.feedstock.woody_c', 'biopwr.feedstock.herb_biomass_frac', 'biopwr.feedstock.herb_c', 'biopwr.feedstock.feedstock1_biomass_frac', 'biopwr.feedstock.feedstock2_biomass_frac'):
('biopwr.feedstock.total_biomass_c'),
('biopwr.feedstock.rice_moisture_wet'):
('biopwr.feedstock.rice_usual_moisture'),
():
('biopwr.feedstock.wheat_lhv'),
('biopwr.feedstock.forest_resource', 'biopwr.feedstock.forest_obtainable', 'biopwr.feedstock.total_biomass'):
('biopwr.feedstock.forest_biomass_frac'),
():
('biopwr.feedstock.mill_o'),
('biopwr.feedstock.feedstock1_opt', 'biopwr.feedstock.feedstock1_user_hhv', 'biopwr.feedstock.feedstock1_calc_hhv'):
('biopwr.feedstock.feedstock1_hhv'),
('biopwr.feedstock.total_biomass', 'biopwr.feedstock.total_coal'):
('biopwr.feedstock.total'),
('biopwr.feedstock.coal_opt', 'biopwr.feedstock.subbit_resource', 'biopwr.feedstock.total_coal'):
('biopwr.feedstock.subbit_coal_frac'),
('biopwr.plant.nameplate'):
('biopwr.feedstock.total_nameplate'),
('biopwr.feedstock.stover_resource', 'biopwr.feedstock.stover_obtainable', 'biopwr.feedstock.total'):
('biopwr.feedstock.stover_frac'),
():
('biopwr.feedstock.forest_c'),
('biopwr.feedstock.coal_opt', 'biopwr.feedstock.total_coal', 'biopwr.feedstock.total'):
('biopwr.feedstock.coal_frac'),
('biopwr.feedstock.feedstock1_moisture_wet'):
('biopwr.feedstock.feedstock1_moisture'),
('biopwr.feedstock.feedstock2_moisture'):
('biopwr.feedstock.feedstock1_usual_moisture'),
():
('biopwr.feedstock.lig_c'),
():
('biopwr.feedstock.rice_c'),
():
('biopwr.feedstock.bagasse_hhv'),
():
('biopwr.feedstock.barley_h'),
('biopwr.feedstock.urban_moisture_wet'):
('biopwr.feedstock.urban_usual_moisture'),
('biopwr.feedstock.total_biomass_hhv'):
('biopwr.feedstock.total_biomass_hhv_avg'),
():
('biopwr.feedstock.herb_ash'),
('biopwr.feedstock.coal_opt', 'biopwr.feedstock.bit_coal_frac', 'biopwr.feedstock.bit_moisture', 'biopwr.feedstock.subbit_coal_frac', 'biopwr.feedstock.subbit_moisture', 'biopwr.feedstock.lig_coal_frac', 'biopwr.feedstock.lig_moisture'):
('biopwr.feedstock.total_coal_moisture'),
('biopwr.feedstock.biomass_frac', 'biopwr.feedstock.total_biomass_lhv', 'biopwr.feedstock.coal_frac', 'biopwr.feedstock.total_coal_lhv'):
('biopwr.feedstock.total_lhv'),
():
('biopwr.feedstock.forest_ash'),
('biopwr.feedstock.bagasse_biomass_frac', 'biopwr.feedstock.bagasse_moisture', 'biopwr.feedstock.barley_biomass_frac', 'biopwr.feedstock.barley_moisture', 'biopwr.feedstock.stover_biomass_frac', 'biopwr.feedstock.stover_moisture', 'biopwr.feedstock.rice_biomass_frac', 'biopwr.feedstock.rice_moisture', 'biopwr.feedstock.wheat_biomass_frac', 'biopwr.feedstock.wheat_moisture', 'biopwr.feedstock.forest_biomass_frac', 'biopwr.feedstock.forest_moisture', 'biopwr.feedstock.mill_biomass_frac', 'biopwr.feedstock.mill_moisture', 'biopwr.feedstock.urban_biomass_frac', 'biopwr.feedstock.urban_moisture', 'biopwr.feedstock.woody_biomass_frac', 'biopwr.feedstock.woody_moisture', 'biopwr.feedstock.herb_biomass_frac', 'biopwr.feedstock.herb_moisture', 'biopwr.feedstock.feedstock1_biomass_frac', 'biopwr.feedstock.feedstock1_moisture', 'biopwr.feedstock.feedstock2_biomass_frac', 'biopwr.feedstock.feedstock2_moisture'):
('biopwr.feedstock.total_biomass_moisture'),
('biopwr.feedstock.mill_resource', 'biopwr.feedstock.mill_obtainable', 'biopwr.feedstock.total'):
('biopwr.feedstock.mill_frac'),
():
('biopwr.feedstock.lig_o'),
():
('biopwr.feedstock.urban_lhv'),
('biopwr.feedstock.urban_moisture_wet'):
('biopwr.feedstock.urban_moisture'),
():
('biopwr.feedstock.urban_ash'),
('biopwr.feedstock.bagasse_resource', 'biopwr.feedstock.bagasse_obtainable', 'biopwr.feedstock.total_biomass'):
('biopwr.feedstock.bagasse_biomass_frac'),
():
('biopwr.feedstock.wheat_c'),
('biopwr.feedstock.bagasse_moisture_wet'):
('biopwr.feedstock.bagasse_usual_moisture'),
('biopwr.feedstock.mill_resource', 'biopwr.feedstock.mill_obtainable', 'biopwr.feedstock.total_biomass'):
('biopwr.feedstock.mill_biomass_frac'),
('biopwr.feedstock.herb_resource', 'biopwr.feedstock.herb_obtainable', 'biopwr.feedstock.total'):
('biopwr.feedstock.herb_frac'),
('biopwr.feedstock.herb_hhv', 'biopwr.feedstock.herb_h'):
('biopwr.feedstock.herb_lhv'),
():
('biopwr.feedstock.rice_h'),
():
('biopwr.feedstock.barley_lhv'),
('biopwr.feedstock.woody_resource', 'biopwr.feedstock.woody_obtainable', 'biopwr.feedstock.total'):
('biopwr.feedstock.woody_frac'),
():
('biopwr.feedstock.lig_h'),
('biopwr.feedstock.feedstock2_moisture_wet'):
('biopwr.feedstock.feedstock2_moisture'),
('biopwr.feedstock.coal_opt', 'biopwr.feedstock.bit_resource', 'biopwr.feedstock.total'):
('biopwr.feedstock.bit_frac'),
('biopwr.feedstock.additional_opt', 'biopwr.feedstock.bagasse_resource', 'biopwr.feedstock.bagasse_obtainable', 'biopwr.feedstock.barley_resource', 'biopwr.feedstock.barley_obtainable', 'biopwr.feedstock.stover_resource', 'biopwr.feedstock.stover_obtainable', 'biopwr.feedstock.rice_resource', 'biopwr.feedstock.rice_obtainable', 'biopwr.feedstock.wheat_resource', 'biopwr.feedstock.wheat_obtainable', 'biopwr.feedstock.forest_resource', 'biopwr.feedstock.forest_obtainable', 'biopwr.feedstock.mill_resource', 'biopwr.feedstock.mill_obtainable', 'biopwr.feedstock.urban_resource', 'biopwr.feedstock.urban_obtainable', 'biopwr.feedstock.woody_resource', 'biopwr.feedstock.woody_obtainable', 'biopwr.feedstock.herb_resource', 'biopwr.feedstock.herb_obtainable', 'biopwr.feedstock.feedstock1_resource', 'biopwr.feedstock.feedstock2_resource'):
('biopwr.feedstock.total_biomass'),
('biopwr.feedstock.bit_moisture_wet'):
('biopwr.feedstock.bit_moisture'),
('biopwr.feedstock.bit_moisture_wet'):
('biopwr.feedstock.bit_usual_moisture'),
():
('biopwr.feedstock.urban_hhv'),
('biopwr.feedstock.urban_resource', 'biopwr.feedstock.urban_obtainable', 'biopwr.feedstock.total'):
('biopwr.feedstock.urban_frac'),
():
('biopwr.feedstock.forest_hhv'),
():
('biopwr.feedstock.forest_o'),
():
('biopwr.feedstock.mill_lhv'),
():
('biopwr.feedstock.woody_h'),
('biopwr.feedstock.urban_resource', 'biopwr.feedstock.urban_obtainable', 'biopwr.feedstock.total_biomass'):
('biopwr.feedstock.urban_biomass_frac'),
('biopwr.feedstock.total_biomass', 'biopwr.feedstock.bagasse_biomass_frac', 'biopwr.feedstock.bagasse_ash', 'biopwr.feedstock.barley_biomass_frac', 'biopwr.feedstock.barley_ash', 'biopwr.feedstock.stover_biomass_frac', 'biopwr.feedstock.stover_ash', 'biopwr.feedstock.rice_biomass_frac', 'biopwr.feedstock.rice_ash', 'biopwr.feedstock.wheat_biomass_frac', 'biopwr.feedstock.wheat_ash', 'biopwr.feedstock.forest_biomass_frac', 'biopwr.feedstock.forest_ash', 'biopwr.feedstock.mill_biomass_frac', 'biopwr.feedstock.mill_ash', 'biopwr.feedstock.urban_biomass_frac', 'biopwr.feedstock.urban_ash', 'biopwr.feedstock.woody_biomass_frac', 'biopwr.feedstock.woody_ash', 'biopwr.feedstock.herb_biomass_frac', 'biopwr.feedstock.herb_ash', 'biopwr.feedstock.feedstock1_biomass_frac', 'biopwr.feedstock.feedstock2_biomass_frac'):
('biopwr.feedstock.total_biomass_ash'),
('biopwr.feedstock.mill_moisture_wet'):
('biopwr.feedstock.mill_usual_moisture'),
():
('biopwr.feedstock.subbit_o'),
('biopwr.feedstock.woody_moisture_wet'):
('biopwr.feedstock.woody_moisture'),
():
('biopwr.feedstock.urban_c'),
():
('biopwr.feedstock.mill_h') },
'Financial Third Party Ownership': {
('real_discount_rate', 'inflation_rate'):
('nominal_discount_rate') },
'HCPV Module': {
('module_a0', 'module_a1', 'module_a2', 'module_a3', 'module_a4'):
('hcpv.module.mam_ref'),
('module_concentration', 'hcpv.module.rad1'):
('hcpv.module.rad1X'),
('hcpv.module.mjeff4', 'hcpv.module.mjeff3', 'hcpv.module.mjeff2', 'hcpv.module.mjeff1', 'hcpv.module.mjeff0'):
('module_mjeff'),
('module_reference', 'hcpv.module.mjeff0', 'hcpv.module.mjeff1', 'hcpv.module.mjeff2', 'hcpv.module.mjeff3', 'hcpv.module.mjeff4', 'module_optical_error', 'module_flutter_loss_coeff', 'module_alignment_error', 'hcpv.module.mam_ref'):
('hcpv.module.est_eff'),
('hcpv.module.rad4', 'hcpv.module.rad3', 'hcpv.module.rad2', 'hcpv.module.rad1', 'hcpv.module.rad0'):
('module_rad'),
('module_reference', 'hcpv.module.mjeff0', 'hcpv.module.rad0', 'hcpv.module.mjeff1', 'hcpv.module.rad1', 'hcpv.module.mjeff2', 'hcpv.module.rad2', 'hcpv.module.mjeff3', 'hcpv.module.rad3', 'hcpv.module.mjeff4', 'hcpv.module.rad4', 'hcpv.module.area', 'module_optical_error', 'module_flutter_loss_coeff', 'module_alignment_error', 'hcpv.module.mam_ref'):
('hcpv.module.power'),
('module_concentration', 'hcpv.module.rad3'):
('hcpv.module.rad3X'),
('module_concentration', 'hcpv.module.rad4'):
('hcpv.module.rad4X'),
('module_concentration', 'hcpv.module.rad0'):
('hcpv.module.rad0X'),
('module_concentration', 'hcpv.module.rad2'):
('hcpv.module.rad2X'),
('module_reference', 'hcpv.module.rad0', 'hcpv.module.rad1', 'hcpv.module.rad2', 'hcpv.module.rad3', 'hcpv.module.rad4', 'module_a', 'module_b', 'module_dT'):
('hcpv.module.cell_temp'),
('module_concentration', 'module_cell_area', 'module_ncells'):
('hcpv.module.area') },
'Battery Model Simple': {
():
('batt_simple_meter_position') },
'Physical Trough Receiver Type 4': {
('csp_dtr_hce_var1_field_fraction_4', 'csp_dtr_hce_var1_bellows_shadowing_4', 'csp_dtr_hce_var1_hce_dirt_4', 'csp_dtr_hce_var1_abs_abs_4', 'csp_dtr_hce_var1_env_trans_4', 'csp_dtr_hce_var2_field_fraction_4', 'csp_dtr_hce_var2_bellows_shadowing_4', 'csp_dtr_hce_var2_hce_dirt_4', 'csp_dtr_hce_var2_abs_abs_4', 'csp_dtr_hce_var2_env_trans_4', 'csp_dtr_hce_var3_field_fraction_4', 'csp_dtr_hce_var3_bellows_shadowing_4', 'csp_dtr_hce_var3_hce_dirt_4', 'csp_dtr_hce_var3_abs_abs_4', 'csp_dtr_hce_var3_env_trans_4', 'csp_dtr_hce_var4_field_fraction_4', 'csp_dtr_hce_var4_bellows_shadowing_4', 'csp_dtr_hce_var4_hce_dirt_4', 'csp_dtr_hce_var4_abs_abs_4', 'csp_dtr_hce_var4_env_trans_4'):
('csp_dtr_hce_optical_eff_4'),
('csp_dtr_hce_var1_field_fraction_4', 'csp_dtr_hce_var1_rated_heat_loss_4', 'csp_dtr_hce_var2_field_fraction_4', 'csp_dtr_hce_var2_rated_heat_loss_4', 'csp_dtr_hce_var3_field_fraction_4', 'csp_dtr_hce_var3_rated_heat_loss_4', 'csp_dtr_hce_var4_field_fraction_4', 'csp_dtr_hce_var4_rated_heat_loss_4'):
('csp_dtr_hce_design_heat_loss_4') },
'Physical Trough Collector Type 4': {
('csp_dtr_sca_tracking_error_4', 'csp_dtr_sca_geometry_effects_4', 'csp_dtr_sca_clean_reflectivity_4', 'csp_dtr_sca_mirror_dirt_4', 'csp_dtr_sca_general_error_4'):
('csp_dtr_sca_calc_sca_eff_4'),
('csp_dtr_sca_ave_focal_len_4', 'csp_dtr_sca_calc_theta_4', 'csp_dtr_sca_piping_dist_4'):
('csp_dtr_sca_calc_end_gain_4'),
('csp_dtr_sca_calc_zenith_4', 'tilt', 'azimuth'):
('csp_dtr_sca_calc_costh_4'),
('lat'):
('csp_dtr_sca_calc_latitude_4'),
('csp_dtr_sca_calc_costh_4'):
('csp_dtr_sca_calc_theta_4'),
('lat'):
('csp_dtr_sca_calc_zenith_4'),
('csp_dtr_sca_length_4', 'csp_dtr_sca_ncol_per_sca_4'):
('csp_dtr_sca_ap_length_4'),
('IAMs_4', 'csp_dtr_sca_calc_theta_4', 'csp_dtr_sca_calc_costh_4'):
('csp_dtr_sca_calc_iam_4'),
('csp_dtr_sca_ave_focal_len_4', 'csp_dtr_sca_calc_theta_4', 'nSCA', 'csp_dtr_sca_calc_end_gain_4', 'csp_dtr_sca_length_4', 'csp_dtr_sca_ncol_per_sca_4'):
('csp_dtr_sca_calc_end_loss_4') },
'Linear Fresnel Parasitics': {
('PB_fixed_par', 'demand_var'):
('csp.lf.par.fixed_total'),
('csp.lf.par.bop_val', 'csp.lf.par.bop_pf', 'csp.lf.par.bop_c0', 'csp.lf.par.bop_c1', 'csp.lf.par.bop_c2'):
('bop_array'),
('SCA_drives_elec', 'csp.lf.sf.dp.actual_aper'):
('csp.lf.par.tracking_total'),
('csp.lf.par.aux_val', 'csp.lf.par.aux_pf', 'csp.lf.par.aux_c0', 'csp.lf.par.aux_c1', 'csp.lf.par.aux_c2'):
('aux_array'),
('csp.lf.par.bop_val', 'csp.lf.par.bop_pf', 'csp.lf.par.bop_c0', 'csp.lf.par.bop_c1', 'csp.lf.par.bop_c2', 'demand_var'):
('csp.lf.par.bop_total'),
('csp.lf.par.aux_val', 'csp.lf.par.aux_pf', 'csp.lf.par.aux_c0', 'csp.lf.par.aux_c1', 'csp.lf.par.aux_c2', 'demand_var'):
('csp.lf.par.aux_total') },
'ISCC Molten Salt Tower Receiver': {
('piping_length', 'piping_loss'):
('piping_loss_tot'),
('THT', 'piping_length_mult', 'piping_length_const'):
('piping_length'),
('N_panels'):
('n_flux_x'),
():
('tower_technology'),
():
('conv_forced'),
('THT'):
('h_tower'),
('h_rec_panel', 'csp.pt.rec.cav_lip_height_ratio'):
('csp.pt.rec.cav_lip_height'),
('D_rec', 'H_rec'):
('rec_aspect'),
():
('rec_angle'),
():
('h_wind_meas'),
():
('eps_wavelength'),
():
('conv_wind_dir'),
():
('n_flux_y'),
():
('conv_coupled'),
('T_htf_cold_des', 'T_htf_hot_des'):
('csp.pt.rec.htf_t_avg'),
('csp.pt.rec.htf_type', 'csp.pt.rec.htf_t_avg', 'field_fl_props'):
('csp.pt.rec.htf_c_avg'),
('csp.pt.rec.max_flow_to_rec'):
('m_dot_htf_max'),
('solarm', 'q_pb_design'):
('Q_rec_des'),
('csp.pt.rec.cav_ap_height'):
('csp.pt.rec.cav_panel_height'),
('rec_d_spec', 'csp.pt.rec.cav_ap_hw_ratio'):
('csp.pt.rec.cav_ap_height'),
():
('conv_model'),
('csp.pt.rec.max_oper_frac', 'Q_rec_des', 'csp.pt.rec.htf_c_avg', 'T_htf_hot_des', 'T_htf_cold_des'):
('csp.pt.rec.max_flow_to_rec'),
('csp.pt.rec.htf_type'):
('rec_htf'),
('csp.pt.rec.flow_pattern'):
('Flow_type'),
('field_fl_props'):
('user_fluid'),
('csp.pt.rec.material_type'):
('mat_tube') },
'Battery Current and Capacity': {
('batt_Qexp_percent', 'batt_Qfull', 'batt_Qnom_percent', 'batt_computed_bank_capacity', 'batt_computed_voltage'):
('batt_Qexp', 'batt_Qnom', 'batt_Qfull_flow'),
('batt_computed_strings', 'LeadAcid_q10', 'batt_Qfull', 'LeadAcid_q20', 'LeadAcid_qn'):
('LeadAcid_q10_computed', 'LeadAcid_q20_computed', 'LeadAcid_qn_computed'),
('batt_size_choice', 'batt_chem', 'batt_bank_power', 'batt_bank_size', 'batt_bank_size_dc_ac', 'batt_dc_ac_efficiency', 'batt_bank_power_dc_ac', 'batt_Qfull', 'batt_bank_voltage', 'batt_Vnom_default', 'batt_bank_ncells_serial', 'batt_bank_nstrings', 'batt_C_rate_max_discharge_input', 'batt_C_rate_max_charge_input', 'batt_current_choice', 'batt_cell_power_discharge_max', 'batt_cell_current_discharge_max', 'batt_bank_nseries_stacks', 'batt_bank_size_specify', 'batt_cell_power_charge_max', 'batt_cell_current_charge_max'):
('batt_computed_voltage', 'batt_computed_series', 'batt_computed_strings', 'batt_num_cells', 'batt_computed_bank_capacity', 'batt_power_discharge_max', 'batt_power_charge_max', 'batt_time_capacity', 'batt_C_rate_max_charge', 'batt_C_rate_max_discharge', 'batt_current_charge_max', 'batt_current_discharge_max', 'batt_computed_stacks_series') },
'Geothermal Costs': {
('geotherm.cost.recap'):
('system_recapitalization_cost'),
():
('system_use_lifetime_output'),
('total_installed_cost'):
('geotherm.cost.total_installed_millions'),
('sales_tax_rate'):
('geotherm.cost.sales_tax.value'),
('geotherm.cost.prod_num_wells', 'geotherm.cost.inj_num_wells'):
('geotherm.cost.prod_inj_num_wells'),
('geotherm.cost.prod_cost_curve', 'resource_depth'):
('geotherm.cost.prod_per_well'),
('geotherm.cost.plm.fixed', 'geotherm.cost.plm.nonfixed'):
('geotherm.cost.plm.total'),
('geotherm.cost.inj_cost_curve', 'resource_depth'):
('geotherm.cost.inj_per_well'),
('geotherm.cost.plant_total.calc', 'geotherm.cost.plant_total.amount_specified', 'geotherm.cost.plant_total'):
('geotherm.cost.plant_total.amount'),
('geotherm.cost.conf_num_wells', 'geotherm.cost.confirm_wells_percent'):
('geotherm.cost.confirm_wells_num'),
('geotherm.cost.conf_per_well', 'geotherm.cost.conf_num_wells'):
('geotherm.cost.conf_drill'),
('pump_depth'):
('geotherm.cost.pump_depth'),
('geotherm.cost.contingency_percent', 'geotherm.cost.capital_total'):
('geotherm.cost.contingency'),
('geotherm.cost.inj_per_well', 'geotherm.cost.inj_num_wells'):
('geotherm.cost.inj_drill'),
('total_direct_cost', 'total_indirect_cost'):
('total_installed_cost'),
('gross_output'):
('geotherm.cost.plant_size'),
('geotherm.cost.surf_per_well', 'geotherm.cost.surf_num_wells'):
('geotherm.cost.surf_non_drill'),
('geotherm.cost.plant_auto_estimate', 'geotherm.cost.plant_per_kW_input', 'geotherm.cost.plant_size', 'geotherm.cost.plant_per_kW'):
('geotherm.cost.plant_total'),
('pump_size_hp'):
('geotherm.cost.pump_size'),
('geotherm.cost.inj_wells_drilled'):
('geotherm.cost.inj_num_wells'),
('total_installed_cost', 'geotherm.net_output'):
('geotherm.cost.installed_per_capacity'),
('geotherm.cost.stim_per_well', 'geotherm.cost.stim_num_wells'):
('geotherm.cost.stim_non_drill'),
('geotherm.cost.prod_drill', 'geotherm.cost.inj_drill'):
('geotherm.cost.prod_inj_drill'),
('geotherm.cost.surf_non_drill'):
('geotherm.cost.surf_total'),
('geotherm.cost.prod_wells_drilled'):
('geotherm.cost.prod_num_wells'),
('geotherm.cost.pump_per_foot', 'geotherm.cost.pump_depth'):
('geotherm.cost.pump_installation'),
('geotherm.cost.prod_req'):
('geotherm.cost.num_pumps'),
('geotherm.cost.epc.fixed', 'geotherm.cost.epc.nonfixed'):
('geotherm.cost.epc.total'),
('geotherm.cost.prod_inj_drill', 'geotherm.cost.prod_inj_non_drill'):
('geotherm.cost.prod_inj_total'),
('geotherm.cost.stim_non_drill'):
('geotherm.cost.stim_total'),
('geotherm.cost.prod_req', 'geotherm.cost.inj_num_wells'):
('geotherm.cost.stim_num_wells'),
('geotherm.cost.prod_req', 'geotherm.cost.confirm_wells_num'):
('geotherm.cost.prod_wells_drilled'),
('geotherm.cost.pump_per_hp', 'geotherm.cost.pump_size'):
('geotherm.cost.pump_per_pump'),
('geotherm.cost.prod_req', 'geotherm.cost.inj_num_wells'):
('geotherm.cost.surf_num_wells'),
('geotherm.cost.contingency', 'geotherm.cost.capital_total'):
('total_direct_cost'),
('geotherm.cost.pump_total_per_pump', 'geotherm.cost.num_pumps'):
('geotherm.cost.pumps_total'),
('geotherm.cost.drilling.calc', 'geotherm.cost.drilling.amount_specified', 'geotherm.cost.expl_total', 'geotherm.cost.conf_total', 'geotherm.cost.prod_inj_total', 'geotherm.cost.surf_total', 'geotherm.cost.stim_total'):
('geotherm.cost.drilling.amount'),
('geotherm.cost.recap_use_calc', 'geotherm.cost.recap_specified', 'geotherm.cost.conf_drill', 'geotherm.cost.prod_inj_drill', 'geotherm.cost.surf_total', 'geotherm.cost.pumps_total'):
('geotherm.cost.recap'),
('geotherm.cost.indirect.calc', 'geotherm.cost.indirect.amount_specified', 'geotherm.cost.epc.total', 'geotherm.cost.plm.total', 'geotherm.cost.sales_tax.total'):
('total_indirect_cost'),
('geotherm.cost.prod_req', 'geotherm.cost.inj_prod_well_ratio'):
('geotherm.cost.inj_wells_drilled'),
('geotherm.cost.pump_installation', 'geotherm.cost.pump_per_pump'):
('geotherm.cost.pump_total_per_pump'),
('total_direct_cost', 'geotherm.cost.plm.percent'):
('geotherm.cost.plm.nonfixed'),
('total_direct_cost', 'geotherm.cost.epc.percent'):
('geotherm.cost.epc.nonfixed'),
():
('system_use_recapitalization'),
('geotherm.cost.expl_per_well', 'geotherm.cost.expl_num_wells'):
('geotherm.cost.expl_drill'),
('geotherm.cost.expl_multiplier', 'geotherm.cost.prod_per_well'):
('geotherm.cost.expl_per_well'),
('geotherm.cost.pumping.calc', 'geotherm.cost.pumping.amount_specified', 'geotherm.cost.pumps_total'):
('geotherm.cost.pumping.amount'),
('geotherm.cost.conf_multiplier', 'geotherm.cost.prod_per_well'):
('geotherm.cost.conf_per_well'),
('geotherm.cost.drilling.amount', 'geotherm.cost.plant_total.amount', 'geotherm.cost.pumping.amount'):
('geotherm.cost.capital_total'),
('geotherm.cost.plant_auto_estimate', 'nameplate', 'resource_type', 'resource_temp', 'resource_depth', 'geothermal_analysis_period', 'model_choice', 'analysis_type', 'num_wells', 'conversion_type', 'plant_efficiency_input', 'conversion_subtype', 'decline_type', 'temp_decline_rate', 'temp_decline_max', 'wet_bulb_temp', 'ambient_pressure', 'well_flow_rate', 'pump_efficiency', 'delta_pressure_equip', 'excess_pressure_pump', 'well_diameter', 'casing_size', 'inj_well_diam', 'design_temp', 'specify_pump_work', 'specified_pump_work_amount', 'rock_thermal_conductivity', 'rock_specific_heat', 'rock_density', 'reservoir_pressure_change_type', 'reservoir_pressure_change', 'reservoir_width', 'reservoir_height', 'reservoir_permeability', 'inj_prod_well_distance', 'subsurface_water_loss', 'fracture_aperature', 'fracture_width', 'num_fractures', 'fracture_angle', 'hr_pl_nlev', 'geotherm.cost.plant_size'):
('geotherm.cost.plant_per_kW'),
('num_wells_getem'):
('geotherm.cost.prod_req'),
('geotherm.cost.prod_per_well', 'geotherm.cost.prod_num_wells'):
('geotherm.cost.prod_drill'),
('geotherm.cost.conf_drill', 'geotherm.cost.conf_non_drill'):
('geotherm.cost.conf_total'),
('geotherm.cost.sales_tax.value', 'total_direct_cost', 'geotherm.cost.sales_tax.percent'):
('geotherm.cost.sales_tax.total'),
('geotherm.cost.expl_drill', 'geotherm.cost.expl_non_drill'):
('geotherm.cost.expl_total') },
'Tower SolarPilot Capital Costs': {
('csp.pt.cost.heliostats_m2', 'site_spec_cost', 'heliostat_spec_cost', 'cost_sf_fixed', 'ui_tower_height', 'ui_receiver_height', 'ui_heliostat_height', 'tower_fixed_cost', 'tower_exp', 'csp.pt.cost.receiver.area', 'rec_ref_cost', 'rec_ref_area', 'rec_cost_exp', 'csp.pt.cost.storage_mwht', 'tes_spec_cost', 'csp.pt.cost.power_block_mwe', 'plant_spec_cost', 'bop_spec_cost', 'fossil_spec_cost', 'contingency_rate', 'csp.pt.cost.total_land_area', 'csp.pt.cost.nameplate', 'csp.pt.cost.epc.per_acre', 'csp.pt.cost.epc.percent', 'csp.pt.cost.epc.per_watt', 'csp.pt.cost.epc.fixed', 'land_spec_cost', 'csp.pt.cost.plm.percent', 'csp.pt.cost.plm.per_watt', 'csp.pt.cost.plm.fixed', 'sales_tax_frac', 'csp.pt.cost.sales_tax.value'):
('csp.pt.cost.site_improvements', 'csp.pt.cost.heliostats', 'csp.pt.cost.tower', 'csp.pt.cost.receiver', 'csp.pt.cost.storage', 'csp.pt.cost.power_block', 'csp.pt.cost.bop', 'csp.pt.cost.fossil', 'ui_direct_subtotal', 'csp.pt.cost.contingency', 'total_direct_cost', 'csp.pt.cost.epc.total', 'csp.pt.cost.plm.total', 'csp.pt.cost.sales_tax.total', 'total_indirect_cost', 'total_installed_cost', 'csp.pt.cost.installed_per_capacity'),
():
('system_use_lifetime_output'),
('sales_tax_rate'):
('csp.pt.cost.sales_tax.value'),
('P_ref', 'demand_var'):
('csp.pt.cost.power_block_mwe'),
('P_ref', 'design_eff', 'tshours'):
('csp.pt.cost.storage_mwht'),
('receiver_type', 'rec_height', 'D_rec', 'rec_d_spec', 'csp.pt.rec.cav_ap_height', 'd_rec'):
('csp.pt.cost.receiver.area'),
('helio_height'):
('ui_heliostat_height'),
('nameplate'):
('csp.pt.cost.nameplate'),
('receiver_type', 'rec_height', 'csp.pt.rec.cav_ap_height'):
('csp.pt.cost.rec_height'),
('rec_height'):
('ui_receiver_height'),
():
('system_use_recapitalization'),
('THT', 'h_tower'):
('ui_tower_height'),
('csp.pt.sf.total_land_area'):
('csp.pt.cost.total_land_area'),
('A_sf_UI'):
('csp.pt.cost.site_improvements_m2'),
('A_sf_UI'):
('csp.pt.cost.heliostats_m2') },
'Physical Trough Collector Header': {
('IAMs_1', 'IAMs_2', 'IAMs_3', 'IAMs_4'):
('IAM_matrix'),
('csp_dtr_sca_w_profile_1', 'csp_dtr_sca_w_profile_2', 'csp_dtr_sca_w_profile_3', 'csp_dtr_sca_w_profile_4', 'arr_collectors_in_loop', 'csp_dtr_sca_aperture_1', 'csp_dtr_sca_aperture_2', 'csp_dtr_sca_aperture_3', 'csp_dtr_sca_aperture_4', 'csp_dtr_sca_tracking_error_1', 'csp_dtr_sca_tracking_error_2', 'csp_dtr_sca_tracking_error_3', 'csp_dtr_sca_tracking_error_4', 'csp_dtr_sca_geometry_effects_1', 'csp_dtr_sca_geometry_effects_2', 'csp_dtr_sca_geometry_effects_3', 'csp_dtr_sca_geometry_effects_4', 'csp_dtr_sca_clean_reflectivity_1', 'csp_dtr_sca_clean_reflectivity_2', 'csp_dtr_sca_clean_reflectivity_3', 'csp_dtr_sca_clean_reflectivity_4', 'csp_dtr_sca_mirror_dirt_1', 'csp_dtr_sca_mirror_dirt_2', 'csp_dtr_sca_mirror_dirt_3', 'csp_dtr_sca_mirror_dirt_4', 'csp_dtr_sca_general_error_1', 'csp_dtr_sca_general_error_2', 'csp_dtr_sca_general_error_3', 'csp_dtr_sca_general_error_4', 'csp_dtr_sca_ave_focal_len_1', 'csp_dtr_sca_ave_focal_len_2', 'csp_dtr_sca_ave_focal_len_3', 'csp_dtr_sca_ave_focal_len_4', 'csp_dtr_sca_length_1', 'csp_dtr_sca_length_2', 'csp_dtr_sca_length_3', 'csp_dtr_sca_length_4', 'csp_dtr_sca_ap_length_1', 'csp_dtr_sca_ap_length_2', 'csp_dtr_sca_ap_length_3', 'csp_dtr_sca_ap_length_4', 'csp_dtr_sca_ncol_per_sca_1', 'csp_dtr_sca_ncol_per_sca_2', 'csp_dtr_sca_ncol_per_sca_3', 'csp_dtr_sca_ncol_per_sca_4', 'csp_dtr_sca_piping_dist_1', 'csp_dtr_sca_piping_dist_2', 'csp_dtr_sca_piping_dist_3', 'csp_dtr_sca_piping_dist_4'):
('W_aperture', 'max_collector_width', 'A_aperture', 'TrackingError', 'GeomEffects', 'Rho_mirror_clean', 'Dirt_mirror', 'Error', 'Ave_Focal_Length', 'L_SCA', 'L_aperture', 'ColperSCA', 'Distance_SCA'),
():
('nColt'),
('SCAInfoArray', 'nColt'):
('collectors_in_field', 'arr_collectors_in_loop') },
'Tower Capital Costs': {
('csp.pt.cost.heliostats_m2', 'csp.pt.cost.site_improvements_per_m2', 'csp.pt.cost.heliostats_per_m2', 'csp.pt.cost.fixed_sf', 'ui_tower_height', 'ui_receiver_height', 'ui_heliostat_height', 'csp.pt.cost.tower.fixed', 'csp.pt.cost.tower.scaling_exp', 'csp.pt.cost.receiver.area', 'csp.pt.cost.receiver.ref_cost', 'csp.pt.cost.receiver.ref_area', 'csp.pt.cost.receiver.scaling_exp', 'csp.pt.cost.storage_mwht', 'csp.pt.cost.storage_per_kwht', 'csp.pt.cost.power_block_mwe', 'csp.pt.cost.power_block_per_kwe', 'csp.pt.cost.bop_per_kwe', 'csp.pt.cost.fossil_per_kwe', 'csp.pt.cost.contingency_percent', 'csp.pt.cost.total_land_area', 'csp.pt.cost.nameplate', 'csp.pt.cost.epc.per_acre', 'csp.pt.cost.epc.percent', 'csp.pt.cost.epc.per_watt', 'csp.pt.cost.epc.fixed', 'csp.pt.cost.plm.per_acre', 'csp.pt.cost.plm.percent', 'csp.pt.cost.plm.per_watt', 'csp.pt.cost.plm.fixed', 'csp.pt.cost.sales_tax.percent', 'csp.pt.cost.sales_tax.value'):
('csp.pt.cost.site_improvements', 'csp.pt.cost.heliostats', 'csp.pt.cost.tower', 'csp.pt.cost.receiver', 'csp.pt.cost.storage', 'csp.pt.cost.power_block', 'csp.pt.cost.bop', 'csp.pt.cost.fossil', 'ui_direct_subtotal', 'csp.pt.cost.contingency', 'total_direct_cost', 'csp.pt.cost.epc.total', 'csp.pt.cost.plm.total', 'csp.pt.cost.sales_tax.total', 'total_indirect_cost', 'total_installed_cost', 'csp.pt.cost.installed_per_capacity'),
():
('system_use_lifetime_output'),
('sales_tax_rate'):
('csp.pt.cost.sales_tax.value'),
('P_ref', 'demand_var'):
('csp.pt.cost.power_block_mwe'),
('P_ref', 'design_eff', 'tshours'):
('csp.pt.cost.storage_mwht'),
('receiver_type', 'H_rec', 'D_rec', 'rec_d_spec', 'csp.pt.rec.cav_ap_height', 'd_rec'):
('csp.pt.cost.receiver.area'),
('helio_height'):
('ui_heliostat_height'),
('nameplate'):
('csp.pt.cost.nameplate'),
('receiver_type', 'H_rec', 'csp.pt.rec.cav_ap_height'):
('csp.pt.cost.rec_height'),
('H_rec'):
('ui_receiver_height'),
():
('system_use_recapitalization'),
('THT', 'h_tower'):
('ui_tower_height'),
('csp.pt.sf.total_land_area'):
('csp.pt.cost.total_land_area'),
('A_sf'):
('csp.pt.cost.site_improvements_m2'),
('A_sf'):
('csp.pt.cost.heliostats_m2') },
'PBNS Power Block': {
('nameplate'):
('system_capacity'),
('csp.pbns.condenser_type'):
('CT'),
('csp.pbns.fossil_mode_st', 'csp.pbns.fossil_mode_lf'):
('fossil_mode'),
('demand_var', 'eta_ref'):
('q_pb_des'),
('demand_var', 'csp.pbns.gross_net_conv_factor'):
('nameplate') },
'Tower Solar Field': {
():
('opt_flux_penalty'),
():
('opt_algorithm'),
('dni_des'):
('dni_des_calc'),
('csp.pt.cost.fossil_per_kwe'):
('fossil_spec_cost'),
('csp.pt.cost.sales_tax.percent'):
('sales_tax_frac'),
('csp.pt.cost.contingency_percent'):
('contingency_rate'),
('csp.pt.cost.storage_per_kwht'):
('tes_spec_cost'),
('csp.pt.cost.bop_per_kwe'):
('bop_spec_cost'),
('csp.pt.cost.heliostats_per_m2'):
('heliostat_spec_cost'),
('override_layout'):
('run_type'),
('csp.pt.cost.receiver.ref_cost'):
('rec_ref_cost'),
('helio_optical_error_mrad'):
('helio_optical_error'),
('helio_positions', 'c_atm_0', 'c_atm_1', 'c_atm_2', 'c_atm_3', 'THT'):
('c_atm_info'),
('csp.pt.cost.plm.per_acre'):
('land_spec_cost'),
():
('V_wind_10'),
('csp.pt.sf.fixed_land_area', 'land_area_base', 'csp.pt.sf.land_overhead_factor'):
('csp.pt.sf.total_land_area'),
('THT'):
('csp.pt.sf.tower_height'),
('A_sf'):
('helio_area_tot'),
('csp.pt.cost.site_improvements_per_m2'):
('site_spec_cost'),
('csp.pt.cost.receiver.ref_area'):
('rec_ref_area'),
('helio_width', 'helio_height', 'dens_mirror', 'n_hel'):
('A_sf'),
('csp.pt.cost.receiver.scaling_exp'):
('rec_cost_exp'),
():
('field_control'),
('csp.pt.cost.power_block_per_kwe'):
('plant_spec_cost'),
('csp.pt.cost.tower.scaling_exp'):
('tower_exp'),
('csp.pt.cost.fixed_sf'):
('cost_sf_fixed'),
('helio_optical_error_mrad'):
('error_equiv'),
('helio_positions'):
('n_hel'),
('land_max', 'THT'):
('land_max_calc'),
('H_rec'):
('rec_height'),
('override_opt'):
('is_optimize'),
('n_hel', 'csp.pt.sf.heliostat_area'):
('csp.pt.sf.total_reflective_area'),
('Q_rec_des'):
('q_design'),
('helio_height', 'helio_width', 'dens_mirror'):
('csp.pt.sf.heliostat_area'),
('land_min', 'THT'):
('land_min_calc'),
('csp.pt.cost.tower.fixed'):
('tower_fixed_cost') },
'Generic CSP Solar Field': {
('csp.gss.sf.wspd_loss_f3', 'csp.gss.sf.wspd_loss_f2', 'csp.gss.sf.wspd_loss_f1', 'csp.gss.sf.wspd_loss_f0'):
('f_v_wind_loss_des'),
('csp.gss.sf.wspd_loss_f3', 'csp.gss.sf.wspd_loss_f2', 'csp.gss.sf.wspd_loss_f1', 'csp.gss.sf.wspd_loss_f0'):
('sfhlV_coefs'),
('csp.gss.sf.ambt_loss_f3', 'csp.gss.sf.ambt_loss_f2', 'csp.gss.sf.ambt_loss_f1', 'csp.gss.sf.ambt_loss_f0'):
('sfhlT_coefs'),
('qsf_des', 'csp.gss.sf.design_thermal_loss', 'csp.gss.sf.total_opt_eff', 'irr_des'):
('csp.gss.sf.field_area'),
('csp.gss.sf.irr_loss_f3', 'csp.gss.sf.irr_loss_f2', 'csp.gss.sf.irr_loss_f1', 'csp.gss.sf.irr_loss_f0'):
('f_dni_loss_des'),
('csp.gss.sf.ambt_loss_f3', 'csp.gss.sf.ambt_loss_f2', 'csp.gss.sf.ambt_loss_f1', 'csp.gss.sf.ambt_loss_f0'):
('f_t_amb_loss_des'),
('csp.gss.sf.irr_loss_f3', 'csp.gss.sf.irr_loss_f2', 'csp.gss.sf.irr_loss_f1', 'csp.gss.sf.irr_loss_f0'):
('sfhlQ_coefs'),
('csp.gss.sf.rad_type'):
('rad_type'),
('csp.gss.sf.rad_type'):
('track_mode'),
('f_sfhl_ref', 'qsf_des'):
('csp.gss.sf.design_thermal_loss'),
('OpticalTable', 'istableunsorted'):
('csp.gss.sf.peak_opt_eff'),
('csp.gss.sf.peak_opt_eff', 'eta_opt_soil', 'eta_opt_gen'):
('csp.gss.sf.total_opt_eff'),
('csp.gss.solf.fixed_land_area', 'csp.gss.solf.land_overhead_factor'):
('csp.gss.solf.total_land_area'),
('csp.gss.sf.field_area'):
('csp.gss.solf.fixed_land_area'),
('f_dni_loss_des', 'f_t_amb_loss_des', 'f_v_wind_loss_des'):
('f_loss_tot_des'),
('w_des', 'eta_des', 'solarm'):
('qsf_des') },
'Battery Thermal': {
('solar_resource_file', 'spec_mode', 'energy_output_array', 'batt_thermal_choice', 'batt_room_temperature_single', 'batt_room_temperature_vector'):
('batt_room_temperature_celsius'),
('batt_volume'):
('batt_width'),
('batt_volume'):
('batt_length'),
('batt_computed_bank_capacity', 'batt_specific_energy_per_volume'):
('batt_volume'),
('batt_volume'):
('batt_height'),
('batt_computed_bank_capacity', 'batt_specific_energy_per_mass'):
('batt_mass') },
'Empirical Trough Thermal Storage': {
('ui_tes_htf_type', 'ui_field_htf_type', 'ui_q_design', 'TurTesOutAdj', 'TurTesEffAdj', 'MaxGrOut'):
('PFSmax'),
('ui_q_design'):
('ui_tes_q_design'),
('TSHOURS', 'ui_q_design'):
('calc_max_energy'),
('ui_tes_htf_type', 'ui_field_htf_type', 'Solar_Field_Mult'):
('calc_heat_ex_duty'),
('ui_tes_htf_type', 'ui_field_htf_type', 'ui_q_design', 'Solar_Field_Mult', 'MaxGrOut', 'calc_heat_ex_duty'):
('PTSmax'),
('ui_tes_htf_type'):
('calc_htf_max_opt_temp'),
('ui_tes_htf_type'):
('calc_htf_min_opt_temp') },
'Rankine Cycle and Hybrid Cooling': {
('hybrid_tou1', 'hybrid_tou2', 'hybrid_tou3', 'hybrid_tou4', 'hybrid_tou5', 'hybrid_tou6', 'hybrid_tou7', 'hybrid_tou8', 'hybrid_tou9'):
('F_wc'),
('combo_condenser_type'):
('CT'),
('pressure_mode'):
('tech_type') },
'Direct Steam Tower Parasitics': {
():
('bop_array'),
('aux_par', 'aux_par_f', 'aux_par_0', 'aux_par_1', 'aux_par_2', 'demand_var'):
('csp.dst.calc.aux'),
('bop_par', 'bop_par_f', 'bop_par_0', 'bop_par_1', 'bop_par_2', 'demand_var'):
('csp.dst.calc.bop'),
('THT', 'piping_length_mult', 'piping_length_add'):
('Piping_length'),
('Piping_length', 'Piping_loss'):
('Piping_loss_tot'),
():
('aux_array') },
'Financial Debt DSCR or Debt Fraction': {
('real_discount_rate', 'inflation_rate', 'debt_percent', 'federal_tax_rate', 'state_tax_rate', 'term_int_rate'):
('ui_wacc') },
'Battery Dispatch Front of Meter': {
('batt_dispatch_choice', 'dispatch_factor1', 'dispatch_factor2', 'dispatch_factor3', 'dispatch_factor4', 'dispatch_factor5', 'dispatch_factor6', 'dispatch_factor7', 'dispatch_factor8', 'dispatch_factor9'):
('dispatch_tod_factors') },
'Linear Fresnel Boiler Geometry': {
('csp.lf.geom1.var1.broken_glass', 'csp.lf.geom1.var2.broken_glass', 'csp.lf.geom1.var3.broken_glass', 'csp.lf.geom1.var4.broken_glass'):
('csp.lf.geom1.glazing_intact'),
('csp.lf.geom1.var1.gas_type', 'csp.lf.geom1.var2.gas_type', 'csp.lf.geom1.var3.gas_type', 'csp.lf.geom1.var4.gas_type'):
('csp.lf.geom1.annulus_gas'),
('csp.lf.geom1.hl_mode', 'csp.lf.geom1.var1.field_fraction', 'csp.lf.geom1.var1.bellows_shadowing', 'csp.lf.geom1.var1.hce_dirt', 'csp.lf.geom1.var2.field_fraction', 'csp.lf.geom1.var2.bellows_shadowing', 'csp.lf.geom1.var2.hce_dirt', 'csp.lf.geom1.var3.field_fraction', 'csp.lf.geom1.var3.bellows_shadowing', 'csp.lf.geom1.var3.hce_dirt', 'csp.lf.geom1.var4.field_fraction', 'csp.lf.geom1.var4.bellows_shadowing', 'csp.lf.geom1.var4.hce_dirt'):
('csp.lf.geom1.rec_optical_derate'),
('csp.lf.geom1.hl_mode', 'csp.lf.geom1.hlpolyt0', 'csp.lf.geom1.hlpolyt1', 'csp.lf.geom1.avg_field_temp_dt_design', 'csp.lf.geom1.hlpolyt2', 'csp.lf.geom1.hlpolyt3', 'csp.lf.geom1.hlpolyt4', 'csp.lf.geom1.var1.field_fraction', 'csp.lf.geom1.var1.rated_heat_loss', 'csp.lf.geom1.var2.field_fraction', 'csp.lf.geom1.var2.rated_heat_loss', 'csp.lf.geom1.var3.field_fraction', 'csp.lf.geom1.var3.rated_heat_loss', 'csp.lf.geom1.var4.field_fraction', 'csp.lf.geom1.var4.rated_heat_loss'):
('csp.lf.geom1.heat_loss_at_design'),
('csp.lf.geom1.heat_loss_at_design', 'I_bn_des', 'csp.lf.geom1.refl_aper_area', 'csp.lf.geom1.coll_length'):
('csp.lf.geom1.rec_thermal_derate'),
('T_cold_ref', 'T_hot', 'T_amb_des_sf'):
('csp.lf.geom1.avg_field_temp_dt_design'),
('csp.lf.geom1.track_error', 'csp.lf.geom1.geom_error', 'csp.lf.geom1.mirror_refl', 'csp.lf.geom1.soiling', 'csp.lf.geom1.general_error'):
('csp.lf.geom1.coll_opt_loss_norm_inc') },
'Battery Model': {
('batt_type'):
('batt_chem') },
'Physical Trough Receiver Header': {
('csp_dtr_hce_var1_bellows_shadowing_1', 'csp_dtr_hce_var2_bellows_shadowing_1', 'csp_dtr_hce_var3_bellows_shadowing_1', 'csp_dtr_hce_var4_bellows_shadowing_1', 'csp_dtr_hce_var1_bellows_shadowing_2', 'csp_dtr_hce_var2_bellows_shadowing_2', 'csp_dtr_hce_var3_bellows_shadowing_2', 'csp_dtr_hce_var4_bellows_shadowing_2', 'csp_dtr_hce_var1_bellows_shadowing_3', 'csp_dtr_hce_var2_bellows_shadowing_3', 'csp_dtr_hce_var3_bellows_shadowing_3', 'csp_dtr_hce_var4_bellows_shadowing_3', 'csp_dtr_hce_var1_bellows_shadowing_4', 'csp_dtr_hce_var2_bellows_shadowing_4', 'csp_dtr_hce_var3_bellows_shadowing_4', 'csp_dtr_hce_var4_bellows_shadowing_4'):
('Shadowing'),
('csp_dtr_hce_var1_gas_type_1', 'csp_dtr_hce_var2_gas_type_1', 'csp_dtr_hce_var3_gas_type_1', 'csp_dtr_hce_var4_gas_type_1', 'csp_dtr_hce_var1_gas_type_2', 'csp_dtr_hce_var2_gas_type_2', 'csp_dtr_hce_var3_gas_type_2', 'csp_dtr_hce_var4_gas_type_2', 'csp_dtr_hce_var1_gas_type_3', 'csp_dtr_hce_var2_gas_type_3', 'csp_dtr_hce_var3_gas_type_3', 'csp_dtr_hce_var4_gas_type_3', 'csp_dtr_hce_var1_gas_type_4', 'csp_dtr_hce_var2_gas_type_4', 'csp_dtr_hce_var3_gas_type_4', 'csp_dtr_hce_var4_gas_type_4'):
('AnnulusGas'),
('csp_dtr_hce_var1_annulus_pressure_1', 'csp_dtr_hce_var2_annulus_pressure_1', 'csp_dtr_hce_var3_annulus_pressure_1', 'csp_dtr_hce_var4_annulus_pressure_1', 'csp_dtr_hce_var1_annulus_pressure_2', 'csp_dtr_hce_var2_annulus_pressure_2', 'csp_dtr_hce_var3_annulus_pressure_2', 'csp_dtr_hce_var4_annulus_pressure_2', 'csp_dtr_hce_var1_annulus_pressure_3', 'csp_dtr_hce_var2_annulus_pressure_3', 'csp_dtr_hce_var3_annulus_pressure_3', 'csp_dtr_hce_var4_annulus_pressure_3', 'csp_dtr_hce_var1_annulus_pressure_4', 'csp_dtr_hce_var2_annulus_pressure_4', 'csp_dtr_hce_var3_annulus_pressure_4', 'csp_dtr_hce_var4_annulus_pressure_4'):
('P_a'),
('csp_dtr_hce_var1_env_emis_1', 'csp_dtr_hce_var2_env_emis_1', 'csp_dtr_hce_var3_env_emis_1', 'csp_dtr_hce_var4_env_emis_1', 'csp_dtr_hce_var1_env_emis_2', 'csp_dtr_hce_var2_env_emis_2', 'csp_dtr_hce_var3_env_emis_2', 'csp_dtr_hce_var4_env_emis_2', 'csp_dtr_hce_var1_env_emis_3', 'csp_dtr_hce_var2_env_emis_3', 'csp_dtr_hce_var3_env_emis_3', 'csp_dtr_hce_var4_env_emis_3', 'csp_dtr_hce_var1_env_emis_4', 'csp_dtr_hce_var2_env_emis_4', 'csp_dtr_hce_var3_env_emis_4', 'csp_dtr_hce_var4_env_emis_4'):
('EPSILON_4', 'EPSILON_5'),
('csp_dtr_hce_var1_env_trans_1', 'csp_dtr_hce_var2_env_trans_1', 'csp_dtr_hce_var3_env_trans_1', 'csp_dtr_hce_var4_env_trans_1', 'csp_dtr_hce_var1_env_trans_2', 'csp_dtr_hce_var2_env_trans_2', 'csp_dtr_hce_var3_env_trans_2', 'csp_dtr_hce_var4_env_trans_2', 'csp_dtr_hce_var1_env_trans_3', 'csp_dtr_hce_var2_env_trans_3', 'csp_dtr_hce_var3_env_trans_3', 'csp_dtr_hce_var4_env_trans_3', 'csp_dtr_hce_var1_env_trans_4', 'csp_dtr_hce_var2_env_trans_4', 'csp_dtr_hce_var3_env_trans_4', 'csp_dtr_hce_var4_env_trans_4'):
('Tau_envelope'),
('csp_dtr_hce_var1_abs_abs_1', 'csp_dtr_hce_var2_abs_abs_1', 'csp_dtr_hce_var3_abs_abs_1', 'csp_dtr_hce_var4_abs_abs_1', 'csp_dtr_hce_var1_abs_abs_2', 'csp_dtr_hce_var2_abs_abs_2', 'csp_dtr_hce_var3_abs_abs_2', 'csp_dtr_hce_var4_abs_abs_2', 'csp_dtr_hce_var1_abs_abs_3', 'csp_dtr_hce_var2_abs_abs_3', 'csp_dtr_hce_var3_abs_abs_3', 'csp_dtr_hce_var4_abs_abs_3', 'csp_dtr_hce_var1_abs_abs_4', 'csp_dtr_hce_var2_abs_abs_4', 'csp_dtr_hce_var3_abs_abs_4', 'csp_dtr_hce_var4_abs_abs_4'):
('alpha_abs'),
('csp_dtr_hce_var1_broken_glass_1', 'csp_dtr_hce_var2_broken_glass_1', 'csp_dtr_hce_var3_broken_glass_1', 'csp_dtr_hce_var4_broken_glass_1', 'csp_dtr_hce_var1_broken_glass_2', 'csp_dtr_hce_var2_broken_glass_2', 'csp_dtr_hce_var3_broken_glass_2', 'csp_dtr_hce_var4_broken_glass_2', 'csp_dtr_hce_var1_broken_glass_3', 'csp_dtr_hce_var2_broken_glass_3', 'csp_dtr_hce_var3_broken_glass_3', 'csp_dtr_hce_var4_broken_glass_3', 'csp_dtr_hce_var1_broken_glass_4', 'csp_dtr_hce_var2_broken_glass_4', 'csp_dtr_hce_var3_broken_glass_4', 'csp_dtr_hce_var4_broken_glass_4'):
('GlazingIntactIn'),
('csp_dtr_hce_var1_env_abs_1', 'csp_dtr_hce_var2_env_abs_1', 'csp_dtr_hce_var3_env_abs_1', 'csp_dtr_hce_var4_env_abs_1', 'csp_dtr_hce_var1_env_abs_2', 'csp_dtr_hce_var2_env_abs_2', 'csp_dtr_hce_var3_env_abs_2', 'csp_dtr_hce_var4_env_abs_2', 'csp_dtr_hce_var1_env_abs_3', 'csp_dtr_hce_var2_env_abs_3', 'csp_dtr_hce_var3_env_abs_3', 'csp_dtr_hce_var4_env_abs_3', 'csp_dtr_hce_var1_env_abs_4', 'csp_dtr_hce_var2_env_abs_4', 'csp_dtr_hce_var3_env_abs_4', 'csp_dtr_hce_var4_env_abs_4'):
('alpha_env'),
('csp_dtr_hce_var1_rated_heat_loss_1', 'csp_dtr_hce_var2_rated_heat_loss_1', 'csp_dtr_hce_var3_rated_heat_loss_1', 'csp_dtr_hce_var4_rated_heat_loss_1', 'csp_dtr_hce_var1_rated_heat_loss_2', 'csp_dtr_hce_var2_rated_heat_loss_2', 'csp_dtr_hce_var3_rated_heat_loss_2', 'csp_dtr_hce_var4_rated_heat_loss_2', 'csp_dtr_hce_var1_rated_heat_loss_3', 'csp_dtr_hce_var2_rated_heat_loss_3', 'csp_dtr_hce_var3_rated_heat_loss_3', 'csp_dtr_hce_var4_rated_heat_loss_3', 'csp_dtr_hce_var1_rated_heat_loss_4', 'csp_dtr_hce_var2_rated_heat_loss_4', 'csp_dtr_hce_var3_rated_heat_loss_4', 'csp_dtr_hce_var4_rated_heat_loss_4'):
('Design_loss'),
('csp_dtr_hce_var1_field_fraction_1', 'csp_dtr_hce_var2_field_fraction_1', 'csp_dtr_hce_var3_field_fraction_1', 'csp_dtr_hce_var4_field_fraction_1', 'csp_dtr_hce_var1_field_fraction_2', 'csp_dtr_hce_var2_field_fraction_2', 'csp_dtr_hce_var3_field_fraction_2', 'csp_dtr_hce_var4_field_fraction_2', 'csp_dtr_hce_var1_field_fraction_3', 'csp_dtr_hce_var2_field_fraction_3', 'csp_dtr_hce_var3_field_fraction_3', 'csp_dtr_hce_var4_field_fraction_3', 'csp_dtr_hce_var1_field_fraction_4', 'csp_dtr_hce_var2_field_fraction_4', 'csp_dtr_hce_var3_field_fraction_4', 'csp_dtr_hce_var4_field_fraction_4'):
('HCE_FieldFrac'),
('csp_dtr_hce_diam_envelope_inner_1', 'csp_dtr_hce_diam_envelope_inner_2', 'csp_dtr_hce_diam_envelope_inner_3', 'csp_dtr_hce_diam_envelope_inner_4'):
('D_4'),
('csp_dtr_hce_absorber_material_1', 'csp_dtr_hce_absorber_material_2', 'csp_dtr_hce_absorber_material_3', 'csp_dtr_hce_absorber_material_4'):
('AbsorberMaterial'),
('csp_dtr_hce_flow_type_1', 'csp_dtr_hce_flow_type_2', 'csp_dtr_hce_flow_type_3', 'csp_dtr_hce_flow_type_4'):
('Flow_type'),
('csp_dtr_hce_var1_hce_dirt_1', 'csp_dtr_hce_var2_hce_dirt_1', 'csp_dtr_hce_var3_hce_dirt_1', 'csp_dtr_hce_var4_hce_dirt_1', 'csp_dtr_hce_var1_hce_dirt_2', 'csp_dtr_hce_var2_hce_dirt_2', 'csp_dtr_hce_var3_hce_dirt_2', 'csp_dtr_hce_var4_hce_dirt_2', 'csp_dtr_hce_var1_hce_dirt_3', 'csp_dtr_hce_var2_hce_dirt_3', 'csp_dtr_hce_var3_hce_dirt_3', 'csp_dtr_hce_var4_hce_dirt_3', 'csp_dtr_hce_var1_hce_dirt_4', 'csp_dtr_hce_var2_hce_dirt_4', 'csp_dtr_hce_var3_hce_dirt_4', 'csp_dtr_hce_var4_hce_dirt_4'):
('Dirt_HCE'),
('csp_dtr_hce_inner_roughness_1', 'csp_dtr_hce_inner_roughness_2', 'csp_dtr_hce_inner_roughness_3', 'csp_dtr_hce_inner_roughness_4'):
('Rough'),
('csp_dtr_hce_diam_absorber_plug_1', 'csp_dtr_hce_diam_absorber_plug_2', 'csp_dtr_hce_diam_absorber_plug_3', 'csp_dtr_hce_diam_absorber_plug_4'):
('D_p'),
('csp_dtr_hce_diam_envelope_outer_1', 'csp_dtr_hce_diam_envelope_outer_2', 'csp_dtr_hce_diam_envelope_outer_3', 'csp_dtr_hce_diam_envelope_outer_4'):
('D_5'),
('csp_dtr_hce_diam_absorber_outer_1', 'csp_dtr_hce_diam_absorber_outer_2', 'csp_dtr_hce_diam_absorber_outer_3', 'csp_dtr_hce_diam_absorber_outer_4'):
('D_3'),
('csp_dtr_hce_diam_absorber_inner_1', 'csp_dtr_hce_diam_absorber_inner_2', 'csp_dtr_hce_diam_absorber_inner_3', 'csp_dtr_hce_diam_absorber_inner_4'):
('D_2'),
('SCAInfoArray', 'nColt'):
('receivers_in_field') },
'PV Shading': {
('subarray4_gcr'):
('subarray4_gcr_ref'),
('subarray1_gcr'):
('subarray1_gcr_ref'),
('subarray4_enable', 'subarray4_nstrings', 'subarray4_modules_per_string'):
('subarray4_ref_nmodules'),
('subarray1_nstrings', 'subarray1_modules_per_string'):
('subarray1_ref_nmodules'),
('subarray4_ref_nmodules', 'subarray4_nmodx', 'subarray4_nmody'):
('ui_subarray4_nrows'),
('subarray3_ref_nmodules', 'subarray3_nmodx', 'subarray3_nmody'):
('ui_subarray3_nrows'),
('subarray2_ref_nmodules', 'subarray2_nmodx', 'subarray2_nmody'):
('ui_subarray2_nrows'),
('module_area', 'module_width', 'module_length', 'subarray4_nmody', 'subarray4_mod_orient', 'subarray4_gcr_ref'):
('ui_subarray4_row_spacing'),
('subarray2_gcr'):
('subarray2_gcr_ref'),
('module_area', 'module_width', 'module_length', 'subarray3_nmody', 'subarray3_mod_orient', 'subarray3_gcr_ref'):
('ui_subarray3_row_spacing'),
('module_area', 'module_width', 'module_length', 'subarray1_nmody', 'subarray1_mod_orient', 'subarray1_gcr_ref'):
('ui_subarray1_row_spacing'),
('module_area', 'module_width', 'module_length', 'subarray2_nmody', 'subarray2_mod_orient', 'subarray2_gcr_ref'):
('ui_subarray2_row_spacing'),
('subarray1_ref_nmodules', 'subarray1_nmodx', 'subarray1_nmody'):
('ui_subarray1_nrows'),
('subarray3_gcr'):
('subarray3_gcr_ref'),
('subarray3_mod_orient', 'subarray3_nmody', 'module_length', 'module_width'):
('ui_subarray3_length_side'),
('subarray4_mod_orient', 'subarray4_nmody', 'module_length', 'module_width'):
('ui_subarray4_length_side'),
('module_model', 'spe_area', 'cec_area', '6par_area', 'snl_area', 'sd11par_area'):
('module_area'),
('subarray2_mod_orient', 'subarray2_nmody', 'module_length', 'module_width'):
('ui_subarray2_length_side'),
('subarray1_mod_orient', 'subarray1_nmody', 'module_length', 'module_width'):
('ui_subarray1_length_side'),
('subarray3_enable', 'subarray3_nstrings', 'subarray3_modules_per_string'):
('subarray3_ref_nmodules'),
('subarray2_enable', 'subarray2_nstrings', 'subarray2_modules_per_string'):
('subarray2_ref_nmodules'),
('module_area', 'module_aspect_ratio'):
('module_length'),
('module_area', 'module_aspect_ratio'):
('module_width') },
'IEC61853 Single Diode Model': {
('iec61853_test_data'):
('sd11par_Pmp0', 'sd11par_Vmp0', 'sd11par_Isc0', 'sd11par_Voc0', 'sd11par_Imp0'),
('sd11par_Pmp0', 'sd11par_area'):
('sd11par_eff') },
'Wind Turbine Design': {
('wind.turbine.radio_list_or_design', 'wind_turbine_powercurve_windspeeds_from_lib', 'wind_turbine_powercurve_powerout_from_lib', 'wind_turbine_kw_rating_from_lib', 'wind_turbine_kw_rating_input', 'wind_turbine_rotor_diameter_input', 'wind_turbine_hub_ht', 'wind.turbine.elevation', 'wind_resource_model_choice', 'wind_turbine_max_cp', 'wind.turbine.max_tip_speed', 'wind.turbine.max_tspeed_ratio', 'wind.turbine.region2nhalf_slope', 'wind_turbine_cutin', 'wind_turbine_cut_out', 'wind.turbine.drive_train'):
('wind_turbine_powercurve_windspeeds', 'wind_turbine_powercurve_powerout', 'wind_turbine_rated_wind_speed', 'wind_turbine_powercurve_err_msg', 'wind_turbine_powercurve_hub_efficiency'),
('wind.turbine.radio_list_or_design', 'wind_turbine_kw_rating_from_lib', 'wind_turbine_kw_rating_input'):
('wind_turbine_kw_rating'),
('wind.turbine.radio_list_or_design', 'wind_turbine_rotor_diameter_from_lib', 'wind_turbine_rotor_diameter_input'):
('wind_turbine_rotor_diameter') },
'Inverter CEC Database': {
('inv_snl_vdco', 'inv_snl_pdco', 'inv_snl_pso', 'inv_snl_paco', 'inv_snl_c0', 'inv_snl_c1', 'inv_snl_c2', 'inv_snl_c3'):
('inv_snl_eff_cec', 'inv_snl_eff_euro') },
'Electric Load': {
():
('ui_annual_load'),
('load_model', 'escal_other', 'escal_belpe'):
('load_escalation') },
'Financial Debt Min DSCR': {
('construction_financing_cost'):
('ui_construction_financing_cost'),
('real_discount_rate', 'inflation_rate', 'debt_fraction', 'federal_tax_rate', 'state_tax_rate', 'loan_rate'):
('ui_wacc'),
('ui_net_capital_cost', 'debt_fraction', 'construction_financing_cost'):
('ui_loan_amount'),
('total_installed_cost', 'ibi_fed_amount', 'ibi_sta_amount', 'ibi_uti_amount', 'ibi_oth_amount', 'ibi_fed_percent', 'ibi_fed_percent_maxvalue', 'ibi_sta_percent', 'ibi_sta_percent_maxvalue', 'ibi_uti_percent', 'ibi_uti_percent_maxvalue', 'ibi_oth_percent', 'ibi_oth_percent_maxvalue', 'system_capacity', 'cbi_fed_amount', 'cbi_fed_maxvalue', 'cbi_sta_amount', 'cbi_sta_maxvalue', 'cbi_uti_amount', 'cbi_uti_maxvalue', 'cbi_oth_amount', 'cbi_oth_maxvalue'):
('ui_net_capital_cost') },
'Solar Water Heating Costs': {
('epc_total', 'plm_total', 'sales_tax_total'):
('total_indirect'),
('sales_tax_rate'):
('sales_tax_value'),
('plm_percent', 'total_direct'):
('plm_nonfixed'),
('total_installed_cost', 'system_capacity'):
('installed_per_capacity'),
('sales_tax_value', 'total_direct', 'sales_tax_percent'):
('sales_tax_total'),
('contingency_percent', 'collector', 'storage', 'bos', 'installation'):
('contingency'),
('ncoll'):
('num_collectors'),
():
('system_use_lifetime_output'),
('contingency', 'bos', 'installation', 'storage', 'collector'):
('total_direct'),
('collector_cost_units', 'total_area', 'system_capacity', 'num_collectors', 'per_collector'):
('collector'),
('epc_percent', 'total_direct'):
('epc_nonfixed'),
():
('system_use_recapitalization'),
('storage_cost_units', 'V_tank', 'per_storage'):
('storage'),
('epc_nonfixed', 'epc_fixed'):
('epc_total'),
('total_direct', 'total_indirect'):
('total_installed_cost'),
('plm_nonfixed', 'plm_fixed'):
('plm_total') },
'MSPT System Control': {
('disp_wlim_max'):
('wlim_series'),
('disp_wlim_maxspec', 'adjust'):
('disp_wlim_max'),
('is_dispatch'):
('is_wlim_series'),
('aux_par', 'aux_par_f', 'aux_par_0', 'aux_par_1', 'aux_par_2', 'P_ref'):
('csp.pt.par.calc.aux'),
('bop_par', 'bop_par_f', 'bop_par_0', 'bop_par_1', 'bop_par_2', 'P_ref'):
('csp.pt.par.calc.bop') },
'Molten Salt Linear Fresnel Parasitics': {
('csp.mslf.control.bop_array_mult', 'csp.mslf.control.bop_array_pf', 'csp.mslf.control.bop_array_c0', 'csp.mslf.control.bop_array_c1', 'csp.mslf.control.bop_array_c2'):
('bop_array'),
('csp.mslf.control.bop_array_mult', 'csp.mslf.control.bop_array_pf', 'csp.mslf.control.bop_array_c0', 'csp.mslf.control.bop_array_c1', 'csp.mslf.control.bop_array_c2', 'P_ref'):
('csp.mslf.par.calc.bop'),
('csp.mslf.control.aux_array_mult', 'csp.mslf.control.aux_array_pf', 'csp.mslf.control.aux_array_c0', 'csp.mslf.control.aux_array_c1', 'csp.mslf.control.aux_array_c2', 'P_ref'):
('csp.mslf.par.calc.aux'),
('csp.mslf.control.aux_array_mult', 'csp.mslf.control.aux_array_pf', 'csp.mslf.control.aux_array_c0', 'csp.mslf.control.aux_array_c1', 'csp.mslf.control.aux_array_c2'):
('aux_array'),
('nMod', 'nLoops', 'SCA_drives_elec'):
('csp.mslf.par.calc.tracking'),
('P_ref', 'pb_fixed_par'):
('csp.mslf.par.calc.frac_gross') },
'Inverter Part Load Curve': {
('inv_pd_data'):
('inv_pd_partload', 'inv_pd_efficiency'),
('inv_pd_paco', 'inv_pd_eff'):
('inv_pd_pdco'),
('inv_pd_eff_type', 'inv_pd_eff_cec', 'inv_pd_eff_euro'):
('inv_pd_eff') },
'CSP Dispatch Control': {
('ui_disp_1_fossil', 'ui_disp_2_fossil', 'ui_disp_3_fossil', 'ui_disp_4_fossil', 'ui_disp_5_fossil', 'ui_disp_6_fossil', 'ui_disp_7_fossil', 'ui_disp_8_fossil', 'ui_disp_9_fossil', 'ui_disp_1_nosolar', 'ui_disp_2_nosolar', 'ui_disp_3_nosolar', 'ui_disp_4_nosolar', 'ui_disp_5_nosolar', 'ui_disp_6_nosolar', 'ui_disp_7_nosolar', 'ui_disp_8_nosolar', 'ui_disp_9_nosolar', 'ui_disp_1_solar', 'ui_disp_2_solar', 'ui_disp_3_solar', 'ui_disp_4_solar', 'ui_disp_5_solar', 'ui_disp_6_solar', 'ui_disp_7_solar', 'ui_disp_8_solar', 'ui_disp_9_solar', 'ui_disp_1_turbout', 'ui_disp_2_turbout', 'ui_disp_3_turbout', 'ui_disp_4_turbout', 'ui_disp_5_turbout', 'ui_disp_6_turbout', 'ui_disp_7_turbout', 'ui_disp_8_turbout', 'ui_disp_9_turbout'):
('FossilFill', 'TSLogic', 'NUMTOU', 'ffrac', 'tslogic_a', 'tslogic_b', 'tslogic_c', 'fdisp', 'diswos', 'disws', 'qdisp') },
'HCPV Array': {
('array_num_inverters', 'inv_snl_paco'):
('hcpv.array.ac_capacity'),
():
('hcpv.array.average_soiling'),
('array_modules_per_tracker', 'array_num_trackers', 'hcpv.module.power'):
('hcpv.array.nameplate'),
('hcpv.array.nameplate', 'inv_snl_pdco'):
('array_num_inverters'),
('array_tracker_power_fraction', 'hcpv.array.single_tracker_nameplate'):
('hcpv.array.tracker_power'),
('array_modules_per_tracker', 'hcpv.module.power'):
('hcpv.array.single_tracker_nameplate'),
('hcpv.module.est_eff', 'array_tracking_error', 'array_dc_wiring_loss', 'hcpv.array.average_soiling', 'array_dc_mismatch_loss', 'array_diode_conn_loss', 'array_ac_wiring_loss', 'inv_snl_paco', 'inv_snl_pdco'):
('hcpv.array.overall_est_eff'),
('hcpv.array.nameplate'):
('system_capacity'),
('hcpv.module.area', 'array_modules_per_tracker', 'array_num_trackers', 'hcpv.array.packing_factor'):
('hcpv.array.total_land_area') },
'Direct Steam Tower Receiver': {
('csp.dst.num_2panelgroups'):
('n_flux_x'),
():
('tower_technology'),
('eta_ref'):
('design_eff'),
('T_sh_out_des'):
('T_hot'),
():
('T_cold_ref'),
('q_rec_des'):
('Q_rec_des'),
('T_sh_out_des'):
('T_hot_ref'),
('h_tower'):
('THT'),
('demand_var'):
('P_ref'),
('P_rh_ref'):
('P_hp_out'),
('P_boil_des'):
('P_b_in_init'),
('h_boiler', 'h_sh', 'h_rh'):
('H_rec'),
('P_rh_ref'):
('P_hp_out_des'),
():
('T_hp_out'),
('csp.dst.flow_pattern'):
('flowtype'),
('P_boil_des'):
('P_hp_in_des'),
('demand_var'):
('Design_power'),
('cycle_max_fraction'):
('cycle_max_frac'),
('t_sby'):
('t_standby_ini'),
('q_sby_frac'):
('f_pb_sb'),
('rh_frac_ref'):
('f_mdotrh_des'),
('cycle_cutoff_frac'):
('f_pb_cutoff'),
('P_rh_ref'):
('P_cond_init'),
('rh_frac_ref'):
('f_mdot_rh_init'),
('demand_var', 'eta_ref'):
('q_aux_max'),
('LHV_eff'):
('lhv_eff'),
():
('T_fw_init'),
('sh_q_loss_flux', 'csp.dst.max_sh_flux'):
('csp.dst.eff_sh_ref'),
('b_q_loss_flux', 'csp.dst.max_b_flux'):
('csp.dst.eff_b_ref'),
('T_rh_out_des'):
('T_rh_target'),
():
('rec_htf'),
('demand_var', 'eta_ref', 'csp.dst.solar_multiple'):
('q_rec_des'),
('csp.dst.mat_rh'):
('mat_rh'),
('demand_var'):
('p_cycle_design'),
('rh_q_loss_flux', 'csp.dst.max_rh_flux'):
('csp.dst.eff_rh_ref'),
('csp.dst.num_2panelgroups'):
('n_panels'),
('CT'):
('ct'),
('d_rec', 'H_rec'):
('rec_aspect'),
('csp.dst.mat_boiler'):
('mat_boiler'),
('demand_var', 'eta_ref'):
('q_pb_design'),
('csp.dst.mat_sh'):
('mat_sh') },
'LF DSG Boiler Header': {
():
('sh_OpticalTable'),
('csp.lf.geom1.solpos_collinc_table'):
('b_OpticalTable'),
():
('sh_eps_HCE4'),
():
('sh_eps_HCE3'),
():
('sh_eps_HCE2'),
():
('sh_eps_HCE1'),
('csp.lf.geom1.var4.abs_emis'):
('b_eps_HCE4'),
('csp.lf.geom1.glazing_intact'):
('GlazingIntactIn'),
('csp.lf.geom1.var1.abs_emis'):
('b_eps_HCE1'),
('csp.lf.geom1.var1.annulus_pressure', 'csp.lf.geom1.var2.annulus_pressure', 'csp.lf.geom1.var3.annulus_pressure', 'csp.lf.geom1.var4.annulus_pressure'):
('P_a'),
('csp.lf.geom1.annulus_gas'):
('AnnulusGas'),
('csp.lf.geom1.var1.env_trans', 'csp.lf.geom1.var2.env_trans', 'csp.lf.geom1.var3.env_trans', 'csp.lf.geom1.var4.env_trans'):
('Tau_envelope'),
('csp.lf.geom1.var3.abs_emis'):
('b_eps_HCE3'),
('csp.lf.geom1.iamt0', 'csp.lf.geom1.iamt1', 'csp.lf.geom1.iamt2', 'csp.lf.geom1.iamt3', 'csp.lf.geom1.iamt4'):
('IAM_T'),
('csp.lf.geom1.var1.env_emis', 'csp.lf.geom1.var2.env_emis', 'csp.lf.geom1.var3.env_emis', 'csp.lf.geom1.var4.env_emis'):
('EPSILON_4'),
('csp.lf.geom1.var1.env_abs', 'csp.lf.geom1.var2.env_abs', 'csp.lf.geom1.var3.env_abs', 'csp.lf.geom1.var4.env_abs'):
('alpha_env'),
('csp.lf.geom1.var2.abs_emis'):
('b_eps_HCE2'),
('csp.lf.geom1.var1.hce_dirt', 'csp.lf.geom1.var2.hce_dirt', 'csp.lf.geom1.var3.hce_dirt', 'csp.lf.geom1.var4.hce_dirt'):
('Dirt_HCE'),
('csp.lf.geom1.iaml0', 'csp.lf.geom1.iaml1', 'csp.lf.geom1.iaml2', 'csp.lf.geom1.iaml3', 'csp.lf.geom1.iaml4'):
('IAM_L'),
('csp.lf.geom1.hlpolyw0', 'csp.lf.geom1.hlpolyw1', 'csp.lf.geom1.hlpolyw2', 'csp.lf.geom1.hlpolyw3', 'csp.lf.geom1.hlpolyw4'):
('HL_W'),
('csp.lf.geom1.var1.abs_abs', 'csp.lf.geom1.var2.abs_abs', 'csp.lf.geom1.var3.abs_abs', 'csp.lf.geom1.var4.abs_abs'):
('alpha_abs'),
('csp.lf.geom1.var1.bellows_shadowing', 'csp.lf.geom1.var2.bellows_shadowing', 'csp.lf.geom1.var3.bellows_shadowing', 'csp.lf.geom1.var4.bellows_shadowing'):
('Shadowing'),
('csp.lf.geom1.hlpolyt0', 'csp.lf.geom1.hlpolyt1', 'csp.lf.geom1.hlpolyt2', 'csp.lf.geom1.hlpolyt3', 'csp.lf.geom1.hlpolyt4'):
('HL_dT'),
('csp.lf.geom1.var1.rated_heat_loss', 'csp.lf.geom1.var2.rated_heat_loss', 'csp.lf.geom1.var3.rated_heat_loss', 'csp.lf.geom1.var4.rated_heat_loss'):
('Design_loss'),
('csp.lf.geom1.var1.field_fraction', 'csp.lf.geom1.var2.field_fraction', 'csp.lf.geom1.var3.field_fraction', 'csp.lf.geom1.var4.field_fraction'):
('HCE_FieldFrac'),
('csp.lf.geom1.refl_aper_area', 'csp.lf.geom1.coll_length', 'csp.lf.geom1.opt_mode', 'csp.lf.geom1.track_error', 'csp.lf.geom1.geom_error', 'csp.lf.geom1.mirror_refl', 'csp.lf.geom1.soiling', 'csp.lf.geom1.general_error', 'csp.lf.geom1.hl_mode', 'csp.lf.geom1.diam_absorber_inner', 'csp.lf.geom1.diam_absorber_outer', 'csp.lf.geom1.diam_envelope_inner', 'csp.lf.geom1.diam_envelope_outer', 'csp.lf.geom1.diam_absorber_plug', 'csp.lf.geom1.inner_roughness', 'csp.lf.geom1.flow_type', 'csp.lf.geom1.absorber_material'):
('A_aperture', 'L_col', 'OptCharType', 'TrackingError', 'GeomEffects', 'rho_mirror_clean', 'dirt_mirror', 'error', 'HLCharType', 'D_2', 'D_3', 'D_4', 'D_5', 'D_p', 'Rough', 'Flow_type', 'AbsorberMaterial') },
'MSPT Receiver': {
('T_htf_hot_des'):
('REC_COPY_T_htf_hot_des'),
('Q_rec_des'):
('REC_COPY_Q_rec_des'),
('N_panels'):
('n_flux_x'),
('piping_length', 'piping_loss'):
('piping_loss_tot'),
('h_tower', 'piping_length_mult', 'piping_length_const'):
('piping_length'),
():
('receiver_type'),
():
('tower_technology'),
('solarm'):
('REC_COPY_solarm'),
('D_rec', 'rec_height'):
('rec_aspect'),
('rec_d_spec', 'csp.pt.rec.cav_ap_hw_ratio'):
('csp.pt.rec.cav_ap_height'),
('field_fl_props'):
('user_fluid'),
('csp.pt.rec.htf_type', 'csp.pt.rec.htf_t_avg', 'field_fl_props'):
('csp.pt.rec.htf_c_avg'),
('T_htf_cold_des', 'T_htf_hot_des'):
('csp.pt.rec.htf_t_avg'),
():
('csp.pt.rec.cav_panel_height'),
('T_htf_cold_des'):
('REC_COPY_T_htf_cold_des'),
('csp.pt.rec.max_oper_frac', 'Q_rec_des', 'csp.pt.rec.htf_c_avg', 'T_htf_hot_des', 'T_htf_cold_des'):
('csp.pt.rec.max_flow_to_rec'),
():
('csp.pt.rec.cav_lip_height'),
('csp.pt.rec.htf_type'):
('rec_htf'),
('csp.pt.rec.flow_pattern'):
('Flow_type'),
('csp.pt.rec.material_type'):
('mat_tube') },
'MSLF Power Cycle Common': {
('PB_COPY_q_pb_design', 'PB_COPY_htf_cp_avg', 'PB_COPY_T_htf_hot_des', 'PB_COPY_T_htf_cold_des'):
('PB_m_dot_htf_cycle_des'),
('field_htf_cp_avg'):
('PB_COPY_htf_cp_avg'),
('T_htf_hot_ref'):
('PB_COPY_T_htf_hot_des'),
('eta_lhv'):
('lhv_eff'),
():
('pb_tech_type'),
():
('m_dot_in'),
('T_loop_in_des'):
('T_htf_cold_ref'),
('store_fluid', 'Fluid'):
('is_hx'),
():
('hx_config'),
('P_ref'):
('pb_rated_cap'),
('nameplate'):
('system_capacity'),
('T_htf_cold_ref'):
('PB_COPY_T_htf_cold_des'),
('T_loop_out'):
('T_htf_hot_ref'),
('P_ref', 'csp.mslf.cycle.gr_to_net'):
('nameplate'),
('P_ref', 'csp.mslf.cycle.gr_to_net'):
('q_design'),
('P_ref', 'eta_ref'):
('PB_COPY_q_pb_design'),
('csp.mslf.control.fossil_mode'):
('fossil_mode') },
'Molten Salt Linear Fresnel Collector and Receiver': {
('P_ref'):
('demand_var'),
('P_ref'):
('W_pb_design'),
():
('T_cold_in'),
():
('defocus'),
():
('azimuth'),
():
('SolarAz'),
():
('T_dp'),
():
('P_amb'),
():
('V_wind'),
():
('track_mode'),
():
('T_db'),
('csp.mslf.sf.AnnulusGas1', 'csp.mslf.sf.AnnulusGas2', 'csp.mslf.sf.AnnulusGas3', 'csp.mslf.sf.AnnulusGas4'):
('AnnulusGas'),
('csp.mslf.sf.Flow_type'):
('Flow_type'),
('csp.mslf.sf.Rough'):
('Rough'),
('csp.mslf.sf.D_plug'):
('D_plug'),
('csp.mslf.sf.D_glass_out'):
('D_glass_out'),
('csp.mslf.sf.D_glass_in'):
('D_glass_in'),
('csp.mslf.sf.IAM_T_coefs0', 'csp.mslf.sf.IAM_T_coefs1', 'csp.mslf.sf.IAM_T_coefs2', 'csp.mslf.sf.IAM_T_coefs3', 'csp.mslf.sf.IAM_T_coefs4'):
('IAM_T_coefs'),
('csp.mslf.sf.HL_w_coefs0', 'csp.mslf.sf.HL_w_coefs1', 'csp.mslf.sf.HL_w_coefs2', 'csp.mslf.sf.HL_w_coefs3', 'csp.mslf.sf.HL_w_coefs4'):
('HL_w_coefs'),
('csp.mslf.sf.P_a1', 'csp.mslf.sf.P_a2', 'csp.mslf.sf.P_a3', 'csp.mslf.sf.P_a4'):
('P_a'),
('TrackingError', 'GeomEffects', 'reflectivity', 'Dirt_mirror', 'Error'):
('opt_normal'),
('csp.mslf.sf.DP_coefs0', 'csp.mslf.sf.DP_coefs1', 'csp.mslf.sf.DP_coefs2', 'csp.mslf.sf.DP_coefs3'):
('DP_coefs'),
():
('tilt'),
('csp.mslf.sf.Shadowing1', 'csp.mslf.sf.Shadowing2', 'csp.mslf.sf.Shadowing3', 'csp.mslf.sf.Shadowing4'):
('Shadowing'),
('csp.mslf.sf.dirt_env1', 'csp.mslf.sf.dirt_env2', 'csp.mslf.sf.dirt_env3', 'csp.mslf.sf.dirt_env4'):
('dirt_env'),
('sf_q_design'):
('q_pb_design'),
('csp.mslf.sf.HCE_FieldFrac1', 'csp.mslf.sf.HCE_FieldFrac2', 'csp.mslf.sf.HCE_FieldFrac3', 'csp.mslf.sf.HCE_FieldFrac4'):
('HCE_FieldFrac'),
('csp.mslf.sf.epsilon_glass1', 'csp.mslf.sf.epsilon_glass2', 'csp.mslf.sf.epsilon_glass3', 'csp.mslf.sf.epsilon_glass4'):
('epsilon_glass'),
('csp.mslf.sf.D_abs_in'):
('D_abs_in'),
('csp.mslf.sf.GlazingIntactIn1', 'csp.mslf.sf.GlazingIntactIn2', 'csp.mslf.sf.GlazingIntactIn3', 'csp.mslf.sf.GlazingIntactIn4'):
('GlazingIntactIn'),
('csp.mslf.sf.rec_model'):
('rec_model'),
('csp.mslf.sf.alpha_env1', 'csp.mslf.sf.alpha_env2', 'csp.mslf.sf.alpha_env3', 'csp.mslf.sf.alpha_env4'):
('alpha_env'),
('csp.mslf.sf.alpha_abs1', 'csp.mslf.sf.alpha_abs2', 'csp.mslf.sf.alpha_abs3', 'csp.mslf.sf.alpha_abs4'):
('alpha_abs'),
('csp.mslf.sf.opt_model'):
('opt_model'),
():
('I_b'),
('csp.mslf.sf.Tau_envelope1', 'csp.mslf.sf.Tau_envelope2', 'csp.mslf.sf.Tau_envelope3', 'csp.mslf.sf.Tau_envelope4'):
('Tau_envelope'),
('csp.mslf.sf.IAM_L_coefs0', 'csp.mslf.sf.IAM_L_coefs1', 'csp.mslf.sf.IAM_L_coefs2', 'csp.mslf.sf.IAM_L_coefs3', 'csp.mslf.sf.IAM_L_coefs4'):
('IAM_L_coefs'),
('hl_des', 'I_bn_des', 'A_aperture', 'L_mod'):
('hl_derate'),
('T_loop_in_des', 'T_loop_out', 'T_amb_sf_des'):
('csp.mslf.sf.avg_dt_des'),
('csp.mslf.sf.AbsorberMaterial'):
('AbsorberMaterial'),
('csp.mslf.sf.D_abs_out'):
('D_abs_out'),
('csp.mslf.sf.Design_loss1', 'csp.mslf.sf.Design_loss2', 'csp.mslf.sf.Design_loss3', 'csp.mslf.sf.Design_loss4'):
('Design_loss'),
('csp.mslf.sf.rec_model', 'csp.mslf.sf.HCE_FieldFrac1', 'csp.mslf.sf.Shadowing1', 'csp.mslf.sf.dirt_env1', 'csp.mslf.sf.HCE_FieldFrac2', 'csp.mslf.sf.Shadowing2', 'csp.mslf.sf.dirt_env2', 'csp.mslf.sf.HCE_FieldFrac3', 'csp.mslf.sf.Shadowing3', 'csp.mslf.sf.dirt_env3', 'csp.mslf.sf.HCE_FieldFrac4', 'csp.mslf.sf.Shadowing4', 'csp.mslf.sf.dirt_env4'):
('opt_derate'),
('csp.mslf.sf.HL_T_coefs0', 'csp.mslf.sf.HL_T_coefs1', 'csp.mslf.sf.HL_T_coefs2', 'csp.mslf.sf.HL_T_coefs3', 'csp.mslf.sf.HL_T_coefs4'):
('HL_T_coefs'),
('nMod', 'DP_nominal'):
('DP_pressure_loss'),
('csp.mslf.sf.rec_model', 'csp.mslf.sf.HL_T_coefs0', 'csp.mslf.sf.HL_T_coefs1', 'csp.mslf.sf.avg_dt_des', 'csp.mslf.sf.HL_T_coefs2', 'csp.mslf.sf.HL_T_coefs3', 'csp.mslf.sf.HL_T_coefs4', 'csp.mslf.sf.HCE_FieldFrac1', 'csp.mslf.sf.Design_loss1', 'csp.mslf.sf.HCE_FieldFrac2', 'csp.mslf.sf.Design_loss2', 'csp.mslf.sf.HCE_FieldFrac3', 'csp.mslf.sf.Design_loss3', 'csp.mslf.sf.HCE_FieldFrac4', 'csp.mslf.sf.Design_loss4'):
('hl_des') },
'Molten Salt Linear Fresnel Capital Costs': {
('csp.mslf.cost.total_indirect'):
('total_direct_cost'),
():
('system_use_lifetime_output'),
():
('system_use_recapitalization'),
('csp.mslf.cost.sales_tax.value', 'csp.mslf.cost.total_direct', 'csp.mslf.cost.sales_tax.percent'):
('csp.mslf.cost.sales_tax.total'),
('csp.mslf.cost.epc.total', 'csp.mslf.cost.plm.total', 'csp.mslf.cost.sales_tax.total'):
('csp.mslf.cost.total_indirect'),
('csp.mslf.cost.fossil_backup.mwe', 'csp.mslf.cost.fossil_backup.cost_per_kwe'):
('csp.mslf.cost.fossil_backup'),
('sales_tax_rate'):
('csp.mslf.cost.sales_tax.value'),
('csp.mslf.cost.solar_field.area', 'csp.mslf.cost.solar_field.cost_per_m2'):
('csp.mslf.cost.solar_field'),
('a_sf_act'):
('csp.mslf.cost.site_improvements.area'),
('csp.mslf.cost.total_installed', 'nameplate'):
('csp.mslf.cost.installed_per_capacity'),
('a_sf_act'):
('csp.mslf.cost.htf_system.area'),
('csp.mslf.cost.contingency', 'csp.mslf.cost.site_improvements', 'csp.mslf.cost.solar_field', 'csp.mslf.cost.htf_system', 'csp.mslf.cost.fossil_backup', 'csp.mslf.cost.power_plant', 'csp.mslf.cost.bop', 'csp.mslf.cost.ts'):
('csp.mslf.cost.total_direct'),
('csp.mslf.cost.bop_mwe', 'csp.mslf.cost.bop_per_kwe'):
('csp.mslf.cost.bop'),
('csp.mslf.cost.contingency_percent', 'csp.mslf.cost.site_improvements', 'csp.mslf.cost.solar_field', 'csp.mslf.cost.htf_system', 'csp.mslf.cost.fossil_backup', 'csp.mslf.cost.power_plant', 'csp.mslf.cost.bop', 'csp.mslf.cost.ts'):
('csp.mslf.cost.contingency'),
('demand_var'):
('csp.mslf.cost.fossil_backup.mwe'),
('demand_var'):
('csp.mslf.cost.power_plant.mwe'),
('csp.mslf.cost.site_improvements.area', 'csp.mslf.cost.site_improvements.cost_per_m2'):
('csp.mslf.cost.site_improvements'),
('csp.mslf.cost.epc.per_acre', 'csp.mslf.cost.total_land_area', 'csp.mslf.cost.epc.percent', 'csp.mslf.cost.total_direct', 'csp.mslf.cost.nameplate', 'csp.mslf.cost.epc.per_watt', 'csp.mslf.cost.epc.fixed'):
('csp.mslf.cost.epc.total'),
('csp.mslf.cost.ts_mwht', 'csp.mslf.cost.ts_per_kwht'):
('csp.mslf.cost.ts'),
('a_sf_act'):
('csp.mslf.cost.solar_field.area'),
('csp.mslf.cost.total_direct', 'csp.mslf.cost.total_indirect'):
('csp.mslf.cost.total_installed'),
('TES_cap'):
('csp.mslf.cost.ts_mwht'),
('nameplate'):
('csp.mslf.cost.nameplate'),
('total_land_area'):
('csp.mslf.cost.total_land_area'),
('demand_var'):
('csp.mslf.cost.bop_mwe'),
('csp.mslf.cost.htf_system.area', 'csp.mslf.cost.htf_system.cost_per_m2'):
('csp.mslf.cost.htf_system'),
('csp.mslf.cost.power_plant.mwe', 'csp.mslf.cost.power_plant.cost_per_kwe'):
('csp.mslf.cost.power_plant'),
('csp.mslf.cost.total_installed'):
('total_installed_cost'),
('csp.mslf.cost.plm.per_acre', 'csp.mslf.cost.total_land_area', 'csp.mslf.cost.plm.percent', 'csp.mslf.cost.total_direct', 'csp.mslf.cost.nameplate', 'csp.mslf.cost.plm.per_watt', 'csp.mslf.cost.plm.fixed'):
('csp.mslf.cost.plm.total') },
'Financial Sale Leaseback': {
('sponsor_operating_margin', 'system_capacity'):
('sponsor_operating_margin_amount') },
'Financial Cost of Financing Flip Leaseback': {
('federal_tax_rate', 'state_tax_rate', 'cost_dev_fee_value'):
('cost_dev_fee_tax_liability'),
('total_installed_cost', 'cost_dev_fee_percent'):
('cost_dev_fee_value') },
'Financial Salvage Value': {
('salvage_percentage', 'total_installed_cost'):
('salvage_value') },
'Fuel Cell': {
('fuelcell_dynamic_response_down_input', 'fuelcell_dynamic_response_down_units', 'fuelcell_power_nameplate'):
('fuelcell_dynamic_response_down'),
('fuelcell_dynamic_response_up_input', 'fuelcell_dynamic_response_up_units', 'fuelcell_power_nameplate'):
('fuelcell_dynamic_response_up'),
('fuelcell_unit_min_power_input', 'fuelcell_unit_min_units', 'fuelcell_unit_max_power'):
('fuelcell_unit_min_power'),
('fuelcell_unit_min_power', 'fuelcell_number_of_units'):
('fuelcell_power_min'),
('fuelcell_degradation_input', 'fuelcell_degradation_units', 'fuelcell_unit_max_power'):
('fuelcell_degradation'),
('fuelcell_fuel_type', 'fuelcell_fuel_available_in', 'fuelcell_fuel_available_units'):
('fuelcell_fuel_available'),
('fuelcell_unit_max_power', 'fuelcell_number_of_units'):
('fuelcell_power_nameplate'),
('fuelcell_lhv_in', 'fuelcell_fuel_type', 'fuelcell_lhv_units'):
('fuelcell_lhv') },
'Generic System Plant': {
('derate', 'spec_mode', 'user_capacity_factor', 'first_year_output_peak', 'first_year_output', 'system_capacity'):
('capacity_factor_calc'),
('derate', 'spec_mode', 'system_capacity', 'energy_output_array'):
('first_year_output_peak'),
('derate', 'spec_mode', 'system_capacity', 'user_capacity_factor', 'energy_output_array'):
('first_year_output'),
('heat_rate'):
('conv_eff') },
'Financial Tax and Insurance Rates': {
('prop_tax_cost_assessed_percent', 'total_installed_cost'):
('property_assessed_value') },
'Linear Fresnel Capital Costs': {
():
('system_use_lifetime_output'),
('csp.lf.cost.total_indirect'):
('total_direct_cost'),
('demand_var'):
('csp.lf.cost.power_plant.mwe'),
('csp.lf.cost.solar_field.area', 'csp.lf.cost.solar_field.cost_per_m2'):
('csp.lf.cost.solar_field'),
('csp.lf.cost.htf_system.area', 'csp.lf.cost.htf_system.cost_per_m2'):
('csp.lf.cost.htf_system'),
():
('system_use_recapitalization'),
('actual_aper'):
('csp.lf.cost.htf_system.area'),
('nameplate'):
('csp.lf.cost.nameplate'),
('demand_var'):
('csp.lf.cost.fossil_backup.mwe'),
('csp.lf.cost.site_improvements.area', 'csp.lf.cost.site_improvements.cost_per_m2'):
('csp.lf.cost.site_improvements'),
('csp.lf.cost.epc.total', 'csp.lf.cost.plm.total', 'csp.lf.cost.sales_tax.total'):
('csp.lf.cost.total_indirect'),
('csp.lf.cost.sales_tax.value', 'csp.lf.cost.total_direct', 'csp.lf.cost.sales_tax.percent'):
('csp.lf.cost.sales_tax.total'),
('actual_aper'):
('csp.lf.cost.site_improvements.area'),
('csp.lf.cost.bop_mwe', 'csp.lf.cost.bop_per_kwe'):
('csp.lf.cost.bop'),
('csp.lf.cost.total_direct', 'csp.lf.cost.total_indirect'):
('csp.lf.cost.total_installed'),
('actual_aper'):
('csp.lf.cost.solar_field.area'),
('demand_var'):
('csp.lf.cost.bop_mwe'),
('csp.lf.cost.contingency', 'csp.lf.cost.site_improvements', 'csp.lf.cost.solar_field', 'csp.lf.cost.htf_system', 'csp.lf.cost.fossil_backup', 'csp.lf.cost.power_plant', 'csp.lf.cost.bop'):
('csp.lf.cost.total_direct'),
('csp.lf.cost.power_plant.mwe', 'csp.lf.cost.power_plant.cost_per_kwe'):
('csp.lf.cost.power_plant'),
('csp.lf.cost.fossil_backup.mwe', 'csp.lf.cost.fossil_backup.cost_per_kwe'):
('csp.lf.cost.fossil_backup'),
('csp.lf.sf.total_land_area', 'total_land_area'):
('csp.lf.cost.total_land_area'),
('sales_tax_rate'):
('csp.lf.cost.sales_tax.value'),
('csp.lf.cost.contingency_percent', 'csp.lf.cost.site_improvements', 'csp.lf.cost.solar_field', 'csp.lf.cost.htf_system', 'csp.lf.cost.fossil_backup', 'csp.lf.cost.power_plant', 'csp.lf.cost.bop'):
('csp.lf.cost.contingency'),
('csp.lf.cost.total_installed', 'nameplate'):
('csp.lf.cost.installed_per_capacity'),
('csp.lf.cost.plm.per_acre', 'csp.lf.cost.total_land_area', 'csp.lf.cost.plm.percent', 'csp.lf.cost.total_direct', 'csp.lf.cost.nameplate', 'csp.lf.cost.plm.per_watt', 'csp.lf.cost.plm.fixed'):
('csp.lf.cost.plm.total'),
('csp.lf.cost.epc.per_acre', 'csp.lf.cost.total_land_area', 'csp.lf.cost.epc.percent', 'csp.lf.cost.total_direct', 'csp.lf.cost.nameplate', 'csp.lf.cost.epc.per_watt', 'csp.lf.cost.epc.fixed'):
('csp.lf.cost.epc.total'),
('csp.lf.cost.total_installed'):
('total_installed_cost'),
('csp.lf.sf.dp.actual_aper', 'a_sf_act'):
('actual_aper') },
'Molten Salt Linear Fresnel Storage': {
('dt_hot'):
('dt_cold'),
('csp.mslf.control.store_fluid'):
('csp.mslf.tes.htf_max_opt_temp'),
('mslf_is_hx', 'dt_hot', 'dt_cold', 'T_loop_out', 'T_loop_in_des'):
('hx_derate'),
('h_tank', 'd_tank', 'tank_pairs', 'tes_temp', 'u_tank'):
('csp.mslf.tes.estimated_heat_loss'),
('vol_tank', 'h_tank', 'tank_pairs'):
('d_tank'),
('T_loop_in_des', 'T_loop_out'):
('tes_temp'),
('csp.mslf.control.store_fluid'):
('csp.mslf.tes.htf_min_opt_temp'),
('sf_q_design', 'tshours'):
('TES_cap'),
('TES_cap', 'csp.mslf.control.tes_dens', 'csp.mslf.control.tes_cp', 'hx_derate', 'T_loop_out', 'dt_hot', 'T_loop_in_des', 'dt_cold'):
('vol_tank'),
('csp.mslf.control.store_fluid', 'tes_temp', 'store_fl_props'):
('csp.mslf.control.tes_dens'),
('vol_tank'):
('V_tank_hot_ini'),
('csp.mslf.control.store_fluid', 'tes_temp', 'store_fl_props'):
('csp.mslf.control.tes_cp'),
('T_loop_in_des'):
('T_field_in_des'),
('csp.mslf.control.store_fluid'):
('store_fluid'),
('sf_q_design', 'solar_mult'):
('q_max_aux'),
('T_loop_in_des'):
('T_tank_cold_ini'),
('vol_tank', 'h_tank_min', 'h_tank'):
('vol_min'),
('T_loop_out'):
('T_tank_hot_ini'),
('csp.mslf.enet.tes_fp_mode'):
('fp_mode') },
'Financial Depreciation Detailed': {
('depr_alloc_macrs_5_percent', 'depr_alloc_macrs_15_percent', 'depr_alloc_sl_5_percent', 'depr_alloc_sl_15_percent', 'depr_alloc_sl_20_percent', 'depr_alloc_sl_39_percent', 'depr_alloc_custom_percent'):
('depr_alloc_none') },
'Dish Solar Field': {
('csp.ds.total_capacity'):
('system_capacity'),
('n_ew', 'n_ns'):
('csp.ds.ncollectors'),
('csp.ds.ncollectors', 'csp.ds.nameplate_capacity'):
('csp.ds.total_capacity'),
('ew_dish_sep', 'ns_dish_sep', 'csp.ds.ncollectors'):
('csp.ds.field_area') },
'Empirical Trough SCA': {
('ui_HCEdust'):
('HCEdust'),
('SCA_aper'):
('RefMirrAper'),
('TrkTwstErr', 'GeoAcc', 'MirRef', 'MirCln', 'ConcFac'):
('calc_col_factor') },
'Electric Load Other': {
('load_model', 'load_user_data', 'normalize_to_utility_bill', 'utility_bill_data', 'scale_factor'):
('load', 'load_annual_total', 'annual_peak', 'energy_1', 'peak_1', 'energy_2', 'peak_2', 'energy_3', 'peak_3', 'energy_4', 'peak_4', 'energy_5', 'peak_5', 'energy_6', 'peak_6', 'energy_7', 'peak_7', 'energy_8', 'peak_8', 'energy_9', 'peak_9', 'energy_10', 'peak_10', 'energy_11', 'peak_11', 'energy_12', 'peak_12'),
('escal_input_hourly'):
('escal_other') },
'Biopower System Cost': {
('biopwr.cost.total_indirect'):
('total_indirect_cost'),
('biopwr.cost.total_direct'):
('total_direct_cost'),
():
('system_use_lifetime_output'),
('biopwr.plant.nameplate'):
('biopwr.cost.turbine_capacity'),
('biopwr.cost.plm.percent', 'biopwr.cost.total_direct'):
('biopwr.cost.plm.nonfixed'),
('biopwr.plant.nameplate'):
('biopwr.cost.equipment_capacity'),
('biopwr.plant.nameplate'):
('biopwr.cost.prep_capacity'),
('biopwr.cost.prep_capacity', 'biopwr.cost.prep_per_cap'):
('biopwr.cost.prep'),
('biopwr.cost.dryer_capacity', 'biopwr.cost.dryer_per_kw'):
('biopwr.cost.dryer'),
('biopwr.plant.boiler.cap_per_boiler'):
('biopwr.cost.cap_per_boiler'),
('biopwr.cost.sales_tax.value', 'biopwr.cost.sales_tax.percent', 'biopwr.cost.total_direct'):
('biopwr.cost.sales_tax.total'),
('biopwr.cost.total_direct', 'biopwr.cost.epc.percent'):
('biopwr.cost.epc.nonfixed'),
('biopwr.cost.boiler_capacity', 'biopwr.cost.boiler.cost_per_kw'):
('biopwr.cost.boiler'),
('biopwr.cost.contingency', 'biopwr.cost.boiler', 'biopwr.cost.turbine', 'biopwr.cost.prep', 'biopwr.cost.dryer', 'biopwr.cost.equipment', 'biopwr.cost.bop'):
('biopwr.cost.total_direct'),
('total_installed_cost', 'biopwr.plant.nameplate'):
('biopwr.cost.installed_per_capacity'),
('biopwr.cost.bop_per_kw', 'biopwr.cost.bop_capacity'):
('biopwr.cost.bop'),
('biopwr.cost.epc.total', 'biopwr.cost.plm.total', 'biopwr.cost.sales_tax.total'):
('biopwr.cost.total_indirect'),
('biopwr.cost.plm.fixed', 'biopwr.cost.plm.nonfixed'):
('biopwr.cost.plm.total'),
('sales_tax_rate'):
('biopwr.cost.sales_tax.value'),
('biopwr.cost.turbine_capacity', 'biopwr.cost.turbine_per_kw'):
('biopwr.cost.turbine'),
('biopwr.plant.nameplate', 'biopwr.plant.par'):
('biopwr.cost.bop_capacity'),
('biopwr.cost.epc.fixed', 'biopwr.cost.epc.nonfixed'):
('biopwr.cost.epc.total'),
('biopwr.cost.total_direct', 'biopwr.cost.total_indirect'):
('total_installed_cost'),
('biopwr.cost.contingency_percent', 'biopwr.cost.boiler', 'biopwr.cost.turbine', 'biopwr.cost.prep', 'biopwr.cost.equipment', 'biopwr.cost.bop'):
('biopwr.cost.contingency'),
('biopwr.plant.drying_method', 'biopwr.plant.nameplate'):
('biopwr.cost.dryer_capacity'),
('biopwr.cost.equipment_capacity', 'biopwr.cost.equipment.cost_per_kw'):
('biopwr.cost.equipment'),
():
('system_use_recapitalization'),
('biopwr.plant.nameplate'):
('biopwr.cost.boiler_capacity') },
'Financial Reserve Accounts': {
('system_capacity', 'equip2_reserve_cost'):
('mera_cost2'),
('system_capacity', 'equip3_reserve_cost'):
('mera_cost3'),
('system_capacity', 'equip1_reserve_cost'):
('mera_cost1') },
'Financial Equity Flip Structure': {
('tax_investor_postflip_tax_percent'):
('developer_postflip_tax_percent'),
('tax_investor_preflip_tax_percent'):
('developer_preflip_tax_percent'),
('tax_investor_postflip_cash_percent'):
('developer_postflip_cash_percent'),
('tax_investor_preflip_cash_percent'):
('developer_preflip_cash_percent'),
('tax_investor_equity_percent'):
('developer_equity_percent') },
'Biopower Feedstock Costs': {
('biopwr.feedstockcost.coal_fuel_cost'):
('om_opt_fuel_2_cost'),
('biopwr.feedstockcost.coal_fuel_used'):
('om_opt_fuel_2_usage'),
('biopwr.feedstock.total_coal'):
('biopwr.feedstockcost.coal_fuel_used'),
('biopwr.feedstockcost.biomass_fuel_cost_esc'):
('om_opt_fuel_1_cost_escal'),
('biopwr.feedstockcost.coal_fuel_cost_esc'):
('om_opt_fuel_2_cost_escal'),
('biopwr.feedstock.subbit_resource'):
('biopwr.feedstockcost.subbit_resource'),
('biopwr.feedstock.forest_resource', 'biopwr.feedstock.forest_obtainable'):
('biopwr.feedstockcost.forest_resource'),
('biopwr.feedstock.mill_resource', 'biopwr.feedstock.mill_obtainable'):
('biopwr.feedstockcost.mill_resource'),
('biopwr.feedstock.barley_resource', 'biopwr.feedstock.barley_obtainable'):
('biopwr.feedstockcost.barley_resource'),
('biopwr.feedstock.rice_resource', 'biopwr.feedstock.rice_obtainable'):
('biopwr.feedstockcost.rice_resource'),
('biopwr.feedstock.wheat_resource', 'biopwr.feedstock.wheat_obtainable'):
('biopwr.feedstockcost.wheat_resource'),
('biopwr.feedstock.bagasse_resource', 'biopwr.feedstock.bagasse_obtainable'):
('biopwr.feedstockcost.bagasse_resource'),
('biopwr.feedstockcost.biomass_cost', 'biopwr.feedstock.total_biomass_hhv'):
('biopwr.feedstockcost.biomass_fuel_cost'),
('biopwr.feedstock.total_biomass', 'biopwr.feedstock.bagasse_biomass_frac', 'biopwr.feedstockcost.bagasse_price', 'biopwr.feedstock.barley_biomass_frac', 'biopwr.feedstockcost.barley_price', 'biopwr.feedstock.stover_biomass_frac', 'biopwr.feedstockcost.stover_price', 'biopwr.feedstock.rice_biomass_frac', 'biopwr.feedstockcost.rice_price', 'biopwr.feedstock.wheat_biomass_frac', 'biopwr.feedstockcost.wheat_price', 'biopwr.feedstock.forest_biomass_frac', 'biopwr.feedstockcost.forest_price', 'biopwr.feedstock.mill_biomass_frac', 'biopwr.feedstockcost.mill_price', 'biopwr.feedstock.urban_biomass_frac', 'biopwr.feedstockcost.urban_price', 'biopwr.feedstock.woody_biomass_frac', 'biopwr.feedstockcost.woody_price', 'biopwr.feedstock.herb_biomass_frac', 'biopwr.feedstockcost.herb_price', 'biopwr.feedstock.feedstock1_biomass_frac', 'biopwr.feedstockcost.feedstock1_price', 'biopwr.feedstock.feedstock2_biomass_frac', 'biopwr.feedstockcost.feedstock2_price', 'biopwr.feedstockcost.fixed_delivery_cost', 'biopwr.feedstock.collection_radius', 'biopwr.feedstockcost.var_delivery_cost', 'biopwr.feedstock.total_biomass_hhv'):
('biopwr.feedstockcost.biomass_cost'),
('biopwr.feedstockcost.biomass_fuel_cost', 'biopwr.feedstock.total_biomass_moisture'):
('biopwr.feedstockcost.green_biomass_cost'),
('biopwr.feedstock.urban_resource', 'biopwr.feedstock.urban_obtainable'):
('biopwr.feedstockcost.urban_resource'),
('biopwr.feedstock.feedstock1_resource'):
('biopwr.feedstockcost.feedstock1_resource'),
('biopwr.feedstock.woody_resource', 'biopwr.feedstock.woody_obtainable'):
('biopwr.feedstockcost.woody_resource'),
('biopwr.feedstock.lig_resource'):
('biopwr.feedstockcost.lig_resource'),
('biopwr.feedstockcost.coal_per_mmbtu', 'biopwr.feedstock.total_coal_hhv'):
('biopwr.feedstockcost.coal_fuel_cost'),
('biopwr.feedstock.total_biomass'):
('biopwr.feedstockcost.biomass_fuel_used'),
('biopwr.feedstock.stover_resource', 'biopwr.feedstock.stover_obtainable'):
('biopwr.feedstockcost.stover_resource'),
('biopwr.feedstock.coal_opt', 'biopwr.feedstock.bit_coal_frac', 'biopwr.feedstockcost.bit_price', 'biopwr.feedstock.subbit_coal_frac', 'biopwr.feedstockcost.subbit_price', 'biopwr.feedstock.lig_coal_frac', 'biopwr.feedstockcost.lig_price', 'biopwr.feedstock.total_coal_hhv'):
('biopwr.feedstockcost.coal_per_mmbtu'),
('biopwr.feedstockcost.biomass_fuel_cost'):
('om_opt_fuel_1_cost'),
('biopwr.feedstock.bit_resource'):
('biopwr.feedstockcost.bit_resource'),
('biopwr.feedstockcost.biomass_fuel_used'):
('om_opt_fuel_1_usage'),
('biopwr.feedstock.herb_resource', 'biopwr.feedstock.herb_obtainable'):
('biopwr.feedstockcost.herb_resource'),
('biopwr.feedstock.feedstock2_resource'):
('biopwr.feedstockcost.feedstock2_resource') },
'Physical Trough Capital Costs': {
():
('system_use_recapitalization'),
():
('system_use_lifetime_output'),
('csp.dtr.cost.site_improvements.area', 'csp.dtr.cost.site_improvements.cost_per_m2'):
('csp.dtr.cost.site_improvements'),
('csp.dtr.cost.storage.mwht', 'csp.dtr.cost.storage.cost_per_kwht'):
('csp.dtr.cost.storage'),
('csp.dtr.cost.htf_system.area', 'csp.dtr.cost.htf_system.cost_per_m2'):
('csp.dtr.cost.htf_system'),
('csp.dtr.cost.sales_tax.value', 'total_direct_cost', 'csp.dtr.cost.sales_tax.percent'):
('csp.dtr.cost.sales_tax.total'),
('csp.dtr.cost.contingency', 'csp.dtr.cost.site_improvements', 'csp.dtr.cost.solar_field', 'csp.dtr.cost.htf_system', 'csp.dtr.cost.storage', 'csp.dtr.cost.fossil_backup', 'csp.dtr.cost.power_plant', 'csp.dtr.cost.bop'):
('total_direct_cost'),
('total_aperture'):
('csp.dtr.cost.solar_field.area'),
('P_ref'):
('csp.dtr.cost.bop_mwe'),
('P_ref'):
('csp.dtr.cost.fossil_backup.mwe'),
('csp.dtr.cost.power_plant.mwe', 'csp.dtr.cost.power_plant.cost_per_kwe'):
('csp.dtr.cost.power_plant'),
('csp.dtr.tes.thermal_capacity'):
('csp.dtr.cost.storage.mwht'),
('csp.dtr.cost.epc.per_acre', 'csp.dtr.cost.total_land_area', 'csp.dtr.cost.epc.percent', 'total_direct_cost', 'csp.dtr.cost.nameplate', 'csp.dtr.cost.epc.per_watt', 'csp.dtr.cost.epc.fixed'):
('csp.dtr.cost.epc.total'),
('total_aperture'):
('csp.dtr.cost.site_improvements.area'),
('csp.dtr.cost.plm.per_acre', 'csp.dtr.cost.total_land_area', 'csp.dtr.cost.plm.percent', 'total_direct_cost', 'csp.dtr.cost.nameplate', 'csp.dtr.cost.plm.per_watt', 'csp.dtr.cost.plm.fixed'):
('csp.dtr.cost.plm.total'),
('total_installed_cost', 'csp.dtr.pwrb.nameplate'):
('csp.dtr.cost.installed_per_capacity'),
('csp.dtr.cost.bop_mwe', 'csp.dtr.cost.bop_per_kwe'):
('csp.dtr.cost.bop'),
('csp.dtr.cost.contingency_percent', 'csp.dtr.cost.site_improvements', 'csp.dtr.cost.solar_field', 'csp.dtr.cost.htf_system', 'csp.dtr.cost.storage', 'csp.dtr.cost.fossil_backup', 'csp.dtr.cost.power_plant', 'csp.dtr.cost.bop'):
('csp.dtr.cost.contingency'),
('csp.dtr.pwrb.nameplate'):
('csp.dtr.cost.nameplate'),
('csp.dtr.cost.site_improvements', 'csp.dtr.cost.solar_field', 'csp.dtr.cost.htf_system', 'csp.dtr.cost.storage', 'csp.dtr.cost.fossil_backup', 'csp.dtr.cost.power_plant', 'csp.dtr.cost.bop'):
('direct_subtotal'),
('sales_tax_rate'):
('csp.dtr.cost.sales_tax.value'),
('total_land_area'):
('csp.dtr.cost.total_land_area'),
('P_ref'):
('csp.dtr.cost.power_plant.mwe'),
('total_aperture'):
('csp.dtr.cost.htf_system.area'),
('csp.dtr.cost.solar_field.area', 'csp.dtr.cost.solar_field.cost_per_m2'):
('csp.dtr.cost.solar_field'),
('csp.dtr.cost.epc.total', 'csp.dtr.cost.plm.total', 'csp.dtr.cost.sales_tax.total'):
('total_indirect_cost'),
('csp.dtr.cost.fossil_backup.mwe', 'csp.dtr.cost.fossil_backup.cost_per_kwe'):
('csp.dtr.cost.fossil_backup'),
('total_direct_cost', 'total_indirect_cost'):
('total_installed_cost') },
'Battery Dispatch Manual': {
('dispatch_manual_gridcharge', 'batt_gridcharge_percent_1', 'batt_gridcharge_percent_2', 'batt_gridcharge_percent_3', 'batt_gridcharge_percent_4', 'batt_gridcharge_percent_5', 'batt_gridcharge_percent_6'):
('dispatch_manual_percent_gridcharge'),
('dispatch_manual_discharge', 'batt_discharge_percent_1', 'batt_discharge_percent_2', 'batt_discharge_percent_3', 'batt_discharge_percent_4', 'batt_discharge_percent_5', 'batt_discharge_percent_6'):
('dispatch_manual_percent_discharge'),
('pv.storage.p1.gridcharge', 'pv.storage.p2.gridcharge', 'pv.storage.p3.gridcharge', 'pv.storage.p4.gridcharge', 'pv.storage.p5.gridcharge', 'pv.storage.p6.gridcharge'):
('dispatch_manual_gridcharge'),
('pv.storage.p1.discharge', 'pv.storage.p2.discharge', 'pv.storage.p3.discharge', 'pv.storage.p4.discharge', 'pv.storage.p5.discharge', 'pv.storage.p6.discharge'):
('dispatch_manual_discharge'),
('pv.storage.p1.charge', 'pv.storage.p2.charge', 'pv.storage.p3.charge', 'pv.storage.p4.charge', 'pv.storage.p5.charge', 'pv.storage.p6.charge'):
('dispatch_manual_charge') },
'CSP PBNS Dispatch Control': {
('csp.pbns.hc_ctl1', 'csp.pbns.hc_ctl2', 'csp.pbns.hc_ctl3', 'csp.pbns.hc_ctl4', 'csp.pbns.hc_ctl5', 'csp.pbns.hc_ctl6', 'csp.pbns.hc_ctl7', 'csp.pbns.hc_ctl8', 'csp.pbns.hc_ctl9'):
('F_wc'),
('csp.pbns.fossil1', 'csp.pbns.fossil2', 'csp.pbns.fossil3', 'csp.pbns.fossil4', 'csp.pbns.fossil5', 'csp.pbns.fossil6', 'csp.pbns.fossil7', 'csp.pbns.fossil8', 'csp.pbns.fossil9'):
('ffrac') },
'Sandia PV Array Performance Model with Module Database': {
('snl_parallel_cells', 'snl_series_cells'):
('snl_n_cells'),
('snl_module_structure', 'snl_a', 'snl_b', 'snl_dtc', 'snl_specified_a', 'snl_specified_b', 'snl_specified_dT', 'snl_fd', 'snl_a0', 'snl_a1', 'snl_a2', 'snl_a3', 'snl_a4', 'snl_b0', 'snl_b1', 'snl_b2', 'snl_b3', 'snl_b4', 'snl_b5', 'snl_isco', 'snl_aisc', 'snl_c0', 'snl_c1', 'snl_aimp', 'snl_impo', 'snl_bvmpo', 'snl_mbvmp', 'snl_n', 'snl_c3', 'snl_series_cells', 'snl_c2', 'snl_vmpo', 'snl_bvoco', 'snl_mbvoc', 'snl_voco', 'snl_area'):
('snl_ref_a', 'snl_ref_b', 'snl_ref_dT', 'snl_ref_isc', 'snl_ref_isc_temp_0', 'snl_ref_isc_temp_1', 'snl_ref_imp', 'snl_ref_imp_temp_0', 'snl_imp_temp_1', 'snl_ref_vmp', 'snl_ref_vmp_temp_0', 'snl_ref_vmp_temp_1', 'snl_ref_pmp', 'snl_ref_pmp_temp_0', 'snl_ref_pmp_temp_1', 'snl_ref_voc', 'snl_ref_voc_temp_0', 'snl_voc_temp_1', 'snl_ref_eff') },
'HCPV Costs': {
():
('system_use_lifetime_output'),
('hcpv.cost.engr.percent', 'total_direct_cost', 'hcpv.cost.modulearray.power', 'hcpv.cost.engr.per_watt', 'hcpv.cost.engr.fixed'):
('hcpv.cost.engr.total'),
('total_direct_cost', 'total_indirect_cost'):
('total_installed_cost'),
('hcpv.cost.bos_equip_fixed', 'hcpv.cost.modulearray.power', 'hcpv.cost.bos_equip_perwatt', 'hcpv.cost.modulearray.area', 'hcpv.cost.bos_equip_perarea'):
('hcpv.cost.bos_equip.totalcost'),
('hcpv.cost.module.totalcost', 'hcpv.cost.inverter.totalcost', 'hcpv.cost.tracker.totalcost', 'hcpv.cost.bos_equip.totalcost', 'hcpv.cost.install_labor.totalcost', 'hcpv.cost.install_margin.totalcost', 'hcpv.cost.contingency'):
('total_direct_cost'),
('hcpv.cost.inverter.power', 'hcpv.cost.inverter.num_units'):
('hcpv.cost.inverterarray.power'),
('hcpv.array.total_land_area'):
('hcpv.cost.land_area.value'),
('hcpv.cost.sales_tax.value', 'total_direct_cost', 'hcpv.cost.sales_tax.percent'):
('hcpv.cost.sales_tax.total'),
('hcpv.cost.tracker_fixed', 'hcpv.cost.modulearray.power', 'hcpv.cost.tracker_perwatt', 'hcpv.cost.modulearray.area', 'hcpv.cost.tracker_perarea'):
('hcpv.cost.tracker.totalcost'),
('sales_tax_rate'):
('hcpv.cost.sales_tax.value'),
('hcpv.cost.grid.percent', 'total_direct_cost', 'hcpv.cost.modulearray.power', 'hcpv.cost.grid.per_watt', 'hcpv.cost.grid.fixed'):
('hcpv.cost.grid.total'),
('hcpv.cost.install_labor_fixed', 'hcpv.cost.modulearray.power', 'hcpv.cost.install_labor_perwatt', 'hcpv.cost.modulearray.area', 'hcpv.cost.install_labor_perarea'):
('hcpv.cost.install_labor.totalcost'),
('total_installed_cost', 'hcpv.cost.modulearray.power'):
('hcpv.cost.installed_per_capacity'),
('hcpv.cost.land.per_acre', 'hcpv.cost.land_area.value', 'hcpv.cost.land.percent', 'total_direct_cost', 'hcpv.cost.modulearray.power', 'hcpv.cost.land.per_watt', 'hcpv.cost.land.fixed'):
('hcpv.cost.land.total'),
('hcpv.cost.inverter.costunits', 'hcpv.cost.inverter.num_units', 'hcpv.cost.inverter.power', 'hcpv.cost.per_inverter'):
('hcpv.cost.inverter.totalcost'),
('hcpv.cost.install_margin_fixed', 'hcpv.cost.modulearray.power', 'hcpv.cost.install_margin_perwatt', 'hcpv.cost.modulearray.area', 'hcpv.cost.install_margin_perarea'):
('hcpv.cost.install_margin.totalcost'),
('inv_snl_paco'):
('hcpv.cost.inverter.power'),
('array_num_inverters'):
('hcpv.cost.inverter.num_units'),
('hcpv.cost.module.power', 'hcpv.cost.module.num_units'):
('hcpv.cost.modulearray.power'),
('hcpv.module.power'):
('hcpv.cost.module.power'),
('hcpv.cost.landprep.per_acre', 'hcpv.cost.land_area.value', 'hcpv.cost.landprep.percent', 'total_direct_cost', 'hcpv.cost.modulearray.power', 'hcpv.cost.landprep.per_watt', 'hcpv.cost.landprep.fixed'):
('hcpv.cost.landprep.total'),
('hcpv.cost.permitting.percent', 'total_direct_cost', 'hcpv.cost.modulearray.power', 'hcpv.cost.permitting.per_watt', 'hcpv.cost.permitting.fixed'):
('hcpv.cost.permitting.total'),
('array_num_trackers', 'array_modules_per_tracker', 'hcpv.module.area'):
('hcpv.cost.modulearray.area'),
():
('system_use_recapitalization'),
('array_num_trackers', 'array_modules_per_tracker'):
('hcpv.cost.module.num_units'),
('hcpv.cost.contingency_percent', 'hcpv.cost.module.totalcost', 'hcpv.cost.inverter.totalcost', 'hcpv.cost.tracker.totalcost', 'hcpv.cost.bos_equip.totalcost', 'hcpv.cost.install_labor.totalcost', 'hcpv.cost.install_margin.totalcost'):
('hcpv.cost.contingency'),
('hcpv.cost.permitting.total', 'hcpv.cost.engr.total', 'hcpv.cost.grid.total', 'hcpv.cost.land.total', 'hcpv.cost.landprep.total', 'hcpv.cost.sales_tax.total'):
('total_indirect_cost'),
('hcpv.cost.module.costunits', 'hcpv.cost.module.num_units', 'hcpv.cost.module.power', 'hcpv.cost.per_module'):
('hcpv.cost.module.totalcost') },
'Linear Fresnel Solar Field': {
('csp.lf.sf.geom1_area_frac', 'csp.lf.geom1.rec_optical_derate', 'csp.lf.geom1.coll_opt_loss_norm_inc', 'csp.lf.sf.geom2_area_frac', 'csp.lf.geom2.rec_optical_derate', 'csp.lf.geom2.coll_opt_loss_norm_inc'):
('csp.lf.sf.dp.loop_opt_eff'),
('csp.lf.sf.dp.loop_opt_eff', 'csp.lf.sf.dp.loop_therm_eff', 'csp.lf.sf.dp.piping_therm_eff'):
('csp.lf.sf.dp.total_loop_conv_eff'),
('lat'):
('latitude'),
('csp.lf.sf.dp.sm1_aperture', 'csp.lf.sf.dp.loop_aperture'):
('csp.lf.sf.dp.sm1_numloops'),
('csp.lf.sf.dp.actual_aper'):
('csp.lf.sf.field_area'),
('demand_var', 'eta_ref', 'I_bn_des', 'csp.lf.sf.dp.total_loop_conv_eff'):
('csp.lf.sf.dp.sm1_aperture'),
('csp.lf.sf.sh_geom_unique', 'nModSH', 'csp.lf.geom2.refl_aper_area', 'nModBoil', 'csp.lf.geom1.refl_aper_area'):
('csp.lf.sf.geom2_area_frac'),
('csp.lf.sf.sh_geom_unique', 'nModBoil', 'csp.lf.geom1.refl_aper_area', 'nModSH', 'csp.lf.geom2.refl_aper_area'):
('csp.lf.sf.geom1_area_frac'),
('Pipe_hl_coef', 'T_cold_ref', 'T_hot', 'T_amb_des_sf', 'I_bn_des'):
('csp.lf.sf.dp.piping_therm_eff'),
('csp.lf.sf.dp.actual_aper', 'I_bn_des', 'csp.lf.sf.dp.total_loop_conv_eff'):
('q_max_aux'),
('csp.lf.sf.sh_geom_unique', 'nModBoil', 'nModSH', 'csp.lf.geom1.refl_aper_area', 'csp.lf.geom2.refl_aper_area'):
('csp.lf.sf.dp.loop_aperture'),
('csp.lf.sf.field_area', 'csp.lf.sf.area_multiplier'):
('csp.lf.sf.total_land_area'),
('csp.lf.sf.sm_or_area', 'csp.lf.sf.specified_solar_multiple', 'csp.lf.sf.dp.sm1_aperture', 'csp.lf.sf.specified_total_aperture', 'csp.lf.sf.dp.loop_aperture'):
('nLoops'),
('ColAz'):
('azimuth'),
('csp.lf.sf.dp.loop_aperture', 'nLoops'):
('csp.lf.sf.dp.actual_aper'),
('fP_hdr_c', 'fP_sf_boil', 'fP_boil_to_sh', 'fP_sf_sh', 'fP_hdr_h', 'P_turb_des'):
('csp.lf.sf.total_pres_drop'),
('csp.lf.sf.sm_or_area', 'csp.lf.sf.specified_solar_multiple', 'csp.lf.sf.dp.actual_aper', 'csp.lf.sf.dp.sm1_aperture'):
('solarm'),
('csp.lf.geom1.rec_thermal_derate', 'csp.lf.sf.geom1_area_frac', 'csp.lf.geom2.rec_thermal_derate', 'csp.lf.sf.geom2_area_frac'):
('csp.lf.sf.dp.loop_therm_eff'),
('P_boil_des'):
('P_turb_des') },
'Inverter Datasheet': {
('inv_ds_paco', 'inv_ds_eff'):
('inv_ds_pdco'),
('inv_ds_eff_type', 'inv_ds_paco'):
('inv_ds_pso_suggested'),
('inv_ds_eff_type', 'inv_ds_eff_weighted', 'inv_ds_eff_peak_or_nom'):
('inv_ds_eff'),
('inv_ds_paco'):
('inv_ds_pnt_suggested') },
'MSPT System Design': {
('tshours', 'solarm'):
('tshours_sf'),
('solarm', 'q_pb_design'):
('Q_rec_des'),
('P_ref', 'design_eff'):
('q_pb_design'),
('P_ref', 'gross_net_conversion_factor'):
('nameplate') },
'Molten Salt Linear Fresnel Solar Field': {
('fthrok'):
('fthr_ok'),
():
('nodes'),
():
('tc_void'),
():
('tc_fill'),
():
('tes_type'),
():
('t_ch_out_max'),
():
('fc_on'),
():
('f_tc_cold'),
('sm1_aperture', 'a_loop'):
('csp.mslf.sf.sm1_nLoops'),
('sf_q_design', 'I_bn_des', 'loop_eff'):
('sm1_aperture'),
('csp.mslf.sf.sm_or_area', 'solar_mult_spec', 'sm1_aperture', 'a_field', 'a_loop'):
('nLoops'),
('P_ref', 'eta_ref'):
('sf_q_design'),
('a_loop', 'nLoops'):
('a_sf_act'),
('csp.mslf.sf.sm_or_area', 'solar_mult_spec', 'a_sf_act', 'sm1_aperture'):
('solar_mult'),
('csp.mslf.sf.Fluid'):
('Fluid'),
('a_sf_act', 'I_bn_des', 'loop_eff'):
('field_thermal_output'),
('csp.mslf.sf.Fluid'):
('htf_max_opt_temp'),
('a_sf_act'):
('field_area'),
('csp.mslf.sf.Fluid'):
('htf_min_opt_temp'),
('nMod'):
('nSCA'),
('field_area', 'land_mult'):
('total_land_area'),
('opt_derate', 'opt_normal'):
('loop_opt_eff'),
('loop_opt_eff', 'hl_derate'):
('loop_eff'),
('hl_derate'):
('loop_therm_eff'),
('csp.mslf.sf.FieldConfig'):
('FieldConfig'),
('T_loop_out'):
('T_field_out_des'),
('csp.mslf.sf.fthrctrl'):
('fthrctrl'),
('nMod', 'A_aperture'):
('a_loop'),
():
('t_dis_out_min'),
('csp.mslf.sf.Fluid', 'Fluid', 'T_loop_in_des', 'T_loop_out', 'field_fl_props'):
('field_htf_cp_avg'),
('solar_mult'):
('solarm'),
('HTF_data'):
('field_fl_props'),
('Fluid'):
('field_fluid') },
'Linear Fresnel Collector and Receiver Header': {
('csp.lf.geom2.solpos_collinc_table'):
('sh_OpticalTable'),
('csp.lf.geom1.solpos_collinc_table'):
('b_OpticalTable'),
('csp.lf.geom2.var4.abs_emis'):
('sh_eps_HCE4'),
('csp.lf.geom2.var3.abs_emis'):
('sh_eps_HCE3'),
('csp.lf.geom2.var2.abs_emis'):
('sh_eps_HCE2'),
('csp.lf.geom2.var1.abs_emis'):
('sh_eps_HCE1'),
('csp.lf.geom1.var4.abs_emis'):
('b_eps_HCE4'),
('csp.lf.geom1.glazing_intact', 'csp.lf.geom2.glazing_intact'):
('GlazingIntactIn'),
('csp.lf.geom1.var1.abs_emis'):
('b_eps_HCE1'),
('csp.lf.geom1.var1.annulus_pressure', 'csp.lf.geom1.var2.annulus_pressure', 'csp.lf.geom1.var3.annulus_pressure', 'csp.lf.geom1.var4.annulus_pressure', 'csp.lf.geom2.var1.annulus_pressure', 'csp.lf.geom2.var2.annulus_pressure', 'csp.lf.geom2.var3.annulus_pressure', 'csp.lf.geom2.var4.annulus_pressure'):
('P_a'),
('csp.lf.geom1.annulus_gas', 'csp.lf.geom2.annulus_gas'):
('AnnulusGas'),
('csp.lf.geom1.var1.env_trans', 'csp.lf.geom1.var2.env_trans', 'csp.lf.geom1.var3.env_trans', 'csp.lf.geom1.var4.env_trans', 'csp.lf.geom2.var1.env_trans', 'csp.lf.geom2.var2.env_trans', 'csp.lf.geom2.var3.env_trans', 'csp.lf.geom2.var4.env_trans'):
('Tau_envelope'),
('csp.lf.geom1.var3.abs_emis'):
('b_eps_HCE3'),
('csp.lf.geom1.iamt0', 'csp.lf.geom1.iamt1', 'csp.lf.geom1.iamt2', 'csp.lf.geom1.iamt3', 'csp.lf.geom1.iamt4', 'csp.lf.geom2.iamt0', 'csp.lf.geom2.iamt1', 'csp.lf.geom2.iamt2', 'csp.lf.geom2.iamt3', 'csp.lf.geom2.iamt4'):
('IAM_T'),
('csp.lf.geom1.var1.env_emis', 'csp.lf.geom1.var2.env_emis', 'csp.lf.geom1.var3.env_emis', 'csp.lf.geom1.var4.env_emis', 'csp.lf.geom2.var1.env_emis', 'csp.lf.geom2.var2.env_emis', 'csp.lf.geom2.var3.env_emis', 'csp.lf.geom2.var4.env_emis'):
('EPSILON_4'),
('csp.lf.geom1.var1.env_abs', 'csp.lf.geom1.var2.env_abs', 'csp.lf.geom1.var3.env_abs', 'csp.lf.geom1.var4.env_abs', 'csp.lf.geom2.var1.env_abs', 'csp.lf.geom2.var2.env_abs', 'csp.lf.geom2.var3.env_abs', 'csp.lf.geom2.var4.env_abs'):
('alpha_env'),
('csp.lf.geom1.var2.abs_emis'):
('b_eps_HCE2'),
('csp.lf.geom1.var1.hce_dirt', 'csp.lf.geom1.var2.hce_dirt', 'csp.lf.geom1.var3.hce_dirt', 'csp.lf.geom1.var4.hce_dirt', 'csp.lf.geom2.var1.hce_dirt', 'csp.lf.geom2.var2.hce_dirt', 'csp.lf.geom2.var3.hce_dirt', 'csp.lf.geom2.var4.hce_dirt'):
('Dirt_HCE'),
('csp.lf.geom1.iaml0', 'csp.lf.geom1.iaml1', 'csp.lf.geom1.iaml2', 'csp.lf.geom1.iaml3', 'csp.lf.geom1.iaml4', 'csp.lf.geom2.iaml0', 'csp.lf.geom2.iaml1', 'csp.lf.geom2.iaml2', 'csp.lf.geom2.iaml3', 'csp.lf.geom2.iaml4'):
('IAM_L'),
('csp.lf.geom1.hlpolyw0', 'csp.lf.geom1.hlpolyw1', 'csp.lf.geom1.hlpolyw2', 'csp.lf.geom1.hlpolyw3', 'csp.lf.geom1.hlpolyw4', 'csp.lf.geom2.hlpolyw0', 'csp.lf.geom2.hlpolyw1', 'csp.lf.geom2.hlpolyw2', 'csp.lf.geom2.hlpolyw3', 'csp.lf.geom2.hlpolyw4'):
('HL_W'),
('csp.lf.geom1.var1.abs_abs', 'csp.lf.geom1.var2.abs_abs', 'csp.lf.geom1.var3.abs_abs', 'csp.lf.geom1.var4.abs_abs', 'csp.lf.geom2.var1.abs_abs', 'csp.lf.geom2.var2.abs_abs', 'csp.lf.geom2.var3.abs_abs', 'csp.lf.geom2.var4.abs_abs'):
('alpha_abs'),
('csp.lf.geom1.var1.bellows_shadowing', 'csp.lf.geom1.var2.bellows_shadowing', 'csp.lf.geom1.var3.bellows_shadowing', 'csp.lf.geom1.var4.bellows_shadowing', 'csp.lf.geom2.var1.bellows_shadowing', 'csp.lf.geom2.var2.bellows_shadowing', 'csp.lf.geom2.var3.bellows_shadowing', 'csp.lf.geom2.var4.bellows_shadowing'):
('Shadowing'),
('csp.lf.geom1.hlpolyt0', 'csp.lf.geom1.hlpolyt1', 'csp.lf.geom1.hlpolyt2', 'csp.lf.geom1.hlpolyt3', 'csp.lf.geom1.hlpolyt4', 'csp.lf.geom2.hlpolyt0', 'csp.lf.geom2.hlpolyt1', 'csp.lf.geom2.hlpolyt2', 'csp.lf.geom2.hlpolyt3', 'csp.lf.geom2.hlpolyt4'):
('HL_dT'),
('csp.lf.geom1.var1.rated_heat_loss', 'csp.lf.geom1.var2.rated_heat_loss', 'csp.lf.geom1.var3.rated_heat_loss', 'csp.lf.geom1.var4.rated_heat_loss', 'csp.lf.geom2.var1.rated_heat_loss', 'csp.lf.geom2.var2.rated_heat_loss', 'csp.lf.geom2.var3.rated_heat_loss', 'csp.lf.geom2.var4.rated_heat_loss'):
('Design_loss'),
('csp.lf.geom1.var1.field_fraction', 'csp.lf.geom1.var2.field_fraction', 'csp.lf.geom1.var3.field_fraction', 'csp.lf.geom1.var4.field_fraction', 'csp.lf.geom2.var1.field_fraction', 'csp.lf.geom2.var2.field_fraction', 'csp.lf.geom2.var3.field_fraction', 'csp.lf.geom2.var4.field_fraction'):
('HCE_FieldFrac'),
('csp.lf.geom1.refl_aper_area', 'csp.lf.geom2.refl_aper_area', 'csp.lf.geom1.coll_length', 'csp.lf.geom2.coll_length', 'csp.lf.geom1.opt_mode', 'csp.lf.geom2.opt_mode', 'csp.lf.geom1.track_error', 'csp.lf.geom2.track_error', 'csp.lf.geom1.geom_error', 'csp.lf.geom2.geom_error', 'csp.lf.geom1.mirror_refl', 'csp.lf.geom2.mirror_refl', 'csp.lf.geom1.soiling', 'csp.lf.geom2.soiling', 'csp.lf.geom1.general_error', 'csp.lf.geom2.general_error', 'csp.lf.geom1.hl_mode', 'csp.lf.geom2.hl_mode', 'csp.lf.geom1.diam_absorber_inner', 'csp.lf.geom2.diam_absorber_inner', 'csp.lf.geom1.diam_absorber_outer', 'csp.lf.geom2.diam_absorber_outer', 'csp.lf.geom1.diam_envelope_inner', 'csp.lf.geom2.diam_envelope_inner', 'csp.lf.geom1.diam_envelope_outer', 'csp.lf.geom2.diam_envelope_outer', 'csp.lf.geom1.diam_absorber_plug', 'csp.lf.geom2.diam_absorber_plug', 'csp.lf.geom1.inner_roughness', 'csp.lf.geom2.inner_roughness', 'csp.lf.geom1.flow_type', 'csp.lf.geom2.flow_type', 'csp.lf.geom1.absorber_material', 'csp.lf.geom2.absorber_material'):
('A_aperture', 'L_col', 'OptCharType', 'TrackingError', 'GeomEffects', 'rho_mirror_clean', 'dirt_mirror', 'error', 'HLCharType', 'D_2', 'D_3', 'D_4', 'D_5', 'D_p', 'Rough', 'Flow_type', 'AbsorberMaterial') }} | """
File generated by export_config.cpp. Do not edit directly.
Exports maps for:
config_to_input_pages
config_to_modules
config_to_eqn_variables
config_to_cb_cmods
SSC Version: 205
Date: Sat Feb 23 13:57:48 2019
"""
ui_form_to_eqn_var_map = {'Electric Building Load Calculator': {('load_1', 'load_2', 'load_3', 'load_4', 'load_5', 'load_6', 'load_7', 'load_8', 'load_9', 'load_10', 'load_11', 'load_12'): ('Monthly_util', 'monthly_load'), 'load_model': 'en_belpe', 'escal_input_belpe': 'escal_belpe'}, 'Thermal Load': {('thermal_load_user_data', 'normalize_to_thermal_bill', 'thermal_bill_data', 'thermal_scale_factor'): ('thermal_1', 'thermal_peak_1', 'thermal_2', 'thermal_peak_2', 'thermal_3', 'thermal_peak_3', 'thermal_4', 'thermal_peak_4', 'thermal_5', 'thermal_peak_5', 'thermal_6', 'thermal_peak_6', 'thermal_7', 'thermal_peak_7', 'thermal_8', 'thermal_peak_8', 'thermal_9', 'thermal_peak_9', 'thermal_10', 'thermal_peak_10', 'thermal_11', 'thermal_peak_11', 'thermal_12', 'thermal_peak_12', 'thermal_load', 'thermal_load_annual_total', 'thermal_annual_peak')}, 'ISCC Parasitics': {(): 'bop_array', ('bop_par', 'bop_par_f', 'bop_par_0', 'bop_par_1', 'bop_par_2', 'W_dot_solar_des'): 'csp.pt.par.calc.bop', ('pb_fixed_par', 'fossil_output', 'W_dot_solar_des'): 'pb_fixed_par_mwe'}, 'ISCC Receiver and Powerblock': {('ngcc_model', 'q_pb_design', 'pinch_point_coldside', 'pinch_point_hotside', 'elev', 'rec_htf', 'field_fl_props'): ('W_dot_solar_des', 'T_htf_cold_des', 'fossil_output', 'max_solar_design', 'T_steam_sh_out_des'), (): 'ngcc_model', 'nameplate': 'system_capacity', ('T_steam_sh_out_des', 'pinch_point_hotside'): 'T_htf_hot_des', 'W_dot_solar_des': 'nameplate'}, 'PV Losses': {'subarray3_soiling': 'subarray3_soiling_annual_average', 'subarray2_soiling': 'subarray2_soiling_annual_average', ('subarray4_mismatch_loss', 'subarray4_diodeconn_loss', 'subarray4_dcwiring_loss', 'subarray4_tracking_loss', 'subarray4_nameplate_loss', 'dcoptimizer_loss'): 'subarray4_dcloss', 'subarray1_soiling': 'subarray1_soiling_annual_average', 'subarray4_soiling': 'subarray4_soiling_annual_average', ('subarray3_mismatch_loss', 'subarray3_diodeconn_loss', 'subarray3_dcwiring_loss', 'subarray3_tracking_loss', 'subarray3_nameplate_loss', 'dcoptimizer_loss'): 'subarray3_dcloss', ('subarray2_mismatch_loss', 'subarray2_diodeconn_loss', 'subarray2_dcwiring_loss', 'subarray2_tracking_loss', 'subarray2_nameplate_loss', 'dcoptimizer_loss'): 'subarray2_dcloss', ('subarray1_mismatch_loss', 'subarray1_diodeconn_loss', 'subarray1_dcwiring_loss', 'subarray1_tracking_loss', 'subarray1_nameplate_loss', 'dcoptimizer_loss'): 'subarray1_dcloss'}, 'Inverter CEC Coefficient Generator': {('inv_cec_cg_vdco', 'inv_cec_cg_pdco', 'inv_cec_cg_psco', 'inv_cec_cg_paco', 'inv_cec_cg_c0', 'inv_cec_cg_c1', 'inv_cec_cg_c2', 'inv_cec_cg_c3'): ('inv_cec_cg_eff_cec', 'inv_cec_cg_eff_euro')}, 'CEC Performance Model with User Entered Specifications': {('6par_bvoc_units', '6par_bvoc_display', '6par_voc'): '6par_bvoc', ('6par_aisc_units', '6par_aisc_display', '6par_isc'): '6par_aisc', ('6par_vmp', '6par_imp'): '6par_pmp', ('6par_vmp', '6par_imp', '6par_area'): '6par_mpeff'}, 'Simple Efficiency Module Model': {('spe_reference', 'spe_eff0', 'spe_rad0', 'spe_eff1', 'spe_rad1', 'spe_eff2', 'spe_rad2', 'spe_eff3', 'spe_rad3', 'spe_eff4', 'spe_rad4', 'spe_area'): 'spe_power'}, 'Financial Debt Residential': {('real_discount_rate', 'inflation_rate', 'debt_fraction', 'federal_tax_rate', 'state_tax_rate', 'loan_rate'): 'ui_wacc', (): 'market', ('ui_net_capital_cost', 'debt_fraction'): 'loan_amount', ('total_installed_cost', 'ibi_fed_amount', 'ibi_sta_amount', 'ibi_uti_amount', 'ibi_oth_amount', 'ibi_fed_percent', 'ibi_fed_percent_maxvalue', 'ibi_sta_percent', 'ibi_sta_percent_maxvalue', 'ibi_uti_percent', 'ibi_uti_percent_maxvalue', 'ibi_oth_percent', 'ibi_oth_percent_maxvalue', 'system_capacity', 'cbi_fed_amount', 'cbi_fed_maxvalue', 'cbi_sta_amount', 'cbi_sta_maxvalue', 'cbi_uti_amount', 'cbi_uti_maxvalue', 'cbi_oth_amount', 'cbi_oth_maxvalue'): 'ui_net_capital_cost'}, 'Phys Trough Solar Field': {'T_loop_out': 'SF_COPY_T_loop_out_des', 'specified_q_dot_rec_des': 'SF_COPY_specified_q_dot_rec_des', 'trough_loop_control': 'SCAInfoArray', ('fixed_land_area', 'non_solar_field_land_area_multiplier'): 'total_land_area', ('q_pb_design', 'I_bn_des', 'total_loop_conversion_efficiency'): 'total_required_aperture_for_SM1', ('nSCA', 'nLoops', 'SCA_drives_elec'): 'total_tracking_power', ('total_aperture', 'Row_Distance', 'max_collector_width'): 'fixed_land_area', 'combo_htf_type': 'Fluid', ('I_bn_des', 'total_loop_conversion_efficiency', 'total_aperture'): 'field_thermal_output', ('trough_loop_control', 'csp_dtr_sca_calc_sca_eff_1', 'csp_dtr_sca_calc_sca_eff_2', 'csp_dtr_sca_calc_sca_eff_3', 'csp_dtr_sca_calc_sca_eff_4', 'csp_dtr_sca_length_1', 'csp_dtr_sca_length_2', 'csp_dtr_sca_length_3', 'csp_dtr_sca_length_4', 'csp_dtr_hce_optical_eff_1', 'csp_dtr_hce_optical_eff_2', 'csp_dtr_hce_optical_eff_3', 'csp_dtr_hce_optical_eff_4'): 'loop_optical_efficiency', ('total_required_aperture_for_SM1', 'single_loop_aperature'): 'required_number_of_loops_for_SM1', ('m_dot_htfmax', 'fluid_dens_outlet_temp', 'min_inner_diameter'): 'max_field_flow_velocity', 'trough_loop_control': 'SCADefocusArray', 'T_loop_in_des': 'SF_COPY_T_loop_in_des', ('single_loop_aperature', 'nLoops'): 'total_aperture', ('trough_loop_control', 'csp_dtr_hce_diam_absorber_inner_1', 'csp_dtr_hce_diam_absorber_inner_2', 'csp_dtr_hce_diam_absorber_inner_3', 'csp_dtr_hce_diam_absorber_inner_4'): 'min_inner_diameter', 'I_bn_des': 'SF_COPY_I_bn_des', ('m_dot_htfmin', 'fluid_dens_inlet_temp', 'min_inner_diameter'): 'min_field_flow_velocity', 'combo_FieldConfig': 'FieldConfig', ('specified_solar_multiple', 'total_required_aperture_for_SM1', 'single_loop_aperature'): 'nLoops', ('trough_loop_control', 'I_bn_des', 'csp_dtr_hce_design_heat_loss_1', 'csp_dtr_hce_design_heat_loss_2', 'csp_dtr_hce_design_heat_loss_3', 'csp_dtr_hce_design_heat_loss_4', 'csp_dtr_sca_length_1', 'csp_dtr_sca_length_2', 'csp_dtr_sca_length_3', 'csp_dtr_sca_length_4', 'csp_dtr_sca_aperture_1', 'csp_dtr_sca_aperture_2', 'csp_dtr_sca_aperture_3', 'csp_dtr_sca_aperture_4'): 'cspdtr_loop_hce_heat_loss', ('trough_loop_control', 'csp_dtr_sca_aperture_1', 'csp_dtr_sca_aperture_2', 'csp_dtr_sca_aperture_3', 'csp_dtr_sca_aperture_4'): 'single_loop_aperature', 'specified_solar_multiple': 'SF_COPY_specified_solar_multiple', ('combo_htf_type', 'Fluid', 'T_loop_in_des', 'T_loop_out', 'field_fl_props'): 'field_htf_cp_avg', ('field_thermal_output', 'q_pb_design'): 'solar_mult', ('loop_optical_efficiency', 'cspdtr_loop_hce_heat_loss'): 'total_loop_conversion_efficiency', (): 'defocus'}, 'Phys Trough System Design': {'field_thermal_output': 'SD_COPY_field_thermal_output', 'solar_mult': 'SD_COPY_solar_mult', ('specified_solar_multiple', 'q_pb_design'): 'specified_q_dot_rec_des', 'nLoops': 'SD_COPY_nLoops', 'total_aperture': 'SD_COPY_total_aperture', 'specified_q_dot_rec_des': 'system_capacity'}, 'Financial Analysis Host Developer Parameters': {('host_real_discount_rate', 'inflation_rate'): 'host_nominal_discount_rate', ('real_discount_rate', 'inflation_rate'): 'nominal_discount_rate'}, 'PV Capital Costs': {('battery_energy', 'battery_per_kWh', 'battery_power', 'battery_per_kW'): 'battery_total', ('en_batt', 'batt_power_discharge_max', 'batt_simple_enable', 'batt_simple_kw'): 'battery_power', 'system_use_lifetime_output': 'system_use_recapitalization', ('module_total', 'inverter_total', 'battery_total', 'bos_equip_total', 'install_labor_total', 'install_margin_total'): 'subtotal_direct', ('total_installed_cost', 'modulearray_power'): 'installed_per_capacity', ('inverter_costunits', 'inverter_num_units', 'inverter_power', 'module_num_units', 'module_power', 'per_inverter'): 'inverter_total', ('bos_equip_fixed', 'modulearray_power', 'bos_equip_perwatt', 'modulearray_area', 'bos_equip_perarea'): 'bos_equip_total', ('grid_percent', 'total_direct_cost', 'modulearray_power', 'grid_per_watt', 'grid_fixed'): 'grid_total', ('install_labor_fixed', 'modulearray_power', 'install_labor_perwatt', 'modulearray_area', 'install_labor_perarea'): 'install_labor_total', 'total_land_area': 'modulearray_area', ('inverter_power', 'inverter_num_units'): 'inverterarray_power', 'inverter_count': 'inverter_num_units', ('landprep_per_acre', 'land_area_value', 'landprep_percent', 'total_direct_cost', 'modulearray_power', 'landprep_per_watt', 'landprep_fixed'): 'landprep_total', 'total_modules': 'module_num_units', ('sales_tax_value', 'total_direct_cost', 'sales_tax_percent'): 'sales_tax_total', ('land_per_acre', 'land_area_value', 'land_percent', 'total_direct_cost', 'modulearray_power', 'land_per_watt', 'land_fixed'): 'land_total', ('permitting_total', 'engr_total', 'grid_total', 'land_total', 'landprep_total', 'sales_tax_total'): 'total_indirect_cost', ('module_power', 'module_num_units'): 'modulearray_power', ('install_margin_fixed', 'modulearray_power', 'install_margin_perwatt', 'modulearray_area', 'install_margin_perarea'): 'install_margin_total', ('permitting_percent', 'total_direct_cost', 'modulearray_power', 'permitting_per_watt', 'permitting_fixed'): 'permitting_total', ('system_capacity', 'dc_ac_ratio', 'inverter_model', 'inv_snl_paco', 'inv_ds_paco', 'inv_pd_paco', 'inv_cec_cg_paco'): 'inverter_power', ('module_total', 'inverter_total', 'battery_total', 'bos_equip_total', 'install_labor_total', 'install_margin_total', 'contingency'): 'total_direct_cost', ('contingency_percent', 'module_total', 'inverter_total', 'bos_equip_total', 'install_labor_total', 'install_margin_total', 'battery_total'): 'contingency', ('en_batt', 'batt_computed_bank_capacity', 'batt_simple_enable', 'batt_simple_kwh'): 'battery_energy', 'sales_tax_rate': 'sales_tax_value', ('system_capacity', 'module_model', 'spe_power', 'cec_p_mp_ref', '6par_pmp', 'snl_ref_pmp', 'sd11par_Pmp0'): 'module_power', ('module_costunits', 'module_num_units', 'module_power', 'per_module'): 'module_total', 'total_land_area': 'land_area_value', ('total_direct_cost', 'total_indirect_cost'): 'total_installed_cost', ('engr_percent', 'total_direct_cost', 'modulearray_power', 'engr_per_watt', 'engr_fixed'): 'engr_total'}, 'Thermal Rate': {('thermal_buy_rate_option', 'thermal_buy_rate_flat', 'thermal_timestep_buy_rate', 'thermal_sell_rate_option', 'thermal_sell_rate_flat', 'thermal_timestep_sell_rate'): ('thermal_buy_rate', 'thermal_sell_rate')}, 'Fuel Cell O and M Costs': {'batt_computed_bank_capacity': 'om_capacity1_nameplate', (): 'add_om_num_types', 'fuelcell_power_nameplate': 'om_capacity2_nameplate', ('fc_fuel_cost', 'om_fuel_price_units'): 'om_fuel_cost'}, 'Fuel Cell Costs': {('fuelcell_power_total', 'fuelcell_per_kW'): 'fuelcell_total', ('battery_energy', 'battery_per_kWh', 'battery_power', 'battery_per_kW'): 'battery_total', ('en_batt', 'batt_power_discharge_max', 'batt_simple_enable', 'batt_simple_kw'): 'battery_power', 'system_use_lifetime_output': 'system_use_recapitalization', ('module_total', 'inverter_total', 'battery_total', 'fuelcell_total', 'bos_equip_total', 'install_labor_total', 'install_margin_total'): 'subtotal_direct', ('total_installed_cost', 'modulearray_power'): 'installed_per_capacity', ('inverter_costunits', 'inverter_num_units', 'inverter_power', 'module_num_units', 'module_power', 'per_inverter'): 'inverter_total', ('bos_equip_fixed', 'modulearray_power', 'bos_equip_perwatt', 'battery_power', 'bos_equip_battperkw', 'fuelcell_power_nameplate', 'bos_equip_fcperkw', 'modulearray_area', 'bos_equip_perarea'): 'bos_equip_total', ('grid_percent', 'total_direct_cost', 'modulearray_power', 'grid_per_watt', 'battery_power', 'grid_per_battkw', 'fuelcell_power_nameplate', 'grid_per_fckw', 'grid_fixed'): 'grid_total', ('install_labor_fixed', 'modulearray_power', 'install_labor_perwatt', 'battery_power', 'install_labor_battperkw', 'fuelcell_power_nameplate', 'install_labor_fcperkw', 'modulearray_area', 'install_labor_perarea'): 'install_labor_total', 'total_land_area': 'modulearray_area', ('inverter_power', 'inverter_num_units'): 'inverterarray_power', 'inverter_count': 'inverter_num_units', ('landprep_per_acre', 'land_area_value', 'landprep_percent', 'total_direct_cost', 'modulearray_power', 'landprep_per_watt', 'battery_power', 'landprep_per_battkw', 'fuelcell_power_nameplate', 'landprep_per_fckw', 'landprep_fixed'): 'landprep_total', 'total_modules': 'module_num_units', ('sales_tax_value', 'total_direct_cost', 'sales_tax_percent'): 'sales_tax_total', ('land_per_acre', 'land_area_value', 'land_percent', 'total_direct_cost', 'modulearray_power', 'land_per_watt', 'battery_power', 'land_per_battkw', 'fuelcell_power_nameplate', 'land_per_fckw', 'land_fixed'): 'land_total', ('permitting_total', 'engr_total', 'grid_total', 'land_total', 'landprep_total', 'sales_tax_total'): 'total_indirect_cost', ('module_power', 'module_num_units'): 'modulearray_power', ('install_margin_fixed', 'modulearray_power', 'install_margin_perwatt', 'battery_power', 'install_margin_battperkw', 'fuelcell_power_nameplate', 'install_margin_fcperkw', 'modulearray_area', 'install_margin_perarea'): 'install_margin_total', ('permitting_percent', 'total_direct_cost', 'modulearray_power', 'permitting_per_watt', 'battery_power', 'permitting_per_battkw', 'fuelcell_power_nameplate', 'permitting_per_fckw', 'permitting_fixed'): 'permitting_total', ('system_capacity', 'dc_ac_ratio', 'inverter_model', 'inv_snl_paco', 'inv_ds_paco', 'inv_pd_paco', 'inv_cec_cg_paco'): 'inverter_power', ('module_total', 'inverter_total', 'battery_total', 'fuelcell_total', 'bos_equip_total', 'install_labor_total', 'install_margin_total', 'contingency'): 'total_direct_cost', ('contingency_percent', 'module_total', 'inverter_total', 'bos_equip_total', 'install_labor_total', 'install_margin_total'): 'contingency', 'fuelcell_power_nameplate': 'fuelcell_power_total', ('en_batt', 'batt_computed_bank_capacity', 'batt_simple_enable', 'batt_simple_kwh'): 'battery_energy', 'sales_tax_rate': 'sales_tax_value', ('system_capacity', 'module_model', 'spe_power', 'cec_p_mp_ref', '6par_pmp', 'snl_ref_pmp', 'sd11par_Pmp0'): 'module_power', ('module_costunits', 'module_num_units', 'module_power', 'per_module'): 'module_total', ('total_direct_cost', 'total_indirect_cost'): 'total_installed_cost', ('engr_percent', 'total_direct_cost', 'modulearray_power', 'engr_per_watt', 'battery_power', 'engr_per_battkw', 'fuelcell_power_nameplate', 'engr_per_fckw', 'engr_fixed'): 'engr_total'}, 'Fuel Cell Dispatch Manual': {('dispatch_manual_fuelcelldischarge', 'fc_discharge_units_1', 'fc_discharge_units_2', 'fc_discharge_units_3', 'fc_discharge_units_4', 'fc_discharge_units_5', 'fc_discharge_units_6'): 'dispatch_manual_units_fc_discharge', ('dispatch_manual_fuelcelldischarge', 'fc_discharge_percent_1', 'fc_discharge_percent_2', 'fc_discharge_percent_3', 'fc_discharge_percent_4', 'fc_discharge_percent_5', 'fc_discharge_percent_6'): 'dispatch_manual_percent_fc_discharge', ('dispatch_manual_gridcharge', 'batt_gridcharge_percent_1', 'batt_gridcharge_percent_2', 'batt_gridcharge_percent_3', 'batt_gridcharge_percent_4', 'batt_gridcharge_percent_5', 'batt_gridcharge_percent_6'): 'dispatch_manual_percent_gridcharge', ('fc.storage.p1.charge', 'fc.storage.p2.charge', 'fc.storage.p3.charge', 'fc.storage.p4.charge', 'fc.storage.p5.charge', 'fc.storage.p6.charge'): 'dispatch_manual_fuelcellcharge', ('dispatch_manual_discharge', 'batt_discharge_percent_1', 'batt_discharge_percent_2', 'batt_discharge_percent_3', 'batt_discharge_percent_4', 'batt_discharge_percent_5', 'batt_discharge_percent_6'): 'dispatch_manual_percent_discharge', ('pv.storage.p1.gridcharge', 'pv.storage.p2.gridcharge', 'pv.storage.p3.gridcharge', 'pv.storage.p4.gridcharge', 'pv.storage.p5.gridcharge', 'pv.storage.p6.gridcharge'): 'dispatch_manual_gridcharge', ('fc.p1.discharge', 'fc.p2.discharge', 'fc.p3.discharge', 'fc.p4.discharge', 'fc.p5.discharge', 'fc.p6.discharge'): 'dispatch_manual_fuelcelldischarge', ('pv.storage.p1.discharge', 'pv.storage.p2.discharge', 'pv.storage.p3.discharge', 'pv.storage.p4.discharge', 'pv.storage.p5.discharge', 'pv.storage.p6.discharge'): 'dispatch_manual_discharge', ('pv.storage.p1.charge', 'pv.storage.p2.charge', 'pv.storage.p3.charge', 'pv.storage.p4.charge', 'pv.storage.p5.charge', 'pv.storage.p6.charge'): 'dispatch_manual_charge'}, 'Fuel Cell Dispatch': {('fuelcell_dispatch_input', 'fuelcell_dispatch_input_units', 'fuelcell_unit_max_power'): 'fuelcell_dispatch'}, 'PVWatts': {('en_user_spec_losses', 'losses_user', 'loss_soiling', 'loss_shading', 'loss_snow', 'loss_mismatch', 'loss_wiring', 'loss_conn', 'loss_lid', 'loss_nameplate', 'loss_age', 'loss_avail'): 'losses', ('system_capacity', 'dc_ac_ratio'): 'ac_nameplate'}, 'Solar Water Heating': {('draw', 'use_draw_scaling', 'daily_draw'): ('scaled_draw', 'annual_draw'), ('coll_mode', 'user_test_fluid', 'srcc_test_fluid'): 'test_fluid', ('area_coll', 'ncoll', 'FRta', 'FRUL'): 'system_capacity', ('coll_mode', 'user_FRUL', 'srcc_FRUL'): 'FRUL', ('coll_mode', 'user_FRta', 'srcc_FRta'): 'FRta', ('coll_mode', 'user_iam', 'srcc_iam'): 'iam', ('coll_mode', 'user_area_coll', 'srcc_area'): 'area_coll', ('coll_mode', 'user_test_flow', 'srcc_test_flow'): 'test_flow', ('area_coll', 'ncoll'): 'total_area'}, 'Geothermal Power Block': {(): 'HTF', (): 'degradation', 'analysis_period': 'geothermal_analysis_period', 'geopowerblock.pwrb.condenser_type': 'CT', 'design_temp': 'T_htf_hot_ref'}, 'Geothermal Plant and Equipment': {'gross_output': 'system_capacity', ('nameplate', 'resource_type', 'resource_temp', 'resource_depth', 'geothermal_analysis_period', 'model_choice', 'analysis_type', 'num_wells', 'conversion_type', 'plant_efficiency_input', 'conversion_subtype', 'decline_type', 'temp_decline_rate', 'temp_decline_max', 'wet_bulb_temp', 'ambient_pressure', 'well_flow_rate', 'pump_efficiency', 'delta_pressure_equip', 'excess_pressure_pump', 'well_diameter', 'casing_size', 'inj_well_diam', 'design_temp', 'specify_pump_work', 'specified_pump_work_amount', 'rock_thermal_conductivity', 'rock_specific_heat', 'rock_density', 'reservoir_pressure_change_type', 'reservoir_pressure_change', 'reservoir_width', 'reservoir_height', 'reservoir_permeability', 'inj_prod_well_distance', 'subsurface_water_loss', 'fracture_aperature', 'fracture_width', 'num_fractures', 'fracture_angle', 'hr_pl_nlev'): ('num_wells_getem', 'geotherm.plant_efficiency_used', 'gross_output', 'pump_depth', 'pump_work', 'pump_size_hp', 'geotherm.delta_pressure_reservoir', 'geotherm.avg_reservoir_temp', 'geotherm.bottom_hole_pressure'), ('well_flow_rate', 'num_wells_getem'): 'geotherm.total_flow_kg_per_s', ('geotherm.egs_design_temp_autoselect', 'resource_temp', 'geotherm.egs_design_temp_input'): 'design_temp', (): 'ui_calculations_only', ('gross_output', 'pump_work'): 'geotherm.net_output', 'geotherm.total_flow_kg_per_s': 'geotherm.total_flow_gpm'}, 'Geothermal Resource': {'geotherm.bottom_hole_pressure': 'geotherm.bottom_hole_pressureBar', 'geotherm.avg_reservoir_temp': 'geotherm.avg_reservoir_tempF', 'geotherm.delta_pressure_reservoir': 'geotherm.delta_pressure_reservoirBar'}, 'LF DSG Solar Field': {'x_b_des': 'SF_COPY_x_b_des', 'P_turb_des': 'SF_COPY_P_turb_des', 'T_cold_ref': 'SF_COPY_T_cold_ref_des', ('csp.lf.sf.field_area', 'csp.lf.sf.area_multiplier'): 'csp.lf.sf.total_land_area', 'I_bn_des': 'SF_COPY_I_bn_des', 'csp.lf.sf.dp.actual_aper': 'csp.lf.sf.field_area', 'csp.lf.geom1.rec_thermal_derate': 'csp.lf.sf.dp.loop_therm_eff', ('csp.lf.sf.dp.actual_aper', 'csp.lf.sf.dp.sm1_aperture'): 'solarm', ('specified_solar_multiple', 'csp.lf.sf.dp.sm1_aperture', 'csp.lf.sf.dp.loop_aperture'): 'nLoops', ('csp.lf.sf.dp.loop_aperture', 'nLoops'): 'csp.lf.sf.dp.actual_aper', ('csp.lf.sf.dp.sm1_aperture', 'csp.lf.sf.dp.loop_aperture'): 'csp.lf.sf.dp.sm1_numloops', ('csp.lf.sf.dp.actual_aper', 'I_bn_des', 'csp.lf.sf.dp.total_loop_conv_eff'): 'field_thermal_output', 'specified_solar_multiple': 'SF_COPY_specified_solar_multiple', ('q_pb_des', 'I_bn_des', 'csp.lf.sf.dp.total_loop_conv_eff'): 'csp.lf.sf.dp.sm1_aperture', ('fP_hdr_c', 'fP_sf_boil', 'fP_hdr_h', 'P_turb_des'): 'csp.lf.sf.total_pres_drop', ('csp.lf.sf.dp.loop_opt_eff', 'csp.lf.sf.dp.loop_therm_eff'): 'csp.lf.sf.dp.total_loop_conv_eff', 'specified_q_dot_rec_des': 'SF_COPY_specified_q_dot_rec_des', ('csp.lf.geom1.rec_optical_derate', 'csp.lf.geom1.coll_opt_loss_norm_inc'): 'csp.lf.sf.dp.loop_opt_eff', ('nModBoil', 'csp.lf.geom1.refl_aper_area'): 'csp.lf.sf.dp.loop_aperture'}, 'LF DSG System Design': {(): 'T_hot ', 'specified_q_dot_rec_des': 'system_capacity', ('specified_solar_multiple', 'q_pb_des'): 'specified_q_dot_rec_des'}, 'Physical Trough Parasitics': {('csp.dtr.par.bop_val', 'csp.dtr.par.bop_pf', 'csp.dtr.par.bop_c0', 'csp.dtr.par.bop_c1', 'csp.dtr.par.bop_c2'): 'bop_array', ('pb_fixed_par', 'P_ref'): 'csp.dtr.par.calc.frac_gross', ('csp.dtr.par.bop_val', 'csp.dtr.par.bop_pf', 'csp.dtr.par.bop_c0', 'csp.dtr.par.bop_c1', 'csp.dtr.par.bop_c2', 'P_ref'): 'csp.dtr.par.calc.bop', ('csp.dtr.par.aux_val', 'csp.dtr.par.aux_pf', 'csp.dtr.par.aux_c0', 'csp.dtr.par.aux_c1', 'csp.dtr.par.aux_c2', 'P_ref'): 'csp.dtr.par.calc.aux', ('nSCA', 'nLoops', 'SCA_drives_elec'): 'csp.dtr.par.calc.tracking', ('csp.dtr.par.aux_val', 'csp.dtr.par.aux_pf', 'csp.dtr.par.aux_c0', 'csp.dtr.par.aux_c1', 'csp.dtr.par.aux_c2'): 'aux_array'}, 'Dish Reference Inputs': {'csp.ds.refc.coolfluid': 'test_cooling_fluid'}, 'Generic CSP System Costs': {(): 'system_use_recapitalization', (): 'system_use_lifetime_output', ('csp.gss.cost.solar_field.area', 'csp.gss.cost.solar_field.cost_per_m2'): 'csp.gss.cost.solar_field', 'csp.gss.sf.field_area': 'csp.gss.cost.site_improvements.area', ('csp.gss.cost.storage.mwht', 'csp.gss.cost.storage.cost_per_kwht'): 'csp.gss.cost.storage', 'csp.gss.tes.max_capacity': 'csp.gss.cost.storage.mwht', ('total_installed_cost', 'csp.gss.pwrb.nameplate'): 'csp.gss.cost.installed_per_capacity', 'csp.gss.sf.field_area': 'csp.gss.cost.solar_field.area', ('csp.gss.cost.bop_mwe', 'csp.gss.cost.bop_per_kwe'): 'csp.gss.cost.bop', ('csp.gss.cost.sales_tax.value', 'total_direct_cost', 'csp.gss.cost.sales_tax.percent'): 'csp.gss.cost.sales_tax.total', ('csp.gss.cost.fossil_backup.mwe', 'csp.gss.cost.fossil_backup.cost_per_kwe'): 'csp.gss.cost.fossil_backup', ('csp.gss.cost.contingency', 'csp.gss.cost.solar_field', 'csp.gss.cost.storage', 'csp.gss.cost.power_plant', 'csp.gss.cost.site_improvements', 'csp.gss.cost.fossil_backup', 'csp.gss.cost.bop'): 'total_direct_cost', ('csp.gss.cost.site_improvements.area', 'csp.gss.cost.site_improvements.cost_per_m2'): 'csp.gss.cost.site_improvements', ('csp.gss.cost.contingency_percent', 'csp.gss.cost.solar_field', 'csp.gss.cost.storage', 'csp.gss.cost.power_plant', 'csp.gss.cost.site_improvements', 'csp.gss.cost.fossil_backup', 'csp.gss.cost.bop'): 'csp.gss.cost.contingency', ('csp.gss.cost.epc.per_acre', 'csp.gss.cost.total_land_area', 'csp.gss.cost.epc.percent', 'total_direct_cost', 'csp.gss.cost.nameplate', 'csp.gss.cost.epc.per_watt', 'csp.gss.cost.epc.fixed'): 'csp.gss.cost.epc.total', 'w_des': 'csp.gss.cost.fossil_backup.mwe', 'w_des': 'csp.gss.cost.power_plant.mwe', 'csp.gss.solf.total_land_area': 'csp.gss.cost.total_land_area', 'w_des': 'csp.gss.cost.bop_mwe', ('total_direct_cost', 'total_indirect_cost'): 'total_installed_cost', ('csp.gss.cost.power_plant.mwe', 'csp.gss.cost.power_plant.cost_per_kwe'): 'csp.gss.cost.power_plant', 'sales_tax_rate': 'csp.gss.cost.sales_tax.value', ('csp.gss.cost.plm.per_acre', 'csp.gss.cost.total_land_area', 'csp.gss.cost.plm.percent', 'total_direct_cost', 'csp.gss.cost.nameplate', 'csp.gss.cost.plm.per_watt', 'csp.gss.cost.plm.fixed'): 'csp.gss.cost.plm.total', ('csp.gss.cost.epc.total', 'csp.gss.cost.plm.total', 'csp.gss.cost.sales_tax.total'): 'total_indirect_cost', 'csp.gss.pwrb.nameplate': 'csp.gss.cost.nameplate'}, 'Linear Fresnel Superheater Geometry': {('csp.lf.geom2.var1.broken_glass', 'csp.lf.geom2.var2.broken_glass', 'csp.lf.geom2.var3.broken_glass', 'csp.lf.geom2.var4.broken_glass'): 'csp.lf.geom2.glazing_intact', ('csp.lf.geom2.var1.gas_type', 'csp.lf.geom2.var2.gas_type', 'csp.lf.geom2.var3.gas_type', 'csp.lf.geom2.var4.gas_type'): 'csp.lf.geom2.annulus_gas', ('csp.lf.geom2.heat_loss_at_design', 'I_bn_des', 'csp.lf.geom2.refl_aper_area', 'csp.lf.geom2.coll_length'): 'csp.lf.geom2.rec_thermal_derate', ('csp.lf.geom2.hl_mode', 'csp.lf.geom2.var1.field_fraction', 'csp.lf.geom2.var1.bellows_shadowing', 'csp.lf.geom2.var1.hce_dirt', 'csp.lf.geom2.var2.field_fraction', 'csp.lf.geom2.var2.bellows_shadowing', 'csp.lf.geom2.var2.hce_dirt', 'csp.lf.geom2.var3.field_fraction', 'csp.lf.geom2.var3.bellows_shadowing', 'csp.lf.geom2.var3.hce_dirt', 'csp.lf.geom2.var4.field_fraction', 'csp.lf.geom2.var4.bellows_shadowing', 'csp.lf.geom2.var4.hce_dirt'): 'csp.lf.geom2.rec_optical_derate', ('T_cold_ref', 'T_hot', 'T_amb_des_sf'): 'csp.lf.geom2.avg_field_temp_dt_design', ('csp.lf.geom2.track_error', 'csp.lf.geom2.geom_error', 'csp.lf.geom2.mirror_refl', 'csp.lf.geom2.soiling', 'csp.lf.geom2.general_error'): 'csp.lf.geom2.coll_opt_loss_norm_inc', ('csp.lf.geom2.hl_mode', 'csp.lf.geom2.hlpolyt0', 'csp.lf.geom2.hlpolyt1', 'csp.lf.geom2.avg_field_temp_dt_design', 'csp.lf.geom2.hlpolyt2', 'csp.lf.geom2.hlpolyt3', 'csp.lf.geom2.hlpolyt4', 'csp.lf.geom2.var1.field_fraction', 'csp.lf.geom2.var1.rated_heat_loss', 'csp.lf.geom2.var2.field_fraction', 'csp.lf.geom2.var2.rated_heat_loss', 'csp.lf.geom2.var3.field_fraction', 'csp.lf.geom2.var3.rated_heat_loss', 'csp.lf.geom2.var4.field_fraction', 'csp.lf.geom2.var4.rated_heat_loss'): 'csp.lf.geom2.heat_loss_at_design'}, 'Empirical Trough Capital Costs': {(): 'system_use_recapitalization', ('total_direct_cost', 'total_indirect_cost'): 'total_installed_cost', ('sales_tax_rate', 'total_direct_cost', 'csp.tr.cost.sales_tax.percent'): 'csp.tr.cost.sales_tax.total', 'Solar_Field_Area': 'csp.tr.cost.htf_system.area', ('calc_max_energy', 'csp.tr.cost.storage.cost_per_kwht'): 'csp.tr.cost.storage', ('csp.tr.cost.epc.total', 'csp.tr.cost.plm.total', 'csp.tr.cost.sales_tax.total'): 'total_indirect_cost', ('Solar_Field_Area', 'csp.tr.cost.solar_field.cost_per_m2'): 'csp.tr.cost.solar_field', ('csp.tr.cost.plm.per_acre', 'csp.tr.cost.total_land_area', 'csp.tr.cost.plm.percent', 'total_direct_cost', 'system_capacity', 'csp.tr.cost.plm.per_watt', 'csp.tr.cost.plm.fixed'): 'csp.tr.cost.plm.total', 'ui_net_capacity': 'csp.tr.cost.nameplate', 'ui_total_land_area': 'csp.tr.cost.total_land_area', 'sales_tax_rate': 'csp.tr.cost.sales_tax.value', ('csp.tr.cost.contingency_percent', 'csp.tr.cost.site_improvements', 'csp.tr.cost.solar_field', 'csp.tr.cost.htf_system', 'csp.tr.cost.storage', 'csp.tr.cost.fossil_backup', 'csp.tr.cost.power_plant', 'csp.tr.cost.bop'): 'csp.tr.cost.contingency', ('TurbOutG', 'csp.tr.cost.bop_per_kwe'): 'csp.tr.cost.bop', 'calc_max_energy': 'csp.tr.cost.storage.mwht', 'TurbOutG': 'csp.tr.cost.bop.mwe', ('TurbOutG', 'csp.tr.cost.fossil_backup.cost_per_kwe'): 'csp.tr.cost.fossil_backup', ('csp.tr.cost.epc.per_acre', 'csp.tr.cost.total_land_area', 'csp.tr.cost.epc.percent', 'total_direct_cost', 'system_capacity', 'csp.tr.cost.epc.per_watt', 'csp.tr.cost.epc.fixed'): 'csp.tr.cost.epc.total', ('TurbOutG', 'csp.tr.cost.power_plant.cost_per_kwe'): 'csp.tr.cost.power_plant', 'TurbOutG': 'csp.tr.cost.power_plant.mwe', ('Solar_Field_Area', 'csp.tr.cost.htf_system.cost_per_m2'): 'csp.tr.cost.htf_system', 'TurbOutG': 'csp.tr.cost.fossil_backup.mwe', ('Solar_Field_Area', 'csp.tr.cost.site_improvements.cost_per_m2'): 'csp.tr.cost.site_improvements', (): 'system_use_lifetime_output', 'Solar_Field_Area': 'csp.tr.cost.site_improvements.area', 'Solar_Field_Area': 'csp.tr.cost.solar_field.area', ('total_installed_cost', 'ui_net_capacity'): 'csp.tr.cost.installed_per_capacity', ('csp.tr.cost.contingency', 'csp.tr.cost.site_improvements', 'csp.tr.cost.solar_field', 'csp.tr.cost.htf_system', 'csp.tr.cost.storage', 'csp.tr.cost.fossil_backup', 'csp.tr.cost.power_plant', 'csp.tr.cost.bop'): 'total_direct_cost'}, 'Empirical Trough HCE': {('ui_hce_heat_losses_1', 'HCEFrac_1', 'ui_hce_heat_losses_2', 'HCEFrac_2', 'ui_hce_heat_losses_3', 'HCEFrac_3', 'ui_hce_heat_losses_4', 'HCEFrac_4'): 'ui_hce_thermloss_weighted_m', ('PerfFac_2', 'HCEA0_2', 'HCEA5_2', 'ui_hce_hl_term_1', 'HCEA1_2', 'HCEA6_2', 'ui_hce_hl_term_2', 'HCEA2_2', 'HCEA4_2', 'ui_reference_direct_normal_irradiance', 'ui_hce_hl_term_3', 'HCEA3_2', 'ui_hce_hl_term_4'): 'ui_hce_heat_losses_2', ('PerfFac_3', 'HCEA0_3', 'HCEA5_3', 'ui_hce_hl_term_1', 'HCEA1_3', 'HCEA6_3', 'ui_hce_hl_term_2', 'HCEA2_3', 'HCEA4_3', 'ui_reference_direct_normal_irradiance', 'ui_hce_hl_term_3', 'HCEA3_3', 'ui_hce_hl_term_4'): 'ui_hce_heat_losses_3', 'ui_reference_wind_speed': 'ui_hce_hl_term_1', ('ui_hce_opt_eff_1', 'HCEFrac_1', 'ui_hce_opt_eff_2', 'HCEFrac_2', 'ui_hce_opt_eff_3', 'HCEFrac_3', 'ui_hce_opt_eff_4', 'HCEFrac_4'): 'ui_hce_opt_eff_weighted', ('calc_hce_col_factor', 'ui_hce_broken_glass_1', 'ui_hce_HCEdust', 'HCEBelShad_1', 'HCEEnvTrans_1', 'HCEabs_1', 'HCEmisc_1'): 'ui_hce_opt_eff_1', ('calc_hce_col_factor', 'ui_hce_broken_glass_4', 'ui_hce_HCEdust', 'HCEBelShad_4', 'HCEEnvTrans_4', 'HCEabs_4', 'HCEmisc_4'): 'ui_hce_opt_eff_4', ('calc_hce_col_factor', 'ui_hce_broken_glass_3', 'ui_hce_HCEdust', 'HCEBelShad_3', 'HCEEnvTrans_3', 'HCEabs_3', 'HCEmisc_3'): 'ui_hce_opt_eff_3', ('calc_hce_col_factor', 'ui_hce_broken_glass_2', 'ui_hce_HCEdust', 'HCEBelShad_2', 'HCEEnvTrans_2', 'HCEabs_2', 'HCEmisc_2'): 'ui_hce_opt_eff_2', ('HCEA5_1', 'HCEA5_2', 'HCEA5_3', 'HCEA5_4'): 'HCE_A5', ('SfOutTempD', 'SfInTempD'): 'ui_hce_hl_term_4', ('HCEA4_1', 'HCEA4_2', 'HCEA4_3', 'HCEA4_4'): 'HCE_A4', ('SfOutTempD', 'SfInTempD', 'ui_reference_ambient_temperature'): 'ui_hce_hl_term_2', ('HCEA3_1', 'HCEA3_2', 'HCEA3_3', 'HCEA3_4'): 'HCE_A3', ('ui_hce_thermloss_weighted_m', 'SCA_aper'): 'ui_hce_thermloss_weighted_m2', ('HCEmisc_1', 'HCEmisc_2', 'HCEmisc_3', 'HCEmisc_4'): 'HCEmisc', ('HCEA2_1', 'HCEA2_2', 'HCEA2_3', 'HCEA2_4'): 'HCE_A2', ('SfOutTempD', 'SfInTempD'): 'ui_hce_hl_term_3', ('PerfFac_4', 'HCEA0_4', 'HCEA5_4', 'ui_hce_hl_term_1', 'HCEA1_4', 'HCEA6_4', 'ui_hce_hl_term_2', 'HCEA2_4', 'HCEA4_4', 'ui_reference_direct_normal_irradiance', 'ui_hce_hl_term_3', 'HCEA3_4', 'ui_hce_hl_term_4'): 'ui_hce_heat_losses_4', ('HCEA6_1', 'HCEA6_2', 'HCEA6_3', 'HCEA6_4'): 'HCE_A6', ('PerfFac_1', 'PerfFac_2', 'PerfFac_3', 'PerfFac_4'): 'PerfFac', ('HCEA1_1', 'HCEA1_2', 'HCEA1_3', 'HCEA1_4'): 'HCE_A1', 'calc_col_factor': 'calc_hce_col_factor', 'HCEdust': 'ui_hce_HCEdust', ('HCEFrac_1', 'HCEFrac_2', 'HCEFrac_3', 'HCEFrac_4'): 'HCEFrac', ('HCEA0_1', 'HCEA0_2', 'HCEA0_3', 'HCEA0_4'): 'HCE_A0', ('HCEabs_1', 'HCEabs_2', 'HCEabs_3', 'HCEabs_4'): 'HCEabs', ('HCEBelShad_1', 'HCEBelShad_2', 'HCEBelShad_3', 'HCEBelShad_4'): 'HCEBelShad', ('PerfFac_1', 'HCEA0_1', 'HCEA5_1', 'ui_hce_hl_term_1', 'HCEA1_1', 'HCEA6_1', 'ui_hce_hl_term_2', 'HCEA2_1', 'HCEA4_1', 'ui_reference_direct_normal_irradiance', 'ui_hce_hl_term_3', 'HCEA3_1', 'ui_hce_hl_term_4'): 'ui_hce_heat_losses_1', ('HCEEnvTrans_1', 'HCEEnvTrans_2', 'HCEEnvTrans_3', 'HCEEnvTrans_4'): 'HCEEnvTrans'}, 'Empirical Trough Power Block': {'ui_net_capacity': 'system_capacity', ('ui_q_design', 'E2TPLF0', 'E2TPLF1', 'MinGrOut', 'E2TPLF2', 'E2TPLF3', 'E2TPLF4'): 'ui_min_therm_input', ('TurbOutG', 'ui_gross_net_conversion_factor'): 'ui_net_capacity', ('TurbOutG', 'TurbEffG'): 'ui_q_design', ('ui_q_design', 'E2TPLF0', 'E2TPLF1', 'MaxGrOut', 'E2TPLF2', 'E2TPLF3', 'E2TPLF4'): 'ui_max_therm_input', 'MinGrOut': 'PTTMIN', 'MaxGrOut': 'PTTMAX'}, 'Physical Trough Collector Type 2': {('csp_dtr_sca_ave_focal_len_2', 'csp_dtr_sca_calc_theta_2', 'csp_dtr_sca_piping_dist_2'): 'csp_dtr_sca_calc_end_gain_2', 'lat': 'csp_dtr_sca_calc_latitude_2', ('csp_dtr_sca_ave_focal_len_2', 'csp_dtr_sca_calc_theta_2', 'nSCA', 'csp_dtr_sca_calc_end_gain_2', 'csp_dtr_sca_length_2', 'csp_dtr_sca_ncol_per_sca_2'): 'csp_dtr_sca_calc_end_loss_2', ('csp_dtr_sca_length_2', 'csp_dtr_sca_ncol_per_sca_2'): 'csp_dtr_sca_ap_length_2', 'csp_dtr_sca_calc_costh_2': 'csp_dtr_sca_calc_theta_2', 'lat': 'csp_dtr_sca_calc_zenith_2', ('IAMs_2', 'csp_dtr_sca_calc_theta_2', 'csp_dtr_sca_calc_costh_2'): 'csp_dtr_sca_calc_iam_2', ('csp_dtr_sca_calc_zenith_2', 'tilt', 'azimuth'): 'csp_dtr_sca_calc_costh_2', ('csp_dtr_sca_tracking_error_2', 'csp_dtr_sca_geometry_effects_2', 'csp_dtr_sca_clean_reflectivity_2', 'csp_dtr_sca_mirror_dirt_2', 'csp_dtr_sca_general_error_2'): 'csp_dtr_sca_calc_sca_eff_2'}, 'Empirical Trough Solar Field': {'ui_field_htf_type': 'HTFFluid', ('ui_field_layout_option', 'ui_solar_multiple', 'calc_aperture_area_at_sm_1', 'ui_solar_field_area'): 'Solar_Field_Area', ('ui_field_layout_option', 'ui_solar_multiple', 'ui_solar_field_area', 'calc_aperture_area_at_sm_1'): 'Solar_Field_Mult', ('ui_design_exact_num_scas_sm_1', 'ui_sca_aperture_area'): 'calc_aperture_area_at_sm_1', 'ui_hce_opt_eff_weighted': 'ui_hce_weighted_optical_efficiency', ('Solar_Field_Mult', 'ui_design_exact_area_sm_1', 'Row_Distance', 'SCA_aper'): 'ui_fixed_land_area', 'ui_field_htf_type': 'ui_field_htf_min_operating_temp', ('ui_design_exact_area_sm_1', 'ui_sca_aperture_area'): 'ui_design_exact_num_scas_sm_1', ('ui_fixed_land_area', 'ui_land_multiplier'): 'ui_total_land_area', 'ui_field_htf_type': 'ui_field_htf_max_operating_temp', ('SfInTempD', 'SfOutTempD', 'ui_reference_ambient_temperature'): 'calc_field_htf_average_temp', 'ui_sca_aperture_area': 'ui_aperture_area_per_SCA', ('SfPipeHl3', 'calc_field_htf_average_temp', 'SfPipeHl2', 'SfPipeHl1', 'SfPipeHl300'): 'ui_piping_heat_loss', ('ui_pb_q_design', 'ui_reference_direct_normal_irradiance', 'ui_hce_weighted_optical_efficiency', 'ui_hce_weighted_thermal_losses', 'ui_piping_heat_loss'): 'ui_design_exact_area_sm_1', 'ui_q_design': 'ui_pb_q_design', 'ui_hce_thermloss_weighted_m2': 'ui_hce_weighted_thermal_losses', (): 'i_SfTi'}, 'Financial LCOE Calculator': {('ui_fcr_input_option', 'ui_fixed_charge_rate', 'c_inflation', 'c_equity_return', 'c_debt_percent', 'c_nominal_interest_rate', 'c_tax_rate', 'c_lifetime', 'c_depreciation_schedule', 'c_construction_cost', 'c_construction_interest'): ('fixed_charge_rate', 'ui_wacc', 'ui_crf', 'ui_pfin', 'ui_cfin', 'ui_ireal'), 'ui_variable_operating_cost': 'variable_operating_cost', ('ui_cost_input_option', 'ui_capital_cost_fixed', 'system_capacity', 'ui_capital_cost_capacity'): 'capital_cost', ('ui_cost_input_option', 'ui_operating_cost_fixed', 'system_capacity', 'ui_operating_cost_capacity'): 'fixed_operating_cost', 'system_capacity': 'ui_system_capacity'}, 'Physical Trough Thermal Storage': {('vol_tank', 'h_tank', 'tank_pairs'): 'csp.dtr.tes.tank_diameter', ('is_hx', 'dt_hot', 'dt_cold', 'T_loop_out', 'T_loop_in_des'): 'csp.dtr.tes.hx_derate', ('vol_tank', 'h_tank_min', 'h_tank'): 'csp.dtr.tes.min_fluid_volume', ('P_ref', 'eta_ref', 'tshours'): 'csp.dtr.tes.thermal_capacity', ('h_tank_min', 'h_tank', 'vol_tank'): 'V_tank_hot_ini', ('T_loop_in_des', 'T_loop_out'): 'csp.dtr.tes.htf_calc_temp', 'combo_tes_htf_type': 'csp.dtr.tes.htf_max_opt_temp', ('h_tank', 'csp.dtr.tes.tank_diameter', 'tank_pairs', 'csp.dtr.tes.htf_calc_temp', 'u_tank'): 'csp.dtr.tes.estimated_heat_loss', 'combo_tes_htf_type': 'csp.dtr.tes.htf_min_opt_temp', ('combo_tes_htf_type', 'store_fluid', 'csp.dtr.tes.htf_calc_temp', 'store_fl_props'): 'csp.dtr.tes.fluid_dens', 'dt_hot': 'dt_cold', ('csp.dtr.tes.thermal_capacity', 'csp.dtr.tes.fluid_dens', 'csp.dtr.tes.fluid_sph', 'csp.dtr.tes.hx_derate', 'T_loop_out', 'dt_hot', 'T_loop_in_des', 'dt_cold'): 'vol_tank', ('combo_tes_htf_type', 'store_fluid', 'csp.dtr.tes.htf_calc_temp', 'store_fl_props'): 'csp.dtr.tes.fluid_sph', 'combo_tes_htf_type': 'store_fluid'}, 'Physical Trough Power Block Common': {'q_pb_design': 'PB_COPY_q_pb_design', 'csp.dtr.pwrb.design_inlet_temp': 'PB_COPY_T_htf_hot_des', 'csp.dtr.pwrb.nameplate': 'system_capacity', 'T_loop_in_des': 'csp.dtr.pwrb.design_outlet_temp', ('PB_COPY_q_pb_design', 'PB_COPY_htf_cp_avg', 'PB_COPY_T_htf_hot_des', 'PB_COPY_T_htf_cold_des'): 'PB_m_dot_htf_cycle_des', 'T_loop_out': 'csp.dtr.pwrb.design_inlet_temp', 'csp.dtr.pwrb.design_outlet_temp': 'PB_COPY_T_htf_cold_des', ('P_ref', 'csp.dtr.pwrb.gross_net_conversion_factor'): 'csp.dtr.pwrb.nameplate', 'field_htf_cp_avg': 'PB_COPY_htf_cp_avg', ('P_ref', 'eta_ref'): ('W_pb_design', 'q_pb_design', 'q_max_aux'), 'comb_fossil_mode': 'fossil_mode'}, 'Generic CSP Power Block': {'csp.gss.pwrb.nameplate': 'system_capacity', ('dni_par_f3', 'dni_par_f2', 'dni_par_f1', 'dni_par_f0'): 'Wpar_prodD_coefs', ('csp.gss.pwrb.temp_eff_f4', 'csp.gss.pwrb.temp_eff_f3', 'csp.gss.pwrb.temp_eff_f2', 'csp.gss.pwrb.temp_eff_f1', 'csp.gss.pwrb.temp_eff_f0'): 'etaT_coefs', ('csp.gss.pwrb.pl_eff_f4', 'csp.gss.pwrb.pl_eff_f3', 'csp.gss.pwrb.pl_eff_f2', 'csp.gss.pwrb.pl_eff_f1', 'csp.gss.pwrb.pl_eff_f0'): 'etaQ_coefs', 'csp.gss.pwrb.temp_corr_mode': 'PC_T_corr', ('csp.gss.pwrb.gross_net_conversion_factor', 'w_des'): 'csp.gss.pwrb.nameplate', ('csp.gss.pwrb.temp_par_f3', 'csp.gss.pwrb.temp_par_f2', 'csp.gss.pwrb.temp_par_f1', 'csp.gss.pwrb.temp_par_f0'): 'Wpar_prodT_coefs', ('csp.gss.pwrb.pl_par_f3', 'csp.gss.pwrb.pl_par_f2', 'csp.gss.pwrb.pl_par_f1', 'csp.gss.pwrb.pl_par_f0'): 'Wpar_prodQ_coefs', ('csp.gss.pwrb.pl_par_design', 'csp.gss.pwrb.temp_par_design', 'dni_par_design'): 'f_par_tot_des', ('w_des', 'f_Wpar_fixed', 'f_Wpar_prod', 'csp.gss.pwrb.pl_par_design', 'csp.gss.pwrb.temp_par_design', 'dni_par_design'): 'csp.gss.pwrb.design_parasitic_load', ('dni_par_f0', 'dni_par_f1', 'dni_par_f2', 'dni_par_f3'): 'dni_par_design', ('w_des', 'f_Wpar_prod', 'f_par_tot_des'): 'W_dot_part_load_des', ('w_des', 'f_Wpar_fixed'): 'W_dot_par_fixed', ('csp.gss.pwrb.pl_par_f0', 'csp.gss.pwrb.pl_par_f1', 'csp.gss.pwrb.pl_par_f2', 'csp.gss.pwrb.pl_par_f3'): 'csp.gss.pwrb.pl_par_design', ('csp.gss.pwrb.temp_par_f0', 'csp.gss.pwrb.temp_par_f1', 'csp.gss.pwrb.temp_par_f2', 'csp.gss.pwrb.temp_par_f3'): 'csp.gss.pwrb.temp_par_design'}, 'Physical Trough Receiver Type 3': {('csp_dtr_hce_var1_field_fraction_3', 'csp_dtr_hce_var1_bellows_shadowing_3', 'csp_dtr_hce_var1_hce_dirt_3', 'csp_dtr_hce_var1_abs_abs_3', 'csp_dtr_hce_var1_env_trans_3', 'csp_dtr_hce_var2_field_fraction_3', 'csp_dtr_hce_var2_bellows_shadowing_3', 'csp_dtr_hce_var2_hce_dirt_3', 'csp_dtr_hce_var2_abs_abs_3', 'csp_dtr_hce_var2_env_trans_3', 'csp_dtr_hce_var3_field_fraction_3', 'csp_dtr_hce_var3_bellows_shadowing_3', 'csp_dtr_hce_var3_hce_dirt_3', 'csp_dtr_hce_var3_abs_abs_3', 'csp_dtr_hce_var3_env_trans_3', 'csp_dtr_hce_var4_field_fraction_3', 'csp_dtr_hce_var4_bellows_shadowing_3', 'csp_dtr_hce_var4_hce_dirt_3', 'csp_dtr_hce_var4_abs_abs_3', 'csp_dtr_hce_var4_env_trans_3'): 'csp_dtr_hce_optical_eff_3', ('csp_dtr_hce_var1_field_fraction_3', 'csp_dtr_hce_var1_rated_heat_loss_3', 'csp_dtr_hce_var2_field_fraction_3', 'csp_dtr_hce_var2_rated_heat_loss_3', 'csp_dtr_hce_var3_field_fraction_3', 'csp_dtr_hce_var3_rated_heat_loss_3', 'csp_dtr_hce_var4_field_fraction_3', 'csp_dtr_hce_var4_rated_heat_loss_3'): 'csp_dtr_hce_design_heat_loss_3'}, 'Empirical Trough Parasitics': {('HtrParPF', 'ui_par_hb_const', 'ui_par_turb_out_gr'): 'HtrPar', ('BOPParPF', 'ui_par_bop_const', 'ui_par_turb_out_gr'): 'BOPPar', ('ui_par_fixedblock_const', 'ui_par_turb_out_gr'): 'PbFixPar', ('ChtfParPF', 'ui_par_htfpump_const', 'ui_par_sf_area'): 'ChtfPar', ('CtParPF', 'ui_par_ct0_const', 'ui_par_turb_out_gr'): 'CtPar', 'Solar_Field_Area': 'ui_par_sf_area', ('HhtfParPF', 'ui_par_tes_const', 'ui_par_turb_out_gr'): 'HhtfPar', ('SfParPF', 'ui_par_sf_const', 'ui_par_sf_area'): 'SfPar', ('SfPar', 'ChtfPar', 'HhtfPar', 'AntiFrPar', 'PbFixPar', 'BOPPar', 'HtrPar', 'CtPar'): 'ui_par_dp_total', ('ui_par_antifreeze_const', 'ChtfPar'): 'AntiFrPar', 'TurbOutG': 'ui_par_turb_out_gr'}, 'Phys Trough Direct Storage': {'T_loop_in_des': 'TES_COPY_T_htf_cold_des', 'T_loop_out': 'TES_COPY_T_htf_hot_des', 'tshours': 'TES_COPY_tshours', 'q_pb_design': 'TES_COPY_q_pb_design', ('q_pb_design', 'tshours', 'T_loop_out', 'T_loop_in_des', 'Fluid', 'field_fl_props', 'h_tank_min', 'h_tank', 'tank_pairs', 'u_tank'): ('Q_tes', 'tes_avail_vol', 'vol_tank', 'csp.pt.tes.tank_diameter', 'q_dot_tes_est', 'csp.pt.tes.htf_density')}, 'Physical Trough Receiver Type 2': {('csp_dtr_hce_var1_field_fraction_2', 'csp_dtr_hce_var1_rated_heat_loss_2', 'csp_dtr_hce_var2_field_fraction_2', 'csp_dtr_hce_var2_rated_heat_loss_2', 'csp_dtr_hce_var3_field_fraction_2', 'csp_dtr_hce_var3_rated_heat_loss_2', 'csp_dtr_hce_var4_field_fraction_2', 'csp_dtr_hce_var4_rated_heat_loss_2'): 'csp_dtr_hce_design_heat_loss_2', ('csp_dtr_hce_var1_field_fraction_2', 'csp_dtr_hce_var1_bellows_shadowing_2', 'csp_dtr_hce_var1_hce_dirt_2', 'csp_dtr_hce_var1_abs_abs_2', 'csp_dtr_hce_var1_env_trans_2', 'csp_dtr_hce_var2_field_fraction_2', 'csp_dtr_hce_var2_bellows_shadowing_2', 'csp_dtr_hce_var2_hce_dirt_2', 'csp_dtr_hce_var2_abs_abs_2', 'csp_dtr_hce_var2_env_trans_2', 'csp_dtr_hce_var3_field_fraction_2', 'csp_dtr_hce_var3_bellows_shadowing_2', 'csp_dtr_hce_var3_hce_dirt_2', 'csp_dtr_hce_var3_abs_abs_2', 'csp_dtr_hce_var3_env_trans_2', 'csp_dtr_hce_var4_field_fraction_2', 'csp_dtr_hce_var4_bellows_shadowing_2', 'csp_dtr_hce_var4_hce_dirt_2', 'csp_dtr_hce_var4_abs_abs_2', 'csp_dtr_hce_var4_env_trans_2'): 'csp_dtr_hce_optical_eff_2'}, 'Financial Construction Financing': {('const_per_total1', 'const_per_total2', 'const_per_total3', 'const_per_total4', 'const_per_total5'): 'construction_financing_cost', ('const_per_interest1', 'const_per_interest2', 'const_per_interest3', 'const_per_interest4', 'const_per_interest5'): 'const_per_interest_total', ('const_per_percent1', 'const_per_percent2', 'const_per_percent3', 'const_per_percent4', 'const_per_percent5'): 'const_per_percent_total', ('const_per_principal1', 'const_per_principal2', 'const_per_principal3', 'const_per_principal4', 'const_per_principal5'): 'const_per_principal_total', ('total_installed_cost', 'const_per_interest_rate1', 'const_per_months1', 'const_per_percent1', 'const_per_upfront_rate1', 'const_per_interest_rate2', 'const_per_months2', 'const_per_percent2', 'const_per_upfront_rate2', 'const_per_interest_rate3', 'const_per_months3', 'const_per_percent3', 'const_per_upfront_rate3', 'const_per_interest_rate4', 'const_per_months4', 'const_per_percent4', 'const_per_upfront_rate4', 'const_per_interest_rate5', 'const_per_months5', 'const_per_percent5', 'const_per_upfront_rate5'): ('const_per_principal1', 'const_per_interest1', 'const_per_total1', 'const_per_principal2', 'const_per_interest2', 'const_per_total2', 'const_per_principal3', 'const_per_interest3', 'const_per_total3', 'const_per_principal4', 'const_per_interest4', 'const_per_total4', 'const_per_principal5', 'const_per_interest5', 'const_per_total5')}, 'Wind OBOS': {('wind_farm_num_turbines', 'wind_turbine_kw_rating', 'wind_turbine_rotor_diameter', 'wind_turbine_hub_ht', 'windfarm.farm.turbine_spacing', 'windfarm.farm.row_spacing', 'turbine_cost_total', 'system_capacity', 'waterD', 'distShore', 'distPort', 'distPtoA', 'distAtoS', 'substructure', 'anchor', 'turbInstallMethod', 'towerInstallMethod', 'installStrategy', 'cableOptimizer', 'moorLines', 'buryDepth', 'substructCont', 'turbCont', 'elecCont', 'interConVolt', 'distInterCon', 'scrapVal', 'number_install_seasons', 'detailed_obos_general', 'detailed_obos_substructure', 'detailed_obos_electrical', 'detailed_obos_assembly', 'detailed_obos_port', 'detailed_obos_development'): ('obos_warning', 'total_obos_cost'), ('total_obos_cost', 'system_capacity'): 'total_obos_cost_per_kw'}, 'Dish Parasitics': {'csp.ds.coolfluid': 'cooling_fluid'}, 'Physical Trough Receiver Type 1': {('csp_dtr_hce_var1_field_fraction_1', 'csp_dtr_hce_var1_bellows_shadowing_1', 'csp_dtr_hce_var1_hce_dirt_1', 'csp_dtr_hce_var1_abs_abs_1', 'csp_dtr_hce_var1_env_trans_1', 'csp_dtr_hce_var2_field_fraction_1', 'csp_dtr_hce_var2_bellows_shadowing_1', 'csp_dtr_hce_var2_hce_dirt_1', 'csp_dtr_hce_var2_abs_abs_1', 'csp_dtr_hce_var2_env_trans_1', 'csp_dtr_hce_var3_field_fraction_1', 'csp_dtr_hce_var3_bellows_shadowing_1', 'csp_dtr_hce_var3_hce_dirt_1', 'csp_dtr_hce_var3_abs_abs_1', 'csp_dtr_hce_var3_env_trans_1', 'csp_dtr_hce_var4_field_fraction_1', 'csp_dtr_hce_var4_bellows_shadowing_1', 'csp_dtr_hce_var4_hce_dirt_1', 'csp_dtr_hce_var4_abs_abs_1', 'csp_dtr_hce_var4_env_trans_1'): 'csp_dtr_hce_optical_eff_1', ('csp_dtr_hce_var1_field_fraction_1', 'csp_dtr_hce_var1_rated_heat_loss_1', 'csp_dtr_hce_var2_field_fraction_1', 'csp_dtr_hce_var2_rated_heat_loss_1', 'csp_dtr_hce_var3_field_fraction_1', 'csp_dtr_hce_var3_rated_heat_loss_1', 'csp_dtr_hce_var4_field_fraction_1', 'csp_dtr_hce_var4_rated_heat_loss_1'): 'csp_dtr_hce_design_heat_loss_1'}, 'Physical Trough Collector Type 3': {('csp_dtr_sca_length_3', 'csp_dtr_sca_ncol_per_sca_3'): 'csp_dtr_sca_ap_length_3', ('IAMs_3', 'csp_dtr_sca_calc_theta_3', 'csp_dtr_sca_calc_costh_3'): 'csp_dtr_sca_calc_iam_3', ('csp_dtr_sca_calc_zenith_3', 'tilt', 'azimuth'): 'csp_dtr_sca_calc_costh_3', 'lat': 'csp_dtr_sca_calc_latitude_3', ('csp_dtr_sca_ave_focal_len_3', 'csp_dtr_sca_calc_theta_3', 'nSCA', 'csp_dtr_sca_calc_end_gain_3', 'csp_dtr_sca_length_3', 'csp_dtr_sca_ncol_per_sca_3'): 'csp_dtr_sca_calc_end_loss_3', ('csp_dtr_sca_ave_focal_len_3', 'csp_dtr_sca_calc_theta_3', 'csp_dtr_sca_piping_dist_3'): 'csp_dtr_sca_calc_end_gain_3', ('csp_dtr_sca_tracking_error_3', 'csp_dtr_sca_geometry_effects_3', 'csp_dtr_sca_clean_reflectivity_3', 'csp_dtr_sca_mirror_dirt_3', 'csp_dtr_sca_general_error_3'): 'csp_dtr_sca_calc_sca_eff_3', 'csp_dtr_sca_calc_costh_3': 'csp_dtr_sca_calc_theta_3', 'lat': 'csp_dtr_sca_calc_zenith_3'}, 'User Defined Power Cycle': {'PB_COPY_T_htf_hot_des': 'ud_COPY_T_HTF_des', (): 'ud_m_dot_design', 'ud_T_amb_des': 'ud_COPY_T_amb_des', ('P_ref', 'ud_f_W_dot_cool_des'): 'ud_W_dot_cool_calc'}, 'Physical Trough Collector Type 1': {('IAMs_1', 'csp_dtr_sca_calc_theta_1', 'csp_dtr_sca_calc_costh_1'): 'csp_dtr_sca_calc_iam_1', 'csp_dtr_sca_calc_costh_1': 'csp_dtr_sca_calc_theta_1', 'lat': 'csp_dtr_sca_calc_zenith_1', 'lat': 'csp_dtr_sca_calc_latitude_1', ('csp_dtr_sca_tracking_error_1', 'csp_dtr_sca_geometry_effects_1', 'csp_dtr_sca_clean_reflectivity_1', 'csp_dtr_sca_mirror_dirt_1', 'csp_dtr_sca_general_error_1'): 'csp_dtr_sca_calc_sca_eff_1', ('csp_dtr_sca_ave_focal_len_1', 'csp_dtr_sca_calc_theta_1', 'nSCA', 'csp_dtr_sca_calc_end_gain_1', 'csp_dtr_sca_length_1', 'csp_dtr_sca_ncol_per_sca_1'): 'csp_dtr_sca_calc_end_loss_1', ('csp_dtr_sca_calc_zenith_1', 'tilt', 'azimuth'): 'csp_dtr_sca_calc_costh_1', ('csp_dtr_sca_ave_focal_len_1', 'csp_dtr_sca_calc_theta_1', 'csp_dtr_sca_piping_dist_1'): 'csp_dtr_sca_calc_end_gain_1', ('csp_dtr_sca_length_1', 'csp_dtr_sca_ncol_per_sca_1'): 'csp_dtr_sca_ap_length_1'}, 'CEC Performance Model with Module Database': {('cec_gamma_r', 'cec_p_mp_ref'): 'gamma_r_calc', ('cec_beta_oc', 'cec_v_oc_ref'): 'beta_oc_calc', ('cec_v_mp_ref', 'cec_i_mp_ref', 'cec_area'): 'cec_eff', ('cec_alpha_sc', 'cec_i_sc_ref'): 'alpha_sc_calc', ('cec_area', 'cec_module_width'): 'cec_module_length', ('cec_i_mp_ref', 'cec_v_mp_ref'): 'cec_p_mp_ref'}, 'Physical Trough Solar Field': {'trough_loop_control': 'SCAInfoArray', ('fixed_land_area', 'non_solar_field_land_area_multiplier'): 'total_land_area', ('P_ref', 'eta_ref', 'I_bn_des', 'total_loop_conversion_efficiency'): 'total_required_aperture_for_SM1', ('total_aperture', 'Row_Distance', 'max_collector_width'): 'fixed_land_area', ('solar_mult', 'P_ref', 'eta_ref'): 'field_thermal_output', ('trough_loop_control', 'csp_dtr_sca_calc_sca_eff_1', 'csp_dtr_sca_calc_sca_eff_2', 'csp_dtr_sca_calc_sca_eff_3', 'csp_dtr_sca_calc_sca_eff_4', 'csp_dtr_sca_length_1', 'csp_dtr_sca_length_2', 'csp_dtr_sca_length_3', 'csp_dtr_sca_length_4', 'csp_dtr_hce_optical_eff_1', 'csp_dtr_hce_optical_eff_2', 'csp_dtr_hce_optical_eff_3', 'csp_dtr_hce_optical_eff_4'): 'loop_optical_efficiency', ('total_required_aperture_for_SM1', 'single_loop_aperature'): 'required_number_of_loops_for_SM1', 'trough_loop_control': 'SCADefocusArray', ('single_loop_aperature', 'nLoops'): 'total_aperture', ('radio_sm_or_area', 'specified_solar_multiple', 'total_aperture', 'total_required_aperture_for_SM1'): 'solar_mult', 'combo_feather': 'fthrctrl', 'combo_htf_type': 'Fluid', ('m_dot_htfmin', 'fluid_dens_inlet_temp', 'min_inner_diameter'): 'min_field_flow_velocity', 'combo_FieldConfig': 'FieldConfig', ('radio_sm_or_area', 'specified_solar_multiple', 'total_required_aperture_for_SM1', 'specified_total_aperture', 'single_loop_aperature'): 'nLoops', ('trough_loop_control', 'csp_dtr_hce_diam_absorber_inner_1', 'csp_dtr_hce_diam_absorber_inner_2', 'csp_dtr_hce_diam_absorber_inner_3', 'csp_dtr_hce_diam_absorber_inner_4'): 'min_inner_diameter', ('trough_loop_control', 'I_bn_des', 'csp_dtr_hce_design_heat_loss_1', 'csp_dtr_hce_design_heat_loss_2', 'csp_dtr_hce_design_heat_loss_3', 'csp_dtr_hce_design_heat_loss_4', 'csp_dtr_sca_length_1', 'csp_dtr_sca_length_2', 'csp_dtr_sca_length_3', 'csp_dtr_sca_length_4', 'csp_dtr_sca_aperture_1', 'csp_dtr_sca_aperture_2', 'csp_dtr_sca_aperture_3', 'csp_dtr_sca_aperture_4'): 'cspdtr_loop_hce_heat_loss', ('m_dot_htfmax', 'fluid_dens_outlet_temp', 'min_inner_diameter'): 'max_field_flow_velocity', ('trough_loop_control', 'csp_dtr_sca_aperture_1', 'csp_dtr_sca_aperture_2', 'csp_dtr_sca_aperture_3', 'csp_dtr_sca_aperture_4'): 'single_loop_aperature', ('combo_htf_type', 'Fluid', 'T_loop_in_des', 'T_loop_out', 'field_fl_props'): 'field_htf_cp_avg', ('loop_optical_efficiency', 'cspdtr_loop_hce_heat_loss'): 'total_loop_conversion_efficiency', (): 'defocus'}, 'Molten Salt Tower Power Block Common': {('PB_COPY_q_pb_design', 'PB_COPY_htf_cp_avg', 'PB_COPY_T_htf_hot_des', 'PB_COPY_T_htf_cold_des'): 'PB_m_dot_htf_cycle_des', 'csp.pt.rec.htf_c_avg': 'PB_COPY_htf_cp_avg', 'T_htf_cold_des': 'PB_COPY_T_htf_cold_des', 'q_pb_design': 'PB_COPY_q_pb_design', 'T_htf_hot_des': 'PB_COPY_T_htf_hot_des', 'design_eff': 'PB_COPY_design_eff', 'nameplate': 'PB_COPY_nameplate', 'gross_net_conversion_factor': 'PB_COPY_gross_net_conversion_factor', 'P_ref': 'PB_COPY_P_ref', 'nameplate': 'system_capacity'}, 'Wind Farm Costs': {('turbine_cost_total', 'bos_cost_total', 'sales_tax_basis', 'sales_tax_rate'): 'sales_tax_total', 'sales_tax_rate': 'reference_sales_tax_percent', (): 'system_use_lifetime_output', (): 'system_use_recapitalization', ('total_installed_cost', 'reference_capacity'): 'total_installed_cost_per_kw', 'system_capacity': 'reference_capacity', ('turbine_cost_total', 'bos_cost_total', 'sales_tax_total'): 'total_installed_cost', ('bos_cost_per_kw', 'reference_capacity', 'bos_cost_per_turbine', 'reference_number_turbines', 'bos_cost_fixed'): 'bos_cost_total', ('turbine_cost_per_kw', 'reference_capacity', 'turbine_cost_per_turbine', 'reference_number_turbines', 'turbine_cost_fixed'): 'turbine_cost_total', 'wind_resource_filename': 'reference_resource_file', 'wind_farm_num_turbines': 'reference_number_turbines'}, 'Tower SolarPilot Solar Field': {(): 'opt_algorithm', ('is_optimize', 'override_layout'): 'field_model_type', 'Q_rec_des': 'q_design', ('helio_height', 'helio_width', 'dens_mirror'): 'csp.pt.sf.heliostat_area', ('helio_width', 'helio_height', 'dens_mirror', 'n_hel'): 'A_sf_UI', 'helio_optical_error_mrad': 'error_equiv', 'h_tower': 'csp.pt.sf.tower_height', 'A_sf_UI': 'helio_area_tot', (): 'opt_flux_penalty', ('csp.pt.sf.fixed_land_area', 'land_area_base', 'csp.pt.sf.land_overhead_factor'): 'csp.pt.sf.total_land_area', 'helio_positions': 'n_hel', ('land_max', 'h_tower'): 'land_max_calc', 'override_opt': 'is_optimize', ('n_hel', 'csp.pt.sf.heliostat_area'): 'csp.pt.sf.total_reflective_area', 'dni_des': 'dni_des_calc', ('helio_positions', 'c_atm_0', 'c_atm_1', 'c_atm_2', 'c_atm_3', 'h_tower'): 'c_atm_info', ('land_min', 'h_tower'): 'land_min_calc'}, 'Wind Farm Specifications': {'wind_farm_sizing_mode': 'specify_label', ('wind_farm_sizing_mode', 'desired_farm_size', 'system_capacity'): 'sizing_warning', ('wind_farm_num_turbines', 'wind_turbine_kw_rating'): 'system_capacity', ('wind_farm_sizing_mode', 'windfarm.layout.file_or_controls', 'wind_farm_xCoord_file', 'wind_farm_yCoord_file', 'desired_farm_size', 'wind_turbine_kw_rating', 'wind_turbine_rotor_diameter', 'windfarm.farm.shape', 'windfarm.farm.turbines_per_row', 'windfarm.farm.number_of_rows', 'windfarm.farm.offset', 'windfarm.farm.offset_type', 'windfarm.farm.layout_angle', 'windfarm.farm.turbine_spacing', 'windfarm.farm.row_spacing'): ('wind_farm_num_turbines', 'wind_farm_xCoordinates', 'wind_farm_yCoordinates', 'rows', 'cols')}, 'Wind Resource File': {('use_specific_wf_wind', 'user_specified_wf_wind', 'wind_resource.file'): 'wind_resource_filename', 'wind_turbine_hub_ht': 'wind_resource.requested_ht'}, 'MSPT Dispatch Control': {('ui_disp_1_turbout', 'ui_disp_2_turbout', 'ui_disp_3_turbout', 'ui_disp_4_turbout', 'ui_disp_5_turbout', 'ui_disp_6_turbout', 'ui_disp_7_turbout', 'ui_disp_8_turbout', 'ui_disp_9_turbout', 'hybrid_tou1', 'hybrid_tou2', 'hybrid_tou3', 'hybrid_tou4', 'hybrid_tou5', 'hybrid_tou6', 'hybrid_tou7', 'hybrid_tou8', 'hybrid_tou9'): ('f_turb_tou_periods', 'F_wc')}, 'Generic CSP Thermal Storage': {('csp.gss.tes.temp_loss_f3', 'csp.gss.tes.temp_loss_f2', 'csp.gss.tes.temp_loss_f1', 'csp.gss.tes.temp_loss_f0'): 'teshlT_coefs', ('csp.gss.tes.charge_loss_f3', 'csp.gss.tes.charge_loss_f2', 'csp.gss.tes.charge_loss_f1', 'csp.gss.tes.charge_loss_f0'): 'teshlX_coefs', 'lon': 'longitude', 'lat': 'latitude', (): 'itoth', ('w_des', 'eta_des', 'hrs_tes'): 'csp.gss.tes.max_capacity', (): 'ntod', (): 'twb', (): 'vwind', (): 'ibn', (): 'tdb', (): 'ibh', (): 'azimuth', (): 'tilt', (): 'timezone', 'exergy_table_ui': 'exergy_table'}, 'Financial Analysis Parameters': {('real_discount_rate', 'inflation_rate'): 'nominal_discount_rate'}, 'Molten Salt Tower Storage': {'tshours': 'TES_COPY_tshours', 'q_pb_design': 'TES_COPY_q_pb_design', 'T_htf_cold_des': 'TES_COPY_T_htf_cold_des', ('P_ref', 'design_eff', 'tshours', 'T_htf_hot_des', 'T_htf_cold_des', 'rec_htf', 'field_fl_props', 'h_tank_min', 'h_tank', 'tank_pairs', 'u_tank'): ('Q_tes', 'tes_avail_vol', 'vol_tank', 'csp.pt.tes.tank_diameter', 'q_dot_tes_est', 'csp.pt.tes.htf_density'), 'csp.pt.tes.tc_fill_type': 'tc_fill', 'T_htf_hot_des': 'TES_COPY_T_htf_hot_des', 'csp.pt.tes.storage_type': 'tes_type', 'csp.pt.tes.tc_fill_type': 'csp.pt.tes.tc_fill_sph', 'tc_fill': 'csp.pt.tes.tc_fill_dens'}, 'Supercritical Carbon Dioxide Power Cycle': {'dd_sco2_cycle_config': 'sco2_cycle_config', 'T_htf_hot_des': 'SCO2_COPY_T_htf_hot_des', 'design_eff': 'SCO2_COPY_design_eff', 'P_ref': 'SCO2_COPY_P_ref'}, 'Wind BOS': {'sales_tax_rate': 'sales_and_use_tax', 'wind_farm_num_turbines': 'access_road_entrances', 'wind_farm_num_turbines': 'weather_delay_days_sugg', ('weather_delay_days_choice', 'weather_delay_days_input', 'wind_farm_num_turbines'): 'weather_delay_days', 'farm_size_MW': 'quantity_permanent_met_towers_sugg', ('quantity_permanent_met_towers_choice', 'quantity_permanent_met_towers_input', 'farm_size_MW'): 'quantity_permanent_met_towers', 'farm_size_MW': 'quantity_test_met_towers_sugg', ('quantity_test_met_towers_choice', 'quantity_test_met_towers_input', 'farm_size_MW'): 'quantity_test_met_towers', 'wind_turbine_hub_ht': 'hub_height', 'wind_farm_num_turbines': 'construction_time_sugg', ('om_building_size_choice', 'om_building_size_input', 'farm_size_MW'): 'om_building_size', ('crane_breakdowns_choice', 'crane_breakdowns_input', 'wind_farm_num_turbines'): 'crane_breakdowns', 'farm_size_MW': 'om_building_size_sugg', ('construction_time_choice', 'construction_time_input', 'wind_farm_num_turbines'): 'construction_time', ('wind_turbine_kw_rating', 'wind_turbine_rotor_diameter', 'wind_turbine_hub_ht', 'wind_farm_num_turbines', 'interconnect_voltage', 'distance_to_interconnect', 'site_terrain', 'turbine_layout', 'soil_condition', 'construction_time', 'om_building_size', 'quantity_test_met_towers', 'quantity_permanent_met_towers', 'weather_delay_days', 'crane_breakdowns', 'access_road_entrances', 'turbine_capital_cost', 'tower_top_mass', 'delivery_assist_required', 'pad_mount_transformer_required', 'new_switchyard_required', 'rock_trenching_required', 'mv_thermal_backfill', 'mv_overhead_collector', 'performance_bond', 'contingency', 'warranty_management', 'sales_and_use_tax', 'overhead', 'profit_margin', 'development_fee', 'turbine_transportation'): ('bos_total_budgeted_cost', 'transportation_cost', 'insurance_cost', 'engineering_cost', 'power_performance_cost', 'site_compound_security_cost', 'building_cost', 'transmission_cost', 'markup_cost', 'development_cost', 'access_roads_cost', 'foundation_cost', 'erection_cost', 'electrical_materials_cost', 'electrical_installation_cost', 'substation_cost', 'project_mgmt_cost'), 'wind_turbine_kw_rating': 'machine_rating', 'wind_farm_num_turbines': 'number_of_turbines', 'wind_turbine_rotor_diameter': 'rotor_diameter', ('bos_total_budgeted_cost', 'farm_size_MW'): 'bos_total_cost_per_kw', 'wind_farm_num_turbines': 'crane_breakdowns_sugg', ('wind_farm_num_turbines', 'wind_turbine_kw_rating'): 'farm_size_MW'}, 'PV System Design': {('en_batt', 'batt_power_discharge_max'): 'batt_max_power', ('subarray1_modules_per_string', 'subarray1_nstrings'): 'subarray1_nmodules', ('en_batt', 'batt_ac_or_dc', 'system_capacity', 'batt_max_power', 'total_inverter_capacity', 'module_model', 'spe_vmp', 'cec_v_mp_ref', '6par_vmp', 'snl_ref_vmp', 'sd11par_Vmp0', 'spe_voc', 'cec_v_oc_ref', '6par_voc', 'snl_ref_voc', 'sd11par_Voc0', 'mppt_low_inverter', 'mppt_hi_inverter', 'subarray1_string_voc', 'subarray2_enable', 'subarray2_string_voc', 'subarray3_enable', 'subarray3_string_voc', 'subarray4_enable', 'subarray4_string_voc', 'subarray1_string_vmp', 'subarray2_string_vmp', 'subarray3_string_vmp', 'subarray4_string_vmp', 'vdcmax_inverter'): 'layout_warning', ('module_model', 'spe_area', 'cec_area', '6par_area', 'snl_area', 'sd11par_area', 'subarray1_modules_per_string', 'subarray1_nstrings', 'subarray1_gcr', 'subarray2_enable', 'subarray2_modules_per_string', 'subarray2_nstrings', 'subarray2_gcr', 'subarray3_enable', 'subarray3_modules_per_string', 'subarray3_nstrings', 'subarray3_gcr', 'subarray4_enable', 'subarray4_modules_per_string', 'subarray4_nstrings', 'subarray4_gcr'): 'total_land_area', 'total_area': 'array_area', ('subarray1_nstrings', 'subarray2_enable', 'subarray2_nstrings', 'subarray3_enable', 'subarray3_nstrings', 'subarray4_enable', 'subarray4_nstrings'): 'num_strings_total', ('subarray2_enable', 'subarray2_modules_per_string', 'subarray2_nstrings'): 'subarray2_nmodules', ('module_model', 'spe_voc', 'cec_v_oc_ref', '6par_voc', 'snl_voco', 'sd11par_Voc0', 'subarray3_modules_per_string'): 'subarray3_string_voc', ('inverter_model', 'inv_snl_mppt_hi', 'inv_ds_mppt_hi', 'inv_pd_mppt_hi', 'inv_cec_cg_mppt_hi'): 'mppt_hi_inverter', ('subarray4_enable', 'subarray4_modules_per_string', 'subarray4_nstrings'): 'subarray4_nmodules', ('inverter_model', 'inv_snl_vdcmax', 'inv_ds_vdcmax', 'inv_pd_vdcmax', 'inv_cec_cg_vdcmax'): 'vdcmax_inverter', ('module_model', 'spe_vmp', 'cec_v_mp_ref', '6par_vmp', 'snl_ref_vmp', 'sd11par_Vmp0', 'subarray1_modules_per_string'): 'subarray1_string_vmp', ('inverter_model', 'inv_snl_mppt_low', 'inv_ds_mppt_low', 'inv_pd_mppt_low', 'inv_cec_cg_mppt_low'): 'mppt_low_inverter', ('module_model', 'spe_power', 'cec_p_mp_ref', '6par_pmp', 'snl_ref_pmp', 'sd11par_Pmp0', 'total_modules'): 'system_capacity', ('inverter_model', 'inv_snl_pdco', 'inv_ds_pdco', 'inv_pd_pdco', 'inv_cec_cg_pdco', 'inverter_count'): 'total_dc_inverter_capacity', ('module_model', 'spe_area', 'cec_area', '6par_area', 'snl_area', 'sd11par_area', 'total_modules'): 'total_area', ('module_model', 'spe_vmp', 'cec_v_mp_ref', '6par_vmp', 'snl_ref_vmp', 'sd11par_Vmp0', 'subarray4_modules_per_string'): 'subarray4_string_vmp', ('module_model', 'spe_voc', 'cec_v_oc_ref', '6par_voc', 'snl_voco', 'sd11par_Voc0', 'subarray1_modules_per_string'): 'subarray1_string_voc', ('module_model', 'spe_vmp', 'cec_v_mp_ref', '6par_vmp', 'snl_ref_vmp', 'sd11par_Vmp0', 'subarray2_modules_per_string'): 'subarray2_string_vmp', ('subarray2_enable', 'subarray3_enable', 'subarray4_enable'): 'num_enabled', ('inverter_model', 'inv_snl_paco', 'inv_ds_paco', 'inv_pd_paco', 'inv_cec_cg_paco', 'inverter_count'): 'total_inverter_capacity', ('module_model', 'spe_voc', 'cec_v_oc_ref', '6par_voc', 'snl_voco', 'sd11par_Voc0', 'subarray4_modules_per_string'): 'subarray4_string_voc', ('enable_auto_size', 'module_model', 'spe_vmp', 'cec_v_mp_ref', '6par_vmp', 'snl_ref_vmp', 'sd11par_Vmp0', 'spe_voc', 'cec_v_oc_ref', '6par_voc', 'snl_ref_voc', 'sd11par_Voc0', 'spe_power', 'cec_p_mp_ref', '6par_pmp', 'snl_ref_pmp', 'sd11par_Pmp0', 'inverter_model', 'inv_snl_mppt_low', 'inv_ds_mppt_low', 'inv_pd_mppt_low', 'inv_cec_cg_mppt_low', 'inv_snl_vdcmax', 'inv_ds_vdcmax', 'inv_pd_vdcmax', 'inv_cec_cg_vdcmax', 'inv_snl_mppt_hi', 'inv_ds_mppt_hi', 'inv_pd_mppt_hi', 'inv_cec_cg_mppt_hi', 'inv_snl_paco', 'inv_ds_paco', 'inv_pd_paco', 'inv_cec_cg_paco', 'en_batt', 'batt_ac_or_dc', 'batt_max_power', 'desired_size', 'desired_dcac_ratio'): ('subarray2_enable', 'subarray3_enable', 'subarray4_enable', 'subarray1_modules_per_string', 'subarray1_nstrings', 'inverter_count'), ('system_capacity', 'total_inverter_capacity'): 'calculated_dcac_ratio', ('module_model', 'spe_voc', 'cec_v_oc_ref', '6par_voc', 'snl_voco', 'sd11par_Voc0', 'subarray2_modules_per_string'): 'subarray2_string_voc', 'total_area': 'total_module_area', ('subarray1_modules_per_string', 'subarray1_nstrings', 'subarray2_modules_per_string', 'subarray2_nstrings', 'subarray2_enable', 'subarray3_modules_per_string', 'subarray3_nstrings', 'subarray3_enable', 'subarray4_modules_per_string', 'subarray4_nstrings', 'subarray4_enable'): 'total_modules', ('inverter_model', 'inv_snl_num_mppt', 'inv_ds_num_mppt', 'inv_pd_num_mppt', 'inv_cec_cg_num_mppt'): 'inv_num_mppt', ('subarray3_enable', 'subarray3_modules_per_string', 'subarray3_nstrings'): 'subarray3_nmodules', ('module_model', 'spe_vmp', 'cec_v_mp_ref', '6par_vmp', 'snl_ref_vmp', 'sd11par_Vmp0', 'subarray3_modules_per_string'): 'subarray3_string_vmp'}, 'Biopower Plant Specifications': {'biopwr.plant.nameplate': 'system_capacity', ('biopwr.plant.disp9.power', 'biopwr.plant.disp8.power', 'biopwr.plant.disp7.power', 'biopwr.plant.disp6.power', 'biopwr.plant.disp5.power', 'biopwr.plant.disp4.power', 'biopwr.plant.disp3.power', 'biopwr.plant.disp2.power', 'biopwr.plant.disp1.power'): 'biopwr.plant.disp.power', 'biopwr.plant.boiler.flue_temp': 'biopwr.plant.boiler.moisture_enth_out', ('biopwr.plant.boiler.steam_produced', 'biopwr.plant.boiler.num', 'biopwr.plant.boiler.over_design'): 'biopwr.plant.boiler.cap_per_boiler', 'biopwr.plant.drying_spec_wet': 'biopwr.plant.drying_spec', (): 'biopwr.plant.boiler.ref_temp', ('biopwr.plant.boiler.air_feed', 'biopwr.feedstock.total'): 'biopwr.plant.par_air_blower', 'biopwr.plant.boiler.steam_grade': 'biopwr.plant.boiler.steam_pressure', ('biopwr.plant.par_percent', 'biopwr.plant.nameplate'): 'biopwr.plant.par', ('biopwr.feedstock.total', 'biopwr.feedstock.total_hhv', 'biopwr.plant.boiler.efficiency', 'biopwr.plant.boiler.steam_enthalpy'): 'biopwr.plant.boiler.steam_produced', (): 'biopwr.plant.eff.rad_loss', ('biopwr.plant.tou_option', 'biopwr.plant.ramp_opt', 'biopwr.plant.ramp_opt1', 'biopwr.plant.nameplate', 'biopwr.plant.ramp_opt2'): 'biopwr.plant.ramp_rate', ('biopwr.plant.boiler.moisture_in_fuel', 'biopwr.plant.boiler.moisture_enth_out', 'biopwr.plant.boiler.moisture_enth_in'): 'biopwr.plant.eff.moisture_loss', ('biopwr.plant.drying_method', 'biopwr.feedstock.total_moisture', 'biopwr.feedstock.total_hhv', 'biopwr.feedstock.bagasse_frac', 'biopwr.feedstock.barley_frac', 'biopwr.feedstock.stover_frac', 'biopwr.feedstock.rice_frac', 'biopwr.feedstock.wheat_frac', 'biopwr.feedstock.forest_frac', 'biopwr.feedstock.mill_frac', 'biopwr.feedstock.urban_frac', 'biopwr.feedstock.feedstock1_frac', 'biopwr.feedstock.feedstock2_frac', 'biopwr.feedstock.bit_frac', 'biopwr.feedstock.subbit_frac', 'biopwr.feedstock.lig_frac', 'biopwr.feedstock.total_coal_moisture', 'biopwr.plant.drying_spec'): 'biopwr.plant.boiler.moisture_in_fuel', 'biopwr.plant.boiler.steam_grade': 'biopwr.plant.boiler.steam_enthalpy', ('biopwr.feedstock.total_h', 'biopwr.feedstock.total_hhv', 'biopwr.plant.boiler.moisture_enth_out', 'biopwr.plant.boiler.moisture_enth_in'): 'biopwr.plant.eff.latent', 'biopwr.plant.boiler.ref_temp': 'biopwr.plant.boiler.moisture_enth_in', ('biopwr.plant.eff.flue_loss', 'biopwr.plant.eff.fuel_loss', 'biopwr.plant.eff.moisture_loss', 'biopwr.plant.eff.rad_loss', 'biopwr.plant.eff.latent'): 'biopwr.plant.boiler.efficiency', 'biopwr.plant.boiler.steam_grade': 'biopwr.plant.boiler.steam_temp', ('biopwr.plant.boiler.cap_per_boiler', 'biopwr.plant.boiler.num', 'biopwr.plant.boiler.steam_enthalpy', 'biopwr.plant.rated_eff'): 'biopwr.plant.nameplate', (): 'biopwr.plant.boiler.bfw_enthalpy', ('biopwr.plant.boiler.air_feed', 'biopwr.plant.boiler.flue_temp', 'biopwr.plant.boiler.ref_temp'): 'biopwr.plant.eff.flue_loss', ('biopwr.plant.combustor_type', 'biopwr.feedstock.total_c', 'biopwr.plant.boiler.excess_air', 'biopwr.feedstock.total_h', 'biopwr.feedstock.total_o', 'biopwr.feedstock.total_ash', 'biopwr.feedstock.total_hhv'): 'biopwr.plant.boiler.air_feed', 'biopwr.plant.combustor_type': 'biopwr.plant.eff.fuel_loss', ('biopwr.plant.boiler.steam_pressure', 'biopwr.plant.boiler.cap_per_boiler', 'biopwr.plant.boiler.num', 'biopwr.plant.par_air_blower'): 'biopwr.plant.par_bfw_pump'}, 'Dish Capital Costs': {(): 'system_use_recapitalization', (): 'system_use_lifetime_output', ('total_installed_cost', 'csp.ds.cost.nameplate'): 'csp.ds.cost.installed_per_capacity', ('csp.ds.cost.epc.per_acre', 'csp.ds.cost.total_land_area', 'csp.ds.cost.epc.percent', 'total_direct_cost', 'csp.ds.cost.nameplate', 'csp.ds.cost.epc.per_watt', 'csp.ds.cost.epc.fixed'): 'csp.ds.cost.epc.total', 'csp.ds.total_capacity': 'csp.ds.cost.nameplate', ('csp.ds.ncollectors', 'csp.ds.cost.collector.area', 'csp.ds.cost.collector.cost_per_m2'): 'csp.ds.cost.collector', 'csp.ds.field_area': 'csp.ds.cost.site_improvements.area', ('csp.ds.cost.site_improvements.area', 'csp.ds.cost.site_improvements.cost_per_m2'): 'csp.ds.cost.site_improvements', ('csp.ds.cost.site_improvements', 'csp.ds.cost.collector', 'csp.ds.cost.receiver', 'csp.ds.cost.engine', 'csp.ds.cost.contingency'): 'total_direct_cost', ('total_direct_cost', 'total_indirect_cost'): 'total_installed_cost', 'A_proj': 'csp.ds.cost.collector.area', 'csp.ds.nameplate_capacity': 'csp.ds.cost.engine.kw', 'csp.ds.field_area': 'csp.ds.cost.total_land_area', ('csp.ds.ncollectors', 'csp.ds.cost.receiver.kw', 'csp.ds.cost.receiver.cost_per_kw'): 'csp.ds.cost.receiver', ('csp.ds.cost.plm.per_acre', 'csp.ds.cost.total_land_area', 'csp.ds.cost.plm.percent', 'total_direct_cost', 'csp.ds.cost.nameplate', 'csp.ds.cost.plm.per_watt', 'csp.ds.cost.plm.fixed'): 'csp.ds.cost.plm.total', ('csp.ds.cost.epc.total', 'csp.ds.cost.plm.total', 'csp.ds.cost.sales_tax.total'): 'total_indirect_cost', 'csp.ds.nameplate_capacity': 'csp.ds.cost.receiver.kw', ('csp.ds.cost.contingency_percent', 'csp.ds.cost.site_improvements', 'csp.ds.cost.collector', 'csp.ds.cost.receiver', 'csp.ds.cost.engine'): 'csp.ds.cost.contingency', ('csp.ds.ncollectors', 'csp.ds.cost.engine.kw', 'csp.ds.cost.engine.cost_per_kw'): 'csp.ds.cost.engine', 'sales_tax_rate': 'csp.ds.cost.sales_tax.value', ('csp.ds.cost.sales_tax.value', 'total_direct_cost', 'csp.ds.cost.sales_tax.percent'): 'csp.ds.cost.sales_tax.total'}, 'Rankine Cycle': {'csp.pt.pwrb.pressure_mode': 'tech_type', 'csp.pt.pwrb.condenser_type': 'CT'}, 'Solar Resource Data': {'solar_resource_file': 'file_name', ('use_specific_weather_file', 'user_specified_weather_file', 'solar_data_file_name'): 'solar_resource_file'}, 'Generic System Costs': {('system_capacity', 'genericsys.cost.per_watt'): 'genericsys.cost.plant_scaled', ('genericsys.cost.plm.fixed', 'genericsys.cost.plm.nonfixed'): 'genericsys.cost.plm.total', 'system_use_lifetime_output': 'system_use_recapitalization', ('genericsys.cost.epc.fixed', 'genericsys.cost.epc.nonfixed'): 'genericsys.cost.epc.total', ('total_direct_cost', 'genericsys.cost.plm.percent'): 'genericsys.cost.plm.nonfixed', 'fixed_plant_input': 'genericsys.cost.plant', ('genericsys.cost.contingency', 'genericsys.cost.plant', 'genericsys.cost.plant_scaled', 'battery_total'): 'total_direct_cost', ('genericsys.cost.contingency_percent', 'genericsys.cost.plant', 'genericsys.cost.plant_scaled', 'battery_total'): 'genericsys.cost.contingency', ('en_batt', 'batt_power_discharge_max'): 'battery_power', ('total_direct_cost', 'genericsys.cost.epc.percent'): 'genericsys.cost.epc.nonfixed', 'sales_tax_rate': 'genericsys.cost.sales_tax.value', ('genericsys.cost.sales_tax.value', 'total_direct_cost', 'genericsys.cost.sales_tax.percent'): 'genericsys.cost.sales_tax.total', ('total_direct_cost', 'total_indirect_cost'): 'total_installed_cost', ('total_installed_cost', 'system_capacity'): 'genericsys.cost.installed_per_capacity', ('battery_energy', 'battery_per_kWh', 'battery_power', 'battery_per_kW'): 'battery_total', ('genericsys.cost.epc.total', 'genericsys.cost.plm.total', 'genericsys.cost.sales_tax.total'): 'total_indirect_cost', ('en_batt', 'batt_computed_bank_capacity'): 'battery_energy', 'system_capacity': 'nameplate_capacity'}, 'Biopower Feedstock': {(): 'biopwr.feedstock.subbit_c', (): 'biopwr.feedstock.mill_hhv', ('biopwr.feedstock.total_biomass', 'biopwr.feedstock.bagasse_biomass_frac', 'biopwr.feedstock.bagasse_lhv', 'biopwr.feedstock.barley_biomass_frac', 'biopwr.feedstock.barley_lhv', 'biopwr.feedstock.stover_biomass_frac', 'biopwr.feedstock.stover_lhv', 'biopwr.feedstock.rice_biomass_frac', 'biopwr.feedstock.rice_lhv', 'biopwr.feedstock.wheat_biomass_frac', 'biopwr.feedstock.wheat_lhv', 'biopwr.feedstock.forest_biomass_frac', 'biopwr.feedstock.forest_lhv', 'biopwr.feedstock.mill_biomass_frac', 'biopwr.feedstock.mill_lhv', 'biopwr.feedstock.urban_biomass_frac', 'biopwr.feedstock.urban_lhv', 'biopwr.feedstock.woody_biomass_frac', 'biopwr.feedstock.woody_lhv', 'biopwr.feedstock.herb_biomass_frac', 'biopwr.feedstock.herb_lhv', 'biopwr.feedstock.feedstock1_biomass_frac', 'biopwr.feedstock.feedstock1_hhv', 'biopwr.feedstock.feedstock1_h', 'biopwr.feedstock.feedstock2_biomass_frac', 'biopwr.feedstock.feedstock2_hhv', 'biopwr.feedstock.feedstock2_h'): 'biopwr.feedstock.total_biomass_lhv', ('biopwr.feedstock.additional_opt', 'biopwr.feedstock.feedstock2_resource', 'biopwr.feedstock.total_biomass'): 'biopwr.feedstock.feedstock2_biomass_frac', (): 'biopwr.feedstock.wheat_o', (): 'biopwr.feedstock.bit_c', 'biopwr.feedstock.rice_moisture_wet': 'biopwr.feedstock.rice_moisture', 'biopwr.feedstock.stover_moisture_wet': 'biopwr.feedstock.stover_usual_moisture', (): 'biopwr.feedstock.rice_hhv', (): 'biopwr.feedstock.lig_ash', (): 'biopwr.feedstock.herb_o', ('biopwr.feedstock.coal_opt', 'biopwr.feedstock.total_biomass', 'biopwr.feedstock.total'): 'biopwr.feedstock.biomass_frac', (): 'biopwr.feedstock.urban_o', ('biopwr.feedstock.wheat_resource', 'biopwr.feedstock.wheat_obtainable', 'biopwr.feedstock.total'): 'biopwr.feedstock.wheat_frac', 'biopwr.feedstock.woody_moisture_wet': 'biopwr.feedstock.woody_usual_moisture', ('biopwr.feedstock.herb_resource', 'biopwr.feedstock.herb_obtainable', 'biopwr.feedstock.total_biomass'): 'biopwr.feedstock.herb_biomass_frac', 'biopwr.feedstock.herb_moisture_wet': 'biopwr.feedstock.herb_usual_moisture', (): 'biopwr.feedstock.wheat_h', 'biopwr.feedstock.lig_moisture_wet': 'biopwr.feedstock.lig_usual_moisture', 'biopwr.feedstock.feedstock2_moisture': 'biopwr.feedstock.feedstock2_usual_moisture', (): 'biopwr.feedstock.barley_hhv', ('biopwr.feedstock.coal_opt', 'biopwr.feedstock.lig_resource', 'biopwr.feedstock.total_coal'): 'biopwr.feedstock.lig_coal_frac', (): 'biopwr.feedstock.bagasse_c', ('biopwr.feedstock.coal_opt', 'biopwr.feedstock.bit_resource', 'biopwr.feedstock.subbit_resource', 'biopwr.feedstock.lig_resource'): 'biopwr.feedstock.total_coal', 'biopwr.feedstock.stover_moisture_wet': 'biopwr.feedstock.stover_moisture', (): 'biopwr.feedstock.stover_hhv', (): 'biopwr.feedstock.herb_h', ('biopwr.feedstock.feedstock2_opt', 'biopwr.feedstock.feedstock2_user_hhv', 'biopwr.feedstock.feedstock2_calc_hhv'): 'biopwr.feedstock.feedstock2_hhv', ('biopwr.feedstock.barley_resource', 'biopwr.feedstock.barley_obtainable', 'biopwr.feedstock.total_biomass'): 'biopwr.feedstock.barley_biomass_frac', 'biopwr.feedstock.subbit_moisture_wet': 'biopwr.feedstock.subbit_moisture', (): 'biopwr.feedstock.barley_c', (): 'biopwr.feedstock.urban_h', ('biopwr.feedstock.stover_resource', 'biopwr.feedstock.stover_obtainable', 'biopwr.feedstock.total_biomass'): 'biopwr.feedstock.stover_biomass_frac', (): 'biopwr.feedstock.subbit_h', 'biopwr.feedstock.forest_moisture_wet': 'biopwr.feedstock.forest_usual_moisture', (): 'biopwr.feedstock.barley_o', (): 'biopwr.feedstock.woody_ash', 'biopwr.feedstock.mill_moisture_wet': 'biopwr.feedstock.mill_moisture', (): 'biopwr.feedstock.forest_lhv', (): 'biopwr.feedstock.woody_c', ('biopwr.feedstock.feedstock1_c', 'biopwr.feedstock.feedstock1_h', 'biopwr.feedstock.feedstock1_n'): 'biopwr.feedstock.feedstock1_calc_hhv', ('biopwr.feedstock.coal_opt', 'biopwr.feedstock.subbit_resource', 'biopwr.feedstock.total'): 'biopwr.feedstock.subbit_frac', (): 'biopwr.feedstock.mill_c', 'biopwr.feedstock.bagasse_moisture_wet': 'biopwr.feedstock.bagasse_moisture', (): 'biopwr.feedstock.stover_ash', 'biopwr.feedstock.forest_moisture_wet': 'biopwr.feedstock.forest_moisture', ('biopwr.feedstock.feedstock1_c', 'biopwr.feedstock.feedstock1_h', 'biopwr.feedstock.feedstock1_n'): 'biopwr.feedstock.feedstock1_o', ('biopwr.feedstock.wheat_resource', 'biopwr.feedstock.wheat_obtainable', 'biopwr.feedstock.total_biomass'): 'biopwr.feedstock.wheat_biomass_frac', ('biopwr.feedstock.feedstock2_c', 'biopwr.feedstock.feedstock2_h', 'biopwr.feedstock.feedstock2_n'): 'biopwr.feedstock.feedstock2_o', ('biopwr.feedstock.rice_resource', 'biopwr.feedstock.rice_obtainable', 'biopwr.feedstock.total'): 'biopwr.feedstock.rice_frac', (): 'biopwr.feedstock.wheat_hhv', ('biopwr.feedstock.biomass_frac', 'biopwr.feedstock.total_biomass_hhv', 'biopwr.feedstock.coal_frac', 'biopwr.feedstock.total_coal_hhv'): 'biopwr.feedstock.total_hhv', ('biopwr.feedstock.coal_opt', 'biopwr.feedstock.bit_coal_frac', 'biopwr.feedstock.bit_hhv', 'biopwr.feedstock.subbit_coal_frac', 'biopwr.feedstock.subbit_hhv', 'biopwr.feedstock.lig_coal_frac', 'biopwr.feedstock.lig_hhv'): 'biopwr.feedstock.total_coal_hhv', ('biopwr.feedstock.additional_opt', 'biopwr.feedstock.feedstock1_resource', 'biopwr.feedstock.total'): 'biopwr.feedstock.feedstock1_frac', 'biopwr.feedstock.subbit_moisture_wet': 'biopwr.feedstock.subbit_usual_moisture', (): 'biopwr.feedstock.woody_o', ('biopwr.feedstock.bagasse_frac', 'biopwr.feedstock.bagasse_moisture', 'biopwr.feedstock.barley_frac', 'biopwr.feedstock.barley_moisture', 'biopwr.feedstock.stover_frac', 'biopwr.feedstock.stover_moisture', 'biopwr.feedstock.rice_frac', 'biopwr.feedstock.rice_moisture', 'biopwr.feedstock.wheat_frac', 'biopwr.feedstock.wheat_moisture', 'biopwr.feedstock.forest_frac', 'biopwr.feedstock.forest_moisture', 'biopwr.feedstock.mill_frac', 'biopwr.feedstock.mill_moisture', 'biopwr.feedstock.urban_frac', 'biopwr.feedstock.urban_moisture', 'biopwr.feedstock.woody_frac', 'biopwr.feedstock.woody_moisture', 'biopwr.feedstock.herb_frac', 'biopwr.feedstock.herb_moisture', 'biopwr.feedstock.feedstock1_frac', 'biopwr.feedstock.feedstock1_moisture', 'biopwr.feedstock.feedstock2_frac', 'biopwr.feedstock.feedstock2_moisture', 'biopwr.feedstock.bit_frac', 'biopwr.feedstock.bit_moisture', 'biopwr.feedstock.subbit_frac', 'biopwr.feedstock.subbit_moisture', 'biopwr.feedstock.lig_frac', 'biopwr.feedstock.lig_moisture'): 'biopwr.feedstock.total_moisture', ('biopwr.feedstock.additional_opt', 'biopwr.feedstock.feedstock1_resource', 'biopwr.feedstock.total_biomass'): 'biopwr.feedstock.feedstock1_biomass_frac', (): 'biopwr.feedstock.subbit_ash', 'biopwr.feedstock.barley_moisture_wet': 'biopwr.feedstock.barley_usual_moisture', (): 'biopwr.feedstock.rice_ash', 'biopwr.feedstock.rice_h': 'biopwr.feedstock.rice_lhv', (): 'biopwr.feedstock.herb_hhv', ('biopwr.feedstock.bagasse_resource', 'biopwr.feedstock.bagasse_obtainable', 'biopwr.feedstock.total'): 'biopwr.feedstock.bagasse_frac', (): 'biopwr.feedstock.wheat_ash', ('biopwr.feedstock.rice_resource', 'biopwr.feedstock.rice_obtainable', 'biopwr.feedstock.total_biomass'): 'biopwr.feedstock.rice_biomass_frac', (): 'biopwr.feedstock.herb_c', (): 'biopwr.feedstock.bit_o', 'biopwr.feedstock.lig_moisture_wet': 'biopwr.feedstock.lig_moisture', ('biopwr.feedstock.biomass_frac', 'biopwr.feedstock.total_biomass_ash', 'biopwr.feedstock.coal_frac', 'biopwr.feedstock.total_coal_ash'): 'biopwr.feedstock.total_ash', ('biopwr.feedstock.coal_opt', 'biopwr.feedstock.bit_resource', 'biopwr.feedstock.total_coal'): 'biopwr.feedstock.bit_coal_frac', 'biopwr.feedstock.total_coal_hhv': 'biopwr.feedstock.total_coal_hhv_avg', 'biopwr.feedstock.bagasse_h': 'biopwr.feedstock.bagasse_lhv', (): 'biopwr.feedstock.woody_hhv', (): 'biopwr.feedstock.bit_h', ('biopwr.feedstock.feedstock2_c', 'biopwr.feedstock.feedstock2_h', 'biopwr.feedstock.feedstock2_n'): 'biopwr.feedstock.feedstock2_calc_hhv', (): 'biopwr.feedstock.stover_o', ('biopwr.feedstock.additional_opt', 'biopwr.feedstock.feedstock2_resource', 'biopwr.feedstock.total'): 'biopwr.feedstock.feedstock2_frac', 'biopwr.feedstock.wheat_moisture_wet': 'biopwr.feedstock.wheat_moisture', ('biopwr.feedstock.barley_resource', 'biopwr.feedstock.barley_obtainable', 'biopwr.feedstock.total'): 'biopwr.feedstock.barley_frac', ('biopwr.feedstock.bagasse_frac', 'biopwr.feedstock.bagasse_h', 'biopwr.feedstock.barley_frac', 'biopwr.feedstock.barley_h', 'biopwr.feedstock.stover_frac', 'biopwr.feedstock.stover_h', 'biopwr.feedstock.rice_frac', 'biopwr.feedstock.rice_h', 'biopwr.feedstock.wheat_frac', 'biopwr.feedstock.wheat_h', 'biopwr.feedstock.forest_frac', 'biopwr.feedstock.forest_h', 'biopwr.feedstock.mill_frac', 'biopwr.feedstock.mill_h', 'biopwr.feedstock.urban_frac', 'biopwr.feedstock.urban_h', 'biopwr.feedstock.woody_frac', 'biopwr.feedstock.woody_h', 'biopwr.feedstock.herb_frac', 'biopwr.feedstock.herb_h', 'biopwr.feedstock.feedstock1_frac', 'biopwr.feedstock.feedstock1_h', 'biopwr.feedstock.feedstock2_frac', 'biopwr.feedstock.feedstock2_h', 'biopwr.feedstock.bit_frac', 'biopwr.feedstock.bit_h', 'biopwr.feedstock.subbit_frac', 'biopwr.feedstock.subbit_h', 'biopwr.feedstock.lig_frac', 'biopwr.feedstock.lig_h'): 'biopwr.feedstock.total_h', (): 'biopwr.feedstock.stover_lhv', (): 'biopwr.feedstock.bagasse_ash', 'biopwr.feedstock.wheat_moisture_wet': 'biopwr.feedstock.wheat_usual_moisture', (): 'biopwr.feedstock.forest_h', ('biopwr.feedstock.woody_resource', 'biopwr.feedstock.woody_obtainable', 'biopwr.feedstock.total_biomass'): 'biopwr.feedstock.woody_biomass_frac', ('biopwr.feedstock.bagasse_frac', 'biopwr.feedstock.bagasse_c', 'biopwr.feedstock.barley_frac', 'biopwr.feedstock.barley_c', 'biopwr.feedstock.stover_frac', 'biopwr.feedstock.stover_c', 'biopwr.feedstock.rice_frac', 'biopwr.feedstock.rice_c', 'biopwr.feedstock.wheat_frac', 'biopwr.feedstock.wheat_c', 'biopwr.feedstock.forest_frac', 'biopwr.feedstock.forest_c', 'biopwr.feedstock.mill_frac', 'biopwr.feedstock.mill_c', 'biopwr.feedstock.urban_frac', 'biopwr.feedstock.urban_c', 'biopwr.feedstock.woody_frac', 'biopwr.feedstock.woody_c', 'biopwr.feedstock.herb_frac', 'biopwr.feedstock.herb_c', 'biopwr.feedstock.feedstock1_frac', 'biopwr.feedstock.feedstock1_c', 'biopwr.feedstock.feedstock2_frac', 'biopwr.feedstock.feedstock2_c', 'biopwr.feedstock.bit_frac', 'biopwr.feedstock.bit_c', 'biopwr.feedstock.subbit_frac', 'biopwr.feedstock.subbit_c', 'biopwr.feedstock.lig_frac', 'biopwr.feedstock.lig_c'): 'biopwr.feedstock.total_c', 'biopwr.feedstock.herb_moisture_wet': 'biopwr.feedstock.herb_moisture', (): 'biopwr.feedstock.rice_o', ('biopwr.feedstock.total_biomass', 'biopwr.feedstock.bagasse_biomass_frac', 'biopwr.feedstock.bagasse_hhv', 'biopwr.feedstock.barley_biomass_frac', 'biopwr.feedstock.barley_hhv', 'biopwr.feedstock.stover_biomass_frac', 'biopwr.feedstock.stover_hhv', 'biopwr.feedstock.rice_biomass_frac', 'biopwr.feedstock.rice_hhv', 'biopwr.feedstock.wheat_biomass_frac', 'biopwr.feedstock.wheat_hhv', 'biopwr.feedstock.forest_biomass_frac', 'biopwr.feedstock.forest_hhv', 'biopwr.feedstock.mill_biomass_frac', 'biopwr.feedstock.mill_hhv', 'biopwr.feedstock.urban_biomass_frac', 'biopwr.feedstock.urban_hhv', 'biopwr.feedstock.woody_biomass_frac', 'biopwr.feedstock.woody_hhv', 'biopwr.feedstock.herb_biomass_frac', 'biopwr.feedstock.herb_hhv', 'biopwr.feedstock.feedstock1_biomass_frac', 'biopwr.feedstock.feedstock1_hhv', 'biopwr.feedstock.feedstock2_biomass_frac', 'biopwr.feedstock.feedstock2_hhv'): 'biopwr.feedstock.total_biomass_hhv', ('biopwr.feedstock.coal_opt', 'biopwr.feedstock.lig_resource', 'biopwr.feedstock.total'): 'biopwr.feedstock.lig_frac', ('biopwr.feedstock.coal_opt', 'biopwr.feedstock.bit_coal_frac', 'biopwr.feedstock.subbit_coal_frac', 'biopwr.feedstock.lig_coal_frac'): 'biopwr.feedstock.total_coal_lhv', ('biopwr.feedstock.forest_resource', 'biopwr.feedstock.forest_obtainable', 'biopwr.feedstock.total'): 'biopwr.feedstock.forest_frac', (): 'biopwr.feedstock.barley_ash', (): 'biopwr.feedstock.stover_c', ('biopwr.feedstock.bagasse_frac', 'biopwr.feedstock.bagasse_o', 'biopwr.feedstock.barley_frac', 'biopwr.feedstock.barley_o', 'biopwr.feedstock.stover_frac', 'biopwr.feedstock.stover_o', 'biopwr.feedstock.rice_frac', 'biopwr.feedstock.rice_o', 'biopwr.feedstock.wheat_frac', 'biopwr.feedstock.wheat_o', 'biopwr.feedstock.forest_frac', 'biopwr.feedstock.forest_o', 'biopwr.feedstock.mill_frac', 'biopwr.feedstock.mill_o', 'biopwr.feedstock.urban_frac', 'biopwr.feedstock.urban_o', 'biopwr.feedstock.woody_frac', 'biopwr.feedstock.woody_o', 'biopwr.feedstock.herb_frac', 'biopwr.feedstock.herb_o', 'biopwr.feedstock.feedstock1_frac', 'biopwr.feedstock.feedstock1_o', 'biopwr.feedstock.feedstock2_frac', 'biopwr.feedstock.feedstock2_o', 'biopwr.feedstock.bit_frac', 'biopwr.feedstock.bit_o', 'biopwr.feedstock.subbit_frac', 'biopwr.feedstock.subbit_o', 'biopwr.feedstock.lig_frac', 'biopwr.feedstock.lig_o'): 'biopwr.feedstock.total_o', (): 'biopwr.feedstock.bit_ash', (): 'biopwr.feedstock.bagasse_h', (): 'biopwr.feedstock.mill_ash', ('biopwr.feedstock.coal_opt', 'biopwr.feedstock.bit_coal_frac', 'biopwr.feedstock.bit_ash', 'biopwr.feedstock.subbit_coal_frac', 'biopwr.feedstock.subbit_ash', 'biopwr.feedstock.lig_coal_frac', 'biopwr.feedstock.lig_ash'): 'biopwr.feedstock.total_coal_ash', 'biopwr.feedstock.barley_moisture_wet': 'biopwr.feedstock.barley_moisture', (): 'biopwr.feedstock.bagasse_o', (): 'biopwr.feedstock.stover_h', (): 'biopwr.feedstock.woody_lhv', ('biopwr.feedstock.total_biomass', 'biopwr.feedstock.bagasse_biomass_frac', 'biopwr.feedstock.bagasse_c', 'biopwr.feedstock.barley_biomass_frac', 'biopwr.feedstock.barley_c', 'biopwr.feedstock.stover_biomass_frac', 'biopwr.feedstock.stover_c', 'biopwr.feedstock.rice_biomass_frac', 'biopwr.feedstock.rice_c', 'biopwr.feedstock.wheat_biomass_frac', 'biopwr.feedstock.wheat_c', 'biopwr.feedstock.forest_biomass_frac', 'biopwr.feedstock.forest_c', 'biopwr.feedstock.mill_biomass_frac', 'biopwr.feedstock.mill_c', 'biopwr.feedstock.urban_biomass_frac', 'biopwr.feedstock.urban_c', 'biopwr.feedstock.woody_biomass_frac', 'biopwr.feedstock.woody_c', 'biopwr.feedstock.herb_biomass_frac', 'biopwr.feedstock.herb_c', 'biopwr.feedstock.feedstock1_biomass_frac', 'biopwr.feedstock.feedstock2_biomass_frac'): 'biopwr.feedstock.total_biomass_c', 'biopwr.feedstock.rice_moisture_wet': 'biopwr.feedstock.rice_usual_moisture', (): 'biopwr.feedstock.wheat_lhv', ('biopwr.feedstock.forest_resource', 'biopwr.feedstock.forest_obtainable', 'biopwr.feedstock.total_biomass'): 'biopwr.feedstock.forest_biomass_frac', (): 'biopwr.feedstock.mill_o', ('biopwr.feedstock.feedstock1_opt', 'biopwr.feedstock.feedstock1_user_hhv', 'biopwr.feedstock.feedstock1_calc_hhv'): 'biopwr.feedstock.feedstock1_hhv', ('biopwr.feedstock.total_biomass', 'biopwr.feedstock.total_coal'): 'biopwr.feedstock.total', ('biopwr.feedstock.coal_opt', 'biopwr.feedstock.subbit_resource', 'biopwr.feedstock.total_coal'): 'biopwr.feedstock.subbit_coal_frac', 'biopwr.plant.nameplate': 'biopwr.feedstock.total_nameplate', ('biopwr.feedstock.stover_resource', 'biopwr.feedstock.stover_obtainable', 'biopwr.feedstock.total'): 'biopwr.feedstock.stover_frac', (): 'biopwr.feedstock.forest_c', ('biopwr.feedstock.coal_opt', 'biopwr.feedstock.total_coal', 'biopwr.feedstock.total'): 'biopwr.feedstock.coal_frac', 'biopwr.feedstock.feedstock1_moisture_wet': 'biopwr.feedstock.feedstock1_moisture', 'biopwr.feedstock.feedstock2_moisture': 'biopwr.feedstock.feedstock1_usual_moisture', (): 'biopwr.feedstock.lig_c', (): 'biopwr.feedstock.rice_c', (): 'biopwr.feedstock.bagasse_hhv', (): 'biopwr.feedstock.barley_h', 'biopwr.feedstock.urban_moisture_wet': 'biopwr.feedstock.urban_usual_moisture', 'biopwr.feedstock.total_biomass_hhv': 'biopwr.feedstock.total_biomass_hhv_avg', (): 'biopwr.feedstock.herb_ash', ('biopwr.feedstock.coal_opt', 'biopwr.feedstock.bit_coal_frac', 'biopwr.feedstock.bit_moisture', 'biopwr.feedstock.subbit_coal_frac', 'biopwr.feedstock.subbit_moisture', 'biopwr.feedstock.lig_coal_frac', 'biopwr.feedstock.lig_moisture'): 'biopwr.feedstock.total_coal_moisture', ('biopwr.feedstock.biomass_frac', 'biopwr.feedstock.total_biomass_lhv', 'biopwr.feedstock.coal_frac', 'biopwr.feedstock.total_coal_lhv'): 'biopwr.feedstock.total_lhv', (): 'biopwr.feedstock.forest_ash', ('biopwr.feedstock.bagasse_biomass_frac', 'biopwr.feedstock.bagasse_moisture', 'biopwr.feedstock.barley_biomass_frac', 'biopwr.feedstock.barley_moisture', 'biopwr.feedstock.stover_biomass_frac', 'biopwr.feedstock.stover_moisture', 'biopwr.feedstock.rice_biomass_frac', 'biopwr.feedstock.rice_moisture', 'biopwr.feedstock.wheat_biomass_frac', 'biopwr.feedstock.wheat_moisture', 'biopwr.feedstock.forest_biomass_frac', 'biopwr.feedstock.forest_moisture', 'biopwr.feedstock.mill_biomass_frac', 'biopwr.feedstock.mill_moisture', 'biopwr.feedstock.urban_biomass_frac', 'biopwr.feedstock.urban_moisture', 'biopwr.feedstock.woody_biomass_frac', 'biopwr.feedstock.woody_moisture', 'biopwr.feedstock.herb_biomass_frac', 'biopwr.feedstock.herb_moisture', 'biopwr.feedstock.feedstock1_biomass_frac', 'biopwr.feedstock.feedstock1_moisture', 'biopwr.feedstock.feedstock2_biomass_frac', 'biopwr.feedstock.feedstock2_moisture'): 'biopwr.feedstock.total_biomass_moisture', ('biopwr.feedstock.mill_resource', 'biopwr.feedstock.mill_obtainable', 'biopwr.feedstock.total'): 'biopwr.feedstock.mill_frac', (): 'biopwr.feedstock.lig_o', (): 'biopwr.feedstock.urban_lhv', 'biopwr.feedstock.urban_moisture_wet': 'biopwr.feedstock.urban_moisture', (): 'biopwr.feedstock.urban_ash', ('biopwr.feedstock.bagasse_resource', 'biopwr.feedstock.bagasse_obtainable', 'biopwr.feedstock.total_biomass'): 'biopwr.feedstock.bagasse_biomass_frac', (): 'biopwr.feedstock.wheat_c', 'biopwr.feedstock.bagasse_moisture_wet': 'biopwr.feedstock.bagasse_usual_moisture', ('biopwr.feedstock.mill_resource', 'biopwr.feedstock.mill_obtainable', 'biopwr.feedstock.total_biomass'): 'biopwr.feedstock.mill_biomass_frac', ('biopwr.feedstock.herb_resource', 'biopwr.feedstock.herb_obtainable', 'biopwr.feedstock.total'): 'biopwr.feedstock.herb_frac', ('biopwr.feedstock.herb_hhv', 'biopwr.feedstock.herb_h'): 'biopwr.feedstock.herb_lhv', (): 'biopwr.feedstock.rice_h', (): 'biopwr.feedstock.barley_lhv', ('biopwr.feedstock.woody_resource', 'biopwr.feedstock.woody_obtainable', 'biopwr.feedstock.total'): 'biopwr.feedstock.woody_frac', (): 'biopwr.feedstock.lig_h', 'biopwr.feedstock.feedstock2_moisture_wet': 'biopwr.feedstock.feedstock2_moisture', ('biopwr.feedstock.coal_opt', 'biopwr.feedstock.bit_resource', 'biopwr.feedstock.total'): 'biopwr.feedstock.bit_frac', ('biopwr.feedstock.additional_opt', 'biopwr.feedstock.bagasse_resource', 'biopwr.feedstock.bagasse_obtainable', 'biopwr.feedstock.barley_resource', 'biopwr.feedstock.barley_obtainable', 'biopwr.feedstock.stover_resource', 'biopwr.feedstock.stover_obtainable', 'biopwr.feedstock.rice_resource', 'biopwr.feedstock.rice_obtainable', 'biopwr.feedstock.wheat_resource', 'biopwr.feedstock.wheat_obtainable', 'biopwr.feedstock.forest_resource', 'biopwr.feedstock.forest_obtainable', 'biopwr.feedstock.mill_resource', 'biopwr.feedstock.mill_obtainable', 'biopwr.feedstock.urban_resource', 'biopwr.feedstock.urban_obtainable', 'biopwr.feedstock.woody_resource', 'biopwr.feedstock.woody_obtainable', 'biopwr.feedstock.herb_resource', 'biopwr.feedstock.herb_obtainable', 'biopwr.feedstock.feedstock1_resource', 'biopwr.feedstock.feedstock2_resource'): 'biopwr.feedstock.total_biomass', 'biopwr.feedstock.bit_moisture_wet': 'biopwr.feedstock.bit_moisture', 'biopwr.feedstock.bit_moisture_wet': 'biopwr.feedstock.bit_usual_moisture', (): 'biopwr.feedstock.urban_hhv', ('biopwr.feedstock.urban_resource', 'biopwr.feedstock.urban_obtainable', 'biopwr.feedstock.total'): 'biopwr.feedstock.urban_frac', (): 'biopwr.feedstock.forest_hhv', (): 'biopwr.feedstock.forest_o', (): 'biopwr.feedstock.mill_lhv', (): 'biopwr.feedstock.woody_h', ('biopwr.feedstock.urban_resource', 'biopwr.feedstock.urban_obtainable', 'biopwr.feedstock.total_biomass'): 'biopwr.feedstock.urban_biomass_frac', ('biopwr.feedstock.total_biomass', 'biopwr.feedstock.bagasse_biomass_frac', 'biopwr.feedstock.bagasse_ash', 'biopwr.feedstock.barley_biomass_frac', 'biopwr.feedstock.barley_ash', 'biopwr.feedstock.stover_biomass_frac', 'biopwr.feedstock.stover_ash', 'biopwr.feedstock.rice_biomass_frac', 'biopwr.feedstock.rice_ash', 'biopwr.feedstock.wheat_biomass_frac', 'biopwr.feedstock.wheat_ash', 'biopwr.feedstock.forest_biomass_frac', 'biopwr.feedstock.forest_ash', 'biopwr.feedstock.mill_biomass_frac', 'biopwr.feedstock.mill_ash', 'biopwr.feedstock.urban_biomass_frac', 'biopwr.feedstock.urban_ash', 'biopwr.feedstock.woody_biomass_frac', 'biopwr.feedstock.woody_ash', 'biopwr.feedstock.herb_biomass_frac', 'biopwr.feedstock.herb_ash', 'biopwr.feedstock.feedstock1_biomass_frac', 'biopwr.feedstock.feedstock2_biomass_frac'): 'biopwr.feedstock.total_biomass_ash', 'biopwr.feedstock.mill_moisture_wet': 'biopwr.feedstock.mill_usual_moisture', (): 'biopwr.feedstock.subbit_o', 'biopwr.feedstock.woody_moisture_wet': 'biopwr.feedstock.woody_moisture', (): 'biopwr.feedstock.urban_c', (): 'biopwr.feedstock.mill_h'}, 'Financial Third Party Ownership': {('real_discount_rate', 'inflation_rate'): 'nominal_discount_rate'}, 'HCPV Module': {('module_a0', 'module_a1', 'module_a2', 'module_a3', 'module_a4'): 'hcpv.module.mam_ref', ('module_concentration', 'hcpv.module.rad1'): 'hcpv.module.rad1X', ('hcpv.module.mjeff4', 'hcpv.module.mjeff3', 'hcpv.module.mjeff2', 'hcpv.module.mjeff1', 'hcpv.module.mjeff0'): 'module_mjeff', ('module_reference', 'hcpv.module.mjeff0', 'hcpv.module.mjeff1', 'hcpv.module.mjeff2', 'hcpv.module.mjeff3', 'hcpv.module.mjeff4', 'module_optical_error', 'module_flutter_loss_coeff', 'module_alignment_error', 'hcpv.module.mam_ref'): 'hcpv.module.est_eff', ('hcpv.module.rad4', 'hcpv.module.rad3', 'hcpv.module.rad2', 'hcpv.module.rad1', 'hcpv.module.rad0'): 'module_rad', ('module_reference', 'hcpv.module.mjeff0', 'hcpv.module.rad0', 'hcpv.module.mjeff1', 'hcpv.module.rad1', 'hcpv.module.mjeff2', 'hcpv.module.rad2', 'hcpv.module.mjeff3', 'hcpv.module.rad3', 'hcpv.module.mjeff4', 'hcpv.module.rad4', 'hcpv.module.area', 'module_optical_error', 'module_flutter_loss_coeff', 'module_alignment_error', 'hcpv.module.mam_ref'): 'hcpv.module.power', ('module_concentration', 'hcpv.module.rad3'): 'hcpv.module.rad3X', ('module_concentration', 'hcpv.module.rad4'): 'hcpv.module.rad4X', ('module_concentration', 'hcpv.module.rad0'): 'hcpv.module.rad0X', ('module_concentration', 'hcpv.module.rad2'): 'hcpv.module.rad2X', ('module_reference', 'hcpv.module.rad0', 'hcpv.module.rad1', 'hcpv.module.rad2', 'hcpv.module.rad3', 'hcpv.module.rad4', 'module_a', 'module_b', 'module_dT'): 'hcpv.module.cell_temp', ('module_concentration', 'module_cell_area', 'module_ncells'): 'hcpv.module.area'}, 'Battery Model Simple': {(): 'batt_simple_meter_position'}, 'Physical Trough Receiver Type 4': {('csp_dtr_hce_var1_field_fraction_4', 'csp_dtr_hce_var1_bellows_shadowing_4', 'csp_dtr_hce_var1_hce_dirt_4', 'csp_dtr_hce_var1_abs_abs_4', 'csp_dtr_hce_var1_env_trans_4', 'csp_dtr_hce_var2_field_fraction_4', 'csp_dtr_hce_var2_bellows_shadowing_4', 'csp_dtr_hce_var2_hce_dirt_4', 'csp_dtr_hce_var2_abs_abs_4', 'csp_dtr_hce_var2_env_trans_4', 'csp_dtr_hce_var3_field_fraction_4', 'csp_dtr_hce_var3_bellows_shadowing_4', 'csp_dtr_hce_var3_hce_dirt_4', 'csp_dtr_hce_var3_abs_abs_4', 'csp_dtr_hce_var3_env_trans_4', 'csp_dtr_hce_var4_field_fraction_4', 'csp_dtr_hce_var4_bellows_shadowing_4', 'csp_dtr_hce_var4_hce_dirt_4', 'csp_dtr_hce_var4_abs_abs_4', 'csp_dtr_hce_var4_env_trans_4'): 'csp_dtr_hce_optical_eff_4', ('csp_dtr_hce_var1_field_fraction_4', 'csp_dtr_hce_var1_rated_heat_loss_4', 'csp_dtr_hce_var2_field_fraction_4', 'csp_dtr_hce_var2_rated_heat_loss_4', 'csp_dtr_hce_var3_field_fraction_4', 'csp_dtr_hce_var3_rated_heat_loss_4', 'csp_dtr_hce_var4_field_fraction_4', 'csp_dtr_hce_var4_rated_heat_loss_4'): 'csp_dtr_hce_design_heat_loss_4'}, 'Physical Trough Collector Type 4': {('csp_dtr_sca_tracking_error_4', 'csp_dtr_sca_geometry_effects_4', 'csp_dtr_sca_clean_reflectivity_4', 'csp_dtr_sca_mirror_dirt_4', 'csp_dtr_sca_general_error_4'): 'csp_dtr_sca_calc_sca_eff_4', ('csp_dtr_sca_ave_focal_len_4', 'csp_dtr_sca_calc_theta_4', 'csp_dtr_sca_piping_dist_4'): 'csp_dtr_sca_calc_end_gain_4', ('csp_dtr_sca_calc_zenith_4', 'tilt', 'azimuth'): 'csp_dtr_sca_calc_costh_4', 'lat': 'csp_dtr_sca_calc_latitude_4', 'csp_dtr_sca_calc_costh_4': 'csp_dtr_sca_calc_theta_4', 'lat': 'csp_dtr_sca_calc_zenith_4', ('csp_dtr_sca_length_4', 'csp_dtr_sca_ncol_per_sca_4'): 'csp_dtr_sca_ap_length_4', ('IAMs_4', 'csp_dtr_sca_calc_theta_4', 'csp_dtr_sca_calc_costh_4'): 'csp_dtr_sca_calc_iam_4', ('csp_dtr_sca_ave_focal_len_4', 'csp_dtr_sca_calc_theta_4', 'nSCA', 'csp_dtr_sca_calc_end_gain_4', 'csp_dtr_sca_length_4', 'csp_dtr_sca_ncol_per_sca_4'): 'csp_dtr_sca_calc_end_loss_4'}, 'Linear Fresnel Parasitics': {('PB_fixed_par', 'demand_var'): 'csp.lf.par.fixed_total', ('csp.lf.par.bop_val', 'csp.lf.par.bop_pf', 'csp.lf.par.bop_c0', 'csp.lf.par.bop_c1', 'csp.lf.par.bop_c2'): 'bop_array', ('SCA_drives_elec', 'csp.lf.sf.dp.actual_aper'): 'csp.lf.par.tracking_total', ('csp.lf.par.aux_val', 'csp.lf.par.aux_pf', 'csp.lf.par.aux_c0', 'csp.lf.par.aux_c1', 'csp.lf.par.aux_c2'): 'aux_array', ('csp.lf.par.bop_val', 'csp.lf.par.bop_pf', 'csp.lf.par.bop_c0', 'csp.lf.par.bop_c1', 'csp.lf.par.bop_c2', 'demand_var'): 'csp.lf.par.bop_total', ('csp.lf.par.aux_val', 'csp.lf.par.aux_pf', 'csp.lf.par.aux_c0', 'csp.lf.par.aux_c1', 'csp.lf.par.aux_c2', 'demand_var'): 'csp.lf.par.aux_total'}, 'ISCC Molten Salt Tower Receiver': {('piping_length', 'piping_loss'): 'piping_loss_tot', ('THT', 'piping_length_mult', 'piping_length_const'): 'piping_length', 'N_panels': 'n_flux_x', (): 'tower_technology', (): 'conv_forced', 'THT': 'h_tower', ('h_rec_panel', 'csp.pt.rec.cav_lip_height_ratio'): 'csp.pt.rec.cav_lip_height', ('D_rec', 'H_rec'): 'rec_aspect', (): 'rec_angle', (): 'h_wind_meas', (): 'eps_wavelength', (): 'conv_wind_dir', (): 'n_flux_y', (): 'conv_coupled', ('T_htf_cold_des', 'T_htf_hot_des'): 'csp.pt.rec.htf_t_avg', ('csp.pt.rec.htf_type', 'csp.pt.rec.htf_t_avg', 'field_fl_props'): 'csp.pt.rec.htf_c_avg', 'csp.pt.rec.max_flow_to_rec': 'm_dot_htf_max', ('solarm', 'q_pb_design'): 'Q_rec_des', 'csp.pt.rec.cav_ap_height': 'csp.pt.rec.cav_panel_height', ('rec_d_spec', 'csp.pt.rec.cav_ap_hw_ratio'): 'csp.pt.rec.cav_ap_height', (): 'conv_model', ('csp.pt.rec.max_oper_frac', 'Q_rec_des', 'csp.pt.rec.htf_c_avg', 'T_htf_hot_des', 'T_htf_cold_des'): 'csp.pt.rec.max_flow_to_rec', 'csp.pt.rec.htf_type': 'rec_htf', 'csp.pt.rec.flow_pattern': 'Flow_type', 'field_fl_props': 'user_fluid', 'csp.pt.rec.material_type': 'mat_tube'}, 'Battery Current and Capacity': {('batt_Qexp_percent', 'batt_Qfull', 'batt_Qnom_percent', 'batt_computed_bank_capacity', 'batt_computed_voltage'): ('batt_Qexp', 'batt_Qnom', 'batt_Qfull_flow'), ('batt_computed_strings', 'LeadAcid_q10', 'batt_Qfull', 'LeadAcid_q20', 'LeadAcid_qn'): ('LeadAcid_q10_computed', 'LeadAcid_q20_computed', 'LeadAcid_qn_computed'), ('batt_size_choice', 'batt_chem', 'batt_bank_power', 'batt_bank_size', 'batt_bank_size_dc_ac', 'batt_dc_ac_efficiency', 'batt_bank_power_dc_ac', 'batt_Qfull', 'batt_bank_voltage', 'batt_Vnom_default', 'batt_bank_ncells_serial', 'batt_bank_nstrings', 'batt_C_rate_max_discharge_input', 'batt_C_rate_max_charge_input', 'batt_current_choice', 'batt_cell_power_discharge_max', 'batt_cell_current_discharge_max', 'batt_bank_nseries_stacks', 'batt_bank_size_specify', 'batt_cell_power_charge_max', 'batt_cell_current_charge_max'): ('batt_computed_voltage', 'batt_computed_series', 'batt_computed_strings', 'batt_num_cells', 'batt_computed_bank_capacity', 'batt_power_discharge_max', 'batt_power_charge_max', 'batt_time_capacity', 'batt_C_rate_max_charge', 'batt_C_rate_max_discharge', 'batt_current_charge_max', 'batt_current_discharge_max', 'batt_computed_stacks_series')}, 'Geothermal Costs': {'geotherm.cost.recap': 'system_recapitalization_cost', (): 'system_use_lifetime_output', 'total_installed_cost': 'geotherm.cost.total_installed_millions', 'sales_tax_rate': 'geotherm.cost.sales_tax.value', ('geotherm.cost.prod_num_wells', 'geotherm.cost.inj_num_wells'): 'geotherm.cost.prod_inj_num_wells', ('geotherm.cost.prod_cost_curve', 'resource_depth'): 'geotherm.cost.prod_per_well', ('geotherm.cost.plm.fixed', 'geotherm.cost.plm.nonfixed'): 'geotherm.cost.plm.total', ('geotherm.cost.inj_cost_curve', 'resource_depth'): 'geotherm.cost.inj_per_well', ('geotherm.cost.plant_total.calc', 'geotherm.cost.plant_total.amount_specified', 'geotherm.cost.plant_total'): 'geotherm.cost.plant_total.amount', ('geotherm.cost.conf_num_wells', 'geotherm.cost.confirm_wells_percent'): 'geotherm.cost.confirm_wells_num', ('geotherm.cost.conf_per_well', 'geotherm.cost.conf_num_wells'): 'geotherm.cost.conf_drill', 'pump_depth': 'geotherm.cost.pump_depth', ('geotherm.cost.contingency_percent', 'geotherm.cost.capital_total'): 'geotherm.cost.contingency', ('geotherm.cost.inj_per_well', 'geotherm.cost.inj_num_wells'): 'geotherm.cost.inj_drill', ('total_direct_cost', 'total_indirect_cost'): 'total_installed_cost', 'gross_output': 'geotherm.cost.plant_size', ('geotherm.cost.surf_per_well', 'geotherm.cost.surf_num_wells'): 'geotherm.cost.surf_non_drill', ('geotherm.cost.plant_auto_estimate', 'geotherm.cost.plant_per_kW_input', 'geotherm.cost.plant_size', 'geotherm.cost.plant_per_kW'): 'geotherm.cost.plant_total', 'pump_size_hp': 'geotherm.cost.pump_size', 'geotherm.cost.inj_wells_drilled': 'geotherm.cost.inj_num_wells', ('total_installed_cost', 'geotherm.net_output'): 'geotherm.cost.installed_per_capacity', ('geotherm.cost.stim_per_well', 'geotherm.cost.stim_num_wells'): 'geotherm.cost.stim_non_drill', ('geotherm.cost.prod_drill', 'geotherm.cost.inj_drill'): 'geotherm.cost.prod_inj_drill', 'geotherm.cost.surf_non_drill': 'geotherm.cost.surf_total', 'geotherm.cost.prod_wells_drilled': 'geotherm.cost.prod_num_wells', ('geotherm.cost.pump_per_foot', 'geotherm.cost.pump_depth'): 'geotherm.cost.pump_installation', 'geotherm.cost.prod_req': 'geotherm.cost.num_pumps', ('geotherm.cost.epc.fixed', 'geotherm.cost.epc.nonfixed'): 'geotherm.cost.epc.total', ('geotherm.cost.prod_inj_drill', 'geotherm.cost.prod_inj_non_drill'): 'geotherm.cost.prod_inj_total', 'geotherm.cost.stim_non_drill': 'geotherm.cost.stim_total', ('geotherm.cost.prod_req', 'geotherm.cost.inj_num_wells'): 'geotherm.cost.stim_num_wells', ('geotherm.cost.prod_req', 'geotherm.cost.confirm_wells_num'): 'geotherm.cost.prod_wells_drilled', ('geotherm.cost.pump_per_hp', 'geotherm.cost.pump_size'): 'geotherm.cost.pump_per_pump', ('geotherm.cost.prod_req', 'geotherm.cost.inj_num_wells'): 'geotherm.cost.surf_num_wells', ('geotherm.cost.contingency', 'geotherm.cost.capital_total'): 'total_direct_cost', ('geotherm.cost.pump_total_per_pump', 'geotherm.cost.num_pumps'): 'geotherm.cost.pumps_total', ('geotherm.cost.drilling.calc', 'geotherm.cost.drilling.amount_specified', 'geotherm.cost.expl_total', 'geotherm.cost.conf_total', 'geotherm.cost.prod_inj_total', 'geotherm.cost.surf_total', 'geotherm.cost.stim_total'): 'geotherm.cost.drilling.amount', ('geotherm.cost.recap_use_calc', 'geotherm.cost.recap_specified', 'geotherm.cost.conf_drill', 'geotherm.cost.prod_inj_drill', 'geotherm.cost.surf_total', 'geotherm.cost.pumps_total'): 'geotherm.cost.recap', ('geotherm.cost.indirect.calc', 'geotherm.cost.indirect.amount_specified', 'geotherm.cost.epc.total', 'geotherm.cost.plm.total', 'geotherm.cost.sales_tax.total'): 'total_indirect_cost', ('geotherm.cost.prod_req', 'geotherm.cost.inj_prod_well_ratio'): 'geotherm.cost.inj_wells_drilled', ('geotherm.cost.pump_installation', 'geotherm.cost.pump_per_pump'): 'geotherm.cost.pump_total_per_pump', ('total_direct_cost', 'geotherm.cost.plm.percent'): 'geotherm.cost.plm.nonfixed', ('total_direct_cost', 'geotherm.cost.epc.percent'): 'geotherm.cost.epc.nonfixed', (): 'system_use_recapitalization', ('geotherm.cost.expl_per_well', 'geotherm.cost.expl_num_wells'): 'geotherm.cost.expl_drill', ('geotherm.cost.expl_multiplier', 'geotherm.cost.prod_per_well'): 'geotherm.cost.expl_per_well', ('geotherm.cost.pumping.calc', 'geotherm.cost.pumping.amount_specified', 'geotherm.cost.pumps_total'): 'geotherm.cost.pumping.amount', ('geotherm.cost.conf_multiplier', 'geotherm.cost.prod_per_well'): 'geotherm.cost.conf_per_well', ('geotherm.cost.drilling.amount', 'geotherm.cost.plant_total.amount', 'geotherm.cost.pumping.amount'): 'geotherm.cost.capital_total', ('geotherm.cost.plant_auto_estimate', 'nameplate', 'resource_type', 'resource_temp', 'resource_depth', 'geothermal_analysis_period', 'model_choice', 'analysis_type', 'num_wells', 'conversion_type', 'plant_efficiency_input', 'conversion_subtype', 'decline_type', 'temp_decline_rate', 'temp_decline_max', 'wet_bulb_temp', 'ambient_pressure', 'well_flow_rate', 'pump_efficiency', 'delta_pressure_equip', 'excess_pressure_pump', 'well_diameter', 'casing_size', 'inj_well_diam', 'design_temp', 'specify_pump_work', 'specified_pump_work_amount', 'rock_thermal_conductivity', 'rock_specific_heat', 'rock_density', 'reservoir_pressure_change_type', 'reservoir_pressure_change', 'reservoir_width', 'reservoir_height', 'reservoir_permeability', 'inj_prod_well_distance', 'subsurface_water_loss', 'fracture_aperature', 'fracture_width', 'num_fractures', 'fracture_angle', 'hr_pl_nlev', 'geotherm.cost.plant_size'): 'geotherm.cost.plant_per_kW', 'num_wells_getem': 'geotherm.cost.prod_req', ('geotherm.cost.prod_per_well', 'geotherm.cost.prod_num_wells'): 'geotherm.cost.prod_drill', ('geotherm.cost.conf_drill', 'geotherm.cost.conf_non_drill'): 'geotherm.cost.conf_total', ('geotherm.cost.sales_tax.value', 'total_direct_cost', 'geotherm.cost.sales_tax.percent'): 'geotherm.cost.sales_tax.total', ('geotherm.cost.expl_drill', 'geotherm.cost.expl_non_drill'): 'geotherm.cost.expl_total'}, 'Tower SolarPilot Capital Costs': {('csp.pt.cost.heliostats_m2', 'site_spec_cost', 'heliostat_spec_cost', 'cost_sf_fixed', 'ui_tower_height', 'ui_receiver_height', 'ui_heliostat_height', 'tower_fixed_cost', 'tower_exp', 'csp.pt.cost.receiver.area', 'rec_ref_cost', 'rec_ref_area', 'rec_cost_exp', 'csp.pt.cost.storage_mwht', 'tes_spec_cost', 'csp.pt.cost.power_block_mwe', 'plant_spec_cost', 'bop_spec_cost', 'fossil_spec_cost', 'contingency_rate', 'csp.pt.cost.total_land_area', 'csp.pt.cost.nameplate', 'csp.pt.cost.epc.per_acre', 'csp.pt.cost.epc.percent', 'csp.pt.cost.epc.per_watt', 'csp.pt.cost.epc.fixed', 'land_spec_cost', 'csp.pt.cost.plm.percent', 'csp.pt.cost.plm.per_watt', 'csp.pt.cost.plm.fixed', 'sales_tax_frac', 'csp.pt.cost.sales_tax.value'): ('csp.pt.cost.site_improvements', 'csp.pt.cost.heliostats', 'csp.pt.cost.tower', 'csp.pt.cost.receiver', 'csp.pt.cost.storage', 'csp.pt.cost.power_block', 'csp.pt.cost.bop', 'csp.pt.cost.fossil', 'ui_direct_subtotal', 'csp.pt.cost.contingency', 'total_direct_cost', 'csp.pt.cost.epc.total', 'csp.pt.cost.plm.total', 'csp.pt.cost.sales_tax.total', 'total_indirect_cost', 'total_installed_cost', 'csp.pt.cost.installed_per_capacity'), (): 'system_use_lifetime_output', 'sales_tax_rate': 'csp.pt.cost.sales_tax.value', ('P_ref', 'demand_var'): 'csp.pt.cost.power_block_mwe', ('P_ref', 'design_eff', 'tshours'): 'csp.pt.cost.storage_mwht', ('receiver_type', 'rec_height', 'D_rec', 'rec_d_spec', 'csp.pt.rec.cav_ap_height', 'd_rec'): 'csp.pt.cost.receiver.area', 'helio_height': 'ui_heliostat_height', 'nameplate': 'csp.pt.cost.nameplate', ('receiver_type', 'rec_height', 'csp.pt.rec.cav_ap_height'): 'csp.pt.cost.rec_height', 'rec_height': 'ui_receiver_height', (): 'system_use_recapitalization', ('THT', 'h_tower'): 'ui_tower_height', 'csp.pt.sf.total_land_area': 'csp.pt.cost.total_land_area', 'A_sf_UI': 'csp.pt.cost.site_improvements_m2', 'A_sf_UI': 'csp.pt.cost.heliostats_m2'}, 'Physical Trough Collector Header': {('IAMs_1', 'IAMs_2', 'IAMs_3', 'IAMs_4'): 'IAM_matrix', ('csp_dtr_sca_w_profile_1', 'csp_dtr_sca_w_profile_2', 'csp_dtr_sca_w_profile_3', 'csp_dtr_sca_w_profile_4', 'arr_collectors_in_loop', 'csp_dtr_sca_aperture_1', 'csp_dtr_sca_aperture_2', 'csp_dtr_sca_aperture_3', 'csp_dtr_sca_aperture_4', 'csp_dtr_sca_tracking_error_1', 'csp_dtr_sca_tracking_error_2', 'csp_dtr_sca_tracking_error_3', 'csp_dtr_sca_tracking_error_4', 'csp_dtr_sca_geometry_effects_1', 'csp_dtr_sca_geometry_effects_2', 'csp_dtr_sca_geometry_effects_3', 'csp_dtr_sca_geometry_effects_4', 'csp_dtr_sca_clean_reflectivity_1', 'csp_dtr_sca_clean_reflectivity_2', 'csp_dtr_sca_clean_reflectivity_3', 'csp_dtr_sca_clean_reflectivity_4', 'csp_dtr_sca_mirror_dirt_1', 'csp_dtr_sca_mirror_dirt_2', 'csp_dtr_sca_mirror_dirt_3', 'csp_dtr_sca_mirror_dirt_4', 'csp_dtr_sca_general_error_1', 'csp_dtr_sca_general_error_2', 'csp_dtr_sca_general_error_3', 'csp_dtr_sca_general_error_4', 'csp_dtr_sca_ave_focal_len_1', 'csp_dtr_sca_ave_focal_len_2', 'csp_dtr_sca_ave_focal_len_3', 'csp_dtr_sca_ave_focal_len_4', 'csp_dtr_sca_length_1', 'csp_dtr_sca_length_2', 'csp_dtr_sca_length_3', 'csp_dtr_sca_length_4', 'csp_dtr_sca_ap_length_1', 'csp_dtr_sca_ap_length_2', 'csp_dtr_sca_ap_length_3', 'csp_dtr_sca_ap_length_4', 'csp_dtr_sca_ncol_per_sca_1', 'csp_dtr_sca_ncol_per_sca_2', 'csp_dtr_sca_ncol_per_sca_3', 'csp_dtr_sca_ncol_per_sca_4', 'csp_dtr_sca_piping_dist_1', 'csp_dtr_sca_piping_dist_2', 'csp_dtr_sca_piping_dist_3', 'csp_dtr_sca_piping_dist_4'): ('W_aperture', 'max_collector_width', 'A_aperture', 'TrackingError', 'GeomEffects', 'Rho_mirror_clean', 'Dirt_mirror', 'Error', 'Ave_Focal_Length', 'L_SCA', 'L_aperture', 'ColperSCA', 'Distance_SCA'), (): 'nColt', ('SCAInfoArray', 'nColt'): ('collectors_in_field', 'arr_collectors_in_loop')}, 'Tower Capital Costs': {('csp.pt.cost.heliostats_m2', 'csp.pt.cost.site_improvements_per_m2', 'csp.pt.cost.heliostats_per_m2', 'csp.pt.cost.fixed_sf', 'ui_tower_height', 'ui_receiver_height', 'ui_heliostat_height', 'csp.pt.cost.tower.fixed', 'csp.pt.cost.tower.scaling_exp', 'csp.pt.cost.receiver.area', 'csp.pt.cost.receiver.ref_cost', 'csp.pt.cost.receiver.ref_area', 'csp.pt.cost.receiver.scaling_exp', 'csp.pt.cost.storage_mwht', 'csp.pt.cost.storage_per_kwht', 'csp.pt.cost.power_block_mwe', 'csp.pt.cost.power_block_per_kwe', 'csp.pt.cost.bop_per_kwe', 'csp.pt.cost.fossil_per_kwe', 'csp.pt.cost.contingency_percent', 'csp.pt.cost.total_land_area', 'csp.pt.cost.nameplate', 'csp.pt.cost.epc.per_acre', 'csp.pt.cost.epc.percent', 'csp.pt.cost.epc.per_watt', 'csp.pt.cost.epc.fixed', 'csp.pt.cost.plm.per_acre', 'csp.pt.cost.plm.percent', 'csp.pt.cost.plm.per_watt', 'csp.pt.cost.plm.fixed', 'csp.pt.cost.sales_tax.percent', 'csp.pt.cost.sales_tax.value'): ('csp.pt.cost.site_improvements', 'csp.pt.cost.heliostats', 'csp.pt.cost.tower', 'csp.pt.cost.receiver', 'csp.pt.cost.storage', 'csp.pt.cost.power_block', 'csp.pt.cost.bop', 'csp.pt.cost.fossil', 'ui_direct_subtotal', 'csp.pt.cost.contingency', 'total_direct_cost', 'csp.pt.cost.epc.total', 'csp.pt.cost.plm.total', 'csp.pt.cost.sales_tax.total', 'total_indirect_cost', 'total_installed_cost', 'csp.pt.cost.installed_per_capacity'), (): 'system_use_lifetime_output', 'sales_tax_rate': 'csp.pt.cost.sales_tax.value', ('P_ref', 'demand_var'): 'csp.pt.cost.power_block_mwe', ('P_ref', 'design_eff', 'tshours'): 'csp.pt.cost.storage_mwht', ('receiver_type', 'H_rec', 'D_rec', 'rec_d_spec', 'csp.pt.rec.cav_ap_height', 'd_rec'): 'csp.pt.cost.receiver.area', 'helio_height': 'ui_heliostat_height', 'nameplate': 'csp.pt.cost.nameplate', ('receiver_type', 'H_rec', 'csp.pt.rec.cav_ap_height'): 'csp.pt.cost.rec_height', 'H_rec': 'ui_receiver_height', (): 'system_use_recapitalization', ('THT', 'h_tower'): 'ui_tower_height', 'csp.pt.sf.total_land_area': 'csp.pt.cost.total_land_area', 'A_sf': 'csp.pt.cost.site_improvements_m2', 'A_sf': 'csp.pt.cost.heliostats_m2'}, 'PBNS Power Block': {'nameplate': 'system_capacity', 'csp.pbns.condenser_type': 'CT', ('csp.pbns.fossil_mode_st', 'csp.pbns.fossil_mode_lf'): 'fossil_mode', ('demand_var', 'eta_ref'): 'q_pb_des', ('demand_var', 'csp.pbns.gross_net_conv_factor'): 'nameplate'}, 'Tower Solar Field': {(): 'opt_flux_penalty', (): 'opt_algorithm', 'dni_des': 'dni_des_calc', 'csp.pt.cost.fossil_per_kwe': 'fossil_spec_cost', 'csp.pt.cost.sales_tax.percent': 'sales_tax_frac', 'csp.pt.cost.contingency_percent': 'contingency_rate', 'csp.pt.cost.storage_per_kwht': 'tes_spec_cost', 'csp.pt.cost.bop_per_kwe': 'bop_spec_cost', 'csp.pt.cost.heliostats_per_m2': 'heliostat_spec_cost', 'override_layout': 'run_type', 'csp.pt.cost.receiver.ref_cost': 'rec_ref_cost', 'helio_optical_error_mrad': 'helio_optical_error', ('helio_positions', 'c_atm_0', 'c_atm_1', 'c_atm_2', 'c_atm_3', 'THT'): 'c_atm_info', 'csp.pt.cost.plm.per_acre': 'land_spec_cost', (): 'V_wind_10', ('csp.pt.sf.fixed_land_area', 'land_area_base', 'csp.pt.sf.land_overhead_factor'): 'csp.pt.sf.total_land_area', 'THT': 'csp.pt.sf.tower_height', 'A_sf': 'helio_area_tot', 'csp.pt.cost.site_improvements_per_m2': 'site_spec_cost', 'csp.pt.cost.receiver.ref_area': 'rec_ref_area', ('helio_width', 'helio_height', 'dens_mirror', 'n_hel'): 'A_sf', 'csp.pt.cost.receiver.scaling_exp': 'rec_cost_exp', (): 'field_control', 'csp.pt.cost.power_block_per_kwe': 'plant_spec_cost', 'csp.pt.cost.tower.scaling_exp': 'tower_exp', 'csp.pt.cost.fixed_sf': 'cost_sf_fixed', 'helio_optical_error_mrad': 'error_equiv', 'helio_positions': 'n_hel', ('land_max', 'THT'): 'land_max_calc', 'H_rec': 'rec_height', 'override_opt': 'is_optimize', ('n_hel', 'csp.pt.sf.heliostat_area'): 'csp.pt.sf.total_reflective_area', 'Q_rec_des': 'q_design', ('helio_height', 'helio_width', 'dens_mirror'): 'csp.pt.sf.heliostat_area', ('land_min', 'THT'): 'land_min_calc', 'csp.pt.cost.tower.fixed': 'tower_fixed_cost'}, 'Generic CSP Solar Field': {('csp.gss.sf.wspd_loss_f3', 'csp.gss.sf.wspd_loss_f2', 'csp.gss.sf.wspd_loss_f1', 'csp.gss.sf.wspd_loss_f0'): 'f_v_wind_loss_des', ('csp.gss.sf.wspd_loss_f3', 'csp.gss.sf.wspd_loss_f2', 'csp.gss.sf.wspd_loss_f1', 'csp.gss.sf.wspd_loss_f0'): 'sfhlV_coefs', ('csp.gss.sf.ambt_loss_f3', 'csp.gss.sf.ambt_loss_f2', 'csp.gss.sf.ambt_loss_f1', 'csp.gss.sf.ambt_loss_f0'): 'sfhlT_coefs', ('qsf_des', 'csp.gss.sf.design_thermal_loss', 'csp.gss.sf.total_opt_eff', 'irr_des'): 'csp.gss.sf.field_area', ('csp.gss.sf.irr_loss_f3', 'csp.gss.sf.irr_loss_f2', 'csp.gss.sf.irr_loss_f1', 'csp.gss.sf.irr_loss_f0'): 'f_dni_loss_des', ('csp.gss.sf.ambt_loss_f3', 'csp.gss.sf.ambt_loss_f2', 'csp.gss.sf.ambt_loss_f1', 'csp.gss.sf.ambt_loss_f0'): 'f_t_amb_loss_des', ('csp.gss.sf.irr_loss_f3', 'csp.gss.sf.irr_loss_f2', 'csp.gss.sf.irr_loss_f1', 'csp.gss.sf.irr_loss_f0'): 'sfhlQ_coefs', 'csp.gss.sf.rad_type': 'rad_type', 'csp.gss.sf.rad_type': 'track_mode', ('f_sfhl_ref', 'qsf_des'): 'csp.gss.sf.design_thermal_loss', ('OpticalTable', 'istableunsorted'): 'csp.gss.sf.peak_opt_eff', ('csp.gss.sf.peak_opt_eff', 'eta_opt_soil', 'eta_opt_gen'): 'csp.gss.sf.total_opt_eff', ('csp.gss.solf.fixed_land_area', 'csp.gss.solf.land_overhead_factor'): 'csp.gss.solf.total_land_area', 'csp.gss.sf.field_area': 'csp.gss.solf.fixed_land_area', ('f_dni_loss_des', 'f_t_amb_loss_des', 'f_v_wind_loss_des'): 'f_loss_tot_des', ('w_des', 'eta_des', 'solarm'): 'qsf_des'}, 'Battery Thermal': {('solar_resource_file', 'spec_mode', 'energy_output_array', 'batt_thermal_choice', 'batt_room_temperature_single', 'batt_room_temperature_vector'): 'batt_room_temperature_celsius', 'batt_volume': 'batt_width', 'batt_volume': 'batt_length', ('batt_computed_bank_capacity', 'batt_specific_energy_per_volume'): 'batt_volume', 'batt_volume': 'batt_height', ('batt_computed_bank_capacity', 'batt_specific_energy_per_mass'): 'batt_mass'}, 'Empirical Trough Thermal Storage': {('ui_tes_htf_type', 'ui_field_htf_type', 'ui_q_design', 'TurTesOutAdj', 'TurTesEffAdj', 'MaxGrOut'): 'PFSmax', 'ui_q_design': 'ui_tes_q_design', ('TSHOURS', 'ui_q_design'): 'calc_max_energy', ('ui_tes_htf_type', 'ui_field_htf_type', 'Solar_Field_Mult'): 'calc_heat_ex_duty', ('ui_tes_htf_type', 'ui_field_htf_type', 'ui_q_design', 'Solar_Field_Mult', 'MaxGrOut', 'calc_heat_ex_duty'): 'PTSmax', 'ui_tes_htf_type': 'calc_htf_max_opt_temp', 'ui_tes_htf_type': 'calc_htf_min_opt_temp'}, 'Rankine Cycle and Hybrid Cooling': {('hybrid_tou1', 'hybrid_tou2', 'hybrid_tou3', 'hybrid_tou4', 'hybrid_tou5', 'hybrid_tou6', 'hybrid_tou7', 'hybrid_tou8', 'hybrid_tou9'): 'F_wc', 'combo_condenser_type': 'CT', 'pressure_mode': 'tech_type'}, 'Direct Steam Tower Parasitics': {(): 'bop_array', ('aux_par', 'aux_par_f', 'aux_par_0', 'aux_par_1', 'aux_par_2', 'demand_var'): 'csp.dst.calc.aux', ('bop_par', 'bop_par_f', 'bop_par_0', 'bop_par_1', 'bop_par_2', 'demand_var'): 'csp.dst.calc.bop', ('THT', 'piping_length_mult', 'piping_length_add'): 'Piping_length', ('Piping_length', 'Piping_loss'): 'Piping_loss_tot', (): 'aux_array'}, 'Financial Debt DSCR or Debt Fraction': {('real_discount_rate', 'inflation_rate', 'debt_percent', 'federal_tax_rate', 'state_tax_rate', 'term_int_rate'): 'ui_wacc'}, 'Battery Dispatch Front of Meter': {('batt_dispatch_choice', 'dispatch_factor1', 'dispatch_factor2', 'dispatch_factor3', 'dispatch_factor4', 'dispatch_factor5', 'dispatch_factor6', 'dispatch_factor7', 'dispatch_factor8', 'dispatch_factor9'): 'dispatch_tod_factors'}, 'Linear Fresnel Boiler Geometry': {('csp.lf.geom1.var1.broken_glass', 'csp.lf.geom1.var2.broken_glass', 'csp.lf.geom1.var3.broken_glass', 'csp.lf.geom1.var4.broken_glass'): 'csp.lf.geom1.glazing_intact', ('csp.lf.geom1.var1.gas_type', 'csp.lf.geom1.var2.gas_type', 'csp.lf.geom1.var3.gas_type', 'csp.lf.geom1.var4.gas_type'): 'csp.lf.geom1.annulus_gas', ('csp.lf.geom1.hl_mode', 'csp.lf.geom1.var1.field_fraction', 'csp.lf.geom1.var1.bellows_shadowing', 'csp.lf.geom1.var1.hce_dirt', 'csp.lf.geom1.var2.field_fraction', 'csp.lf.geom1.var2.bellows_shadowing', 'csp.lf.geom1.var2.hce_dirt', 'csp.lf.geom1.var3.field_fraction', 'csp.lf.geom1.var3.bellows_shadowing', 'csp.lf.geom1.var3.hce_dirt', 'csp.lf.geom1.var4.field_fraction', 'csp.lf.geom1.var4.bellows_shadowing', 'csp.lf.geom1.var4.hce_dirt'): 'csp.lf.geom1.rec_optical_derate', ('csp.lf.geom1.hl_mode', 'csp.lf.geom1.hlpolyt0', 'csp.lf.geom1.hlpolyt1', 'csp.lf.geom1.avg_field_temp_dt_design', 'csp.lf.geom1.hlpolyt2', 'csp.lf.geom1.hlpolyt3', 'csp.lf.geom1.hlpolyt4', 'csp.lf.geom1.var1.field_fraction', 'csp.lf.geom1.var1.rated_heat_loss', 'csp.lf.geom1.var2.field_fraction', 'csp.lf.geom1.var2.rated_heat_loss', 'csp.lf.geom1.var3.field_fraction', 'csp.lf.geom1.var3.rated_heat_loss', 'csp.lf.geom1.var4.field_fraction', 'csp.lf.geom1.var4.rated_heat_loss'): 'csp.lf.geom1.heat_loss_at_design', ('csp.lf.geom1.heat_loss_at_design', 'I_bn_des', 'csp.lf.geom1.refl_aper_area', 'csp.lf.geom1.coll_length'): 'csp.lf.geom1.rec_thermal_derate', ('T_cold_ref', 'T_hot', 'T_amb_des_sf'): 'csp.lf.geom1.avg_field_temp_dt_design', ('csp.lf.geom1.track_error', 'csp.lf.geom1.geom_error', 'csp.lf.geom1.mirror_refl', 'csp.lf.geom1.soiling', 'csp.lf.geom1.general_error'): 'csp.lf.geom1.coll_opt_loss_norm_inc'}, 'Battery Model': {'batt_type': 'batt_chem'}, 'Physical Trough Receiver Header': {('csp_dtr_hce_var1_bellows_shadowing_1', 'csp_dtr_hce_var2_bellows_shadowing_1', 'csp_dtr_hce_var3_bellows_shadowing_1', 'csp_dtr_hce_var4_bellows_shadowing_1', 'csp_dtr_hce_var1_bellows_shadowing_2', 'csp_dtr_hce_var2_bellows_shadowing_2', 'csp_dtr_hce_var3_bellows_shadowing_2', 'csp_dtr_hce_var4_bellows_shadowing_2', 'csp_dtr_hce_var1_bellows_shadowing_3', 'csp_dtr_hce_var2_bellows_shadowing_3', 'csp_dtr_hce_var3_bellows_shadowing_3', 'csp_dtr_hce_var4_bellows_shadowing_3', 'csp_dtr_hce_var1_bellows_shadowing_4', 'csp_dtr_hce_var2_bellows_shadowing_4', 'csp_dtr_hce_var3_bellows_shadowing_4', 'csp_dtr_hce_var4_bellows_shadowing_4'): 'Shadowing', ('csp_dtr_hce_var1_gas_type_1', 'csp_dtr_hce_var2_gas_type_1', 'csp_dtr_hce_var3_gas_type_1', 'csp_dtr_hce_var4_gas_type_1', 'csp_dtr_hce_var1_gas_type_2', 'csp_dtr_hce_var2_gas_type_2', 'csp_dtr_hce_var3_gas_type_2', 'csp_dtr_hce_var4_gas_type_2', 'csp_dtr_hce_var1_gas_type_3', 'csp_dtr_hce_var2_gas_type_3', 'csp_dtr_hce_var3_gas_type_3', 'csp_dtr_hce_var4_gas_type_3', 'csp_dtr_hce_var1_gas_type_4', 'csp_dtr_hce_var2_gas_type_4', 'csp_dtr_hce_var3_gas_type_4', 'csp_dtr_hce_var4_gas_type_4'): 'AnnulusGas', ('csp_dtr_hce_var1_annulus_pressure_1', 'csp_dtr_hce_var2_annulus_pressure_1', 'csp_dtr_hce_var3_annulus_pressure_1', 'csp_dtr_hce_var4_annulus_pressure_1', 'csp_dtr_hce_var1_annulus_pressure_2', 'csp_dtr_hce_var2_annulus_pressure_2', 'csp_dtr_hce_var3_annulus_pressure_2', 'csp_dtr_hce_var4_annulus_pressure_2', 'csp_dtr_hce_var1_annulus_pressure_3', 'csp_dtr_hce_var2_annulus_pressure_3', 'csp_dtr_hce_var3_annulus_pressure_3', 'csp_dtr_hce_var4_annulus_pressure_3', 'csp_dtr_hce_var1_annulus_pressure_4', 'csp_dtr_hce_var2_annulus_pressure_4', 'csp_dtr_hce_var3_annulus_pressure_4', 'csp_dtr_hce_var4_annulus_pressure_4'): 'P_a', ('csp_dtr_hce_var1_env_emis_1', 'csp_dtr_hce_var2_env_emis_1', 'csp_dtr_hce_var3_env_emis_1', 'csp_dtr_hce_var4_env_emis_1', 'csp_dtr_hce_var1_env_emis_2', 'csp_dtr_hce_var2_env_emis_2', 'csp_dtr_hce_var3_env_emis_2', 'csp_dtr_hce_var4_env_emis_2', 'csp_dtr_hce_var1_env_emis_3', 'csp_dtr_hce_var2_env_emis_3', 'csp_dtr_hce_var3_env_emis_3', 'csp_dtr_hce_var4_env_emis_3', 'csp_dtr_hce_var1_env_emis_4', 'csp_dtr_hce_var2_env_emis_4', 'csp_dtr_hce_var3_env_emis_4', 'csp_dtr_hce_var4_env_emis_4'): ('EPSILON_4', 'EPSILON_5'), ('csp_dtr_hce_var1_env_trans_1', 'csp_dtr_hce_var2_env_trans_1', 'csp_dtr_hce_var3_env_trans_1', 'csp_dtr_hce_var4_env_trans_1', 'csp_dtr_hce_var1_env_trans_2', 'csp_dtr_hce_var2_env_trans_2', 'csp_dtr_hce_var3_env_trans_2', 'csp_dtr_hce_var4_env_trans_2', 'csp_dtr_hce_var1_env_trans_3', 'csp_dtr_hce_var2_env_trans_3', 'csp_dtr_hce_var3_env_trans_3', 'csp_dtr_hce_var4_env_trans_3', 'csp_dtr_hce_var1_env_trans_4', 'csp_dtr_hce_var2_env_trans_4', 'csp_dtr_hce_var3_env_trans_4', 'csp_dtr_hce_var4_env_trans_4'): 'Tau_envelope', ('csp_dtr_hce_var1_abs_abs_1', 'csp_dtr_hce_var2_abs_abs_1', 'csp_dtr_hce_var3_abs_abs_1', 'csp_dtr_hce_var4_abs_abs_1', 'csp_dtr_hce_var1_abs_abs_2', 'csp_dtr_hce_var2_abs_abs_2', 'csp_dtr_hce_var3_abs_abs_2', 'csp_dtr_hce_var4_abs_abs_2', 'csp_dtr_hce_var1_abs_abs_3', 'csp_dtr_hce_var2_abs_abs_3', 'csp_dtr_hce_var3_abs_abs_3', 'csp_dtr_hce_var4_abs_abs_3', 'csp_dtr_hce_var1_abs_abs_4', 'csp_dtr_hce_var2_abs_abs_4', 'csp_dtr_hce_var3_abs_abs_4', 'csp_dtr_hce_var4_abs_abs_4'): 'alpha_abs', ('csp_dtr_hce_var1_broken_glass_1', 'csp_dtr_hce_var2_broken_glass_1', 'csp_dtr_hce_var3_broken_glass_1', 'csp_dtr_hce_var4_broken_glass_1', 'csp_dtr_hce_var1_broken_glass_2', 'csp_dtr_hce_var2_broken_glass_2', 'csp_dtr_hce_var3_broken_glass_2', 'csp_dtr_hce_var4_broken_glass_2', 'csp_dtr_hce_var1_broken_glass_3', 'csp_dtr_hce_var2_broken_glass_3', 'csp_dtr_hce_var3_broken_glass_3', 'csp_dtr_hce_var4_broken_glass_3', 'csp_dtr_hce_var1_broken_glass_4', 'csp_dtr_hce_var2_broken_glass_4', 'csp_dtr_hce_var3_broken_glass_4', 'csp_dtr_hce_var4_broken_glass_4'): 'GlazingIntactIn', ('csp_dtr_hce_var1_env_abs_1', 'csp_dtr_hce_var2_env_abs_1', 'csp_dtr_hce_var3_env_abs_1', 'csp_dtr_hce_var4_env_abs_1', 'csp_dtr_hce_var1_env_abs_2', 'csp_dtr_hce_var2_env_abs_2', 'csp_dtr_hce_var3_env_abs_2', 'csp_dtr_hce_var4_env_abs_2', 'csp_dtr_hce_var1_env_abs_3', 'csp_dtr_hce_var2_env_abs_3', 'csp_dtr_hce_var3_env_abs_3', 'csp_dtr_hce_var4_env_abs_3', 'csp_dtr_hce_var1_env_abs_4', 'csp_dtr_hce_var2_env_abs_4', 'csp_dtr_hce_var3_env_abs_4', 'csp_dtr_hce_var4_env_abs_4'): 'alpha_env', ('csp_dtr_hce_var1_rated_heat_loss_1', 'csp_dtr_hce_var2_rated_heat_loss_1', 'csp_dtr_hce_var3_rated_heat_loss_1', 'csp_dtr_hce_var4_rated_heat_loss_1', 'csp_dtr_hce_var1_rated_heat_loss_2', 'csp_dtr_hce_var2_rated_heat_loss_2', 'csp_dtr_hce_var3_rated_heat_loss_2', 'csp_dtr_hce_var4_rated_heat_loss_2', 'csp_dtr_hce_var1_rated_heat_loss_3', 'csp_dtr_hce_var2_rated_heat_loss_3', 'csp_dtr_hce_var3_rated_heat_loss_3', 'csp_dtr_hce_var4_rated_heat_loss_3', 'csp_dtr_hce_var1_rated_heat_loss_4', 'csp_dtr_hce_var2_rated_heat_loss_4', 'csp_dtr_hce_var3_rated_heat_loss_4', 'csp_dtr_hce_var4_rated_heat_loss_4'): 'Design_loss', ('csp_dtr_hce_var1_field_fraction_1', 'csp_dtr_hce_var2_field_fraction_1', 'csp_dtr_hce_var3_field_fraction_1', 'csp_dtr_hce_var4_field_fraction_1', 'csp_dtr_hce_var1_field_fraction_2', 'csp_dtr_hce_var2_field_fraction_2', 'csp_dtr_hce_var3_field_fraction_2', 'csp_dtr_hce_var4_field_fraction_2', 'csp_dtr_hce_var1_field_fraction_3', 'csp_dtr_hce_var2_field_fraction_3', 'csp_dtr_hce_var3_field_fraction_3', 'csp_dtr_hce_var4_field_fraction_3', 'csp_dtr_hce_var1_field_fraction_4', 'csp_dtr_hce_var2_field_fraction_4', 'csp_dtr_hce_var3_field_fraction_4', 'csp_dtr_hce_var4_field_fraction_4'): 'HCE_FieldFrac', ('csp_dtr_hce_diam_envelope_inner_1', 'csp_dtr_hce_diam_envelope_inner_2', 'csp_dtr_hce_diam_envelope_inner_3', 'csp_dtr_hce_diam_envelope_inner_4'): 'D_4', ('csp_dtr_hce_absorber_material_1', 'csp_dtr_hce_absorber_material_2', 'csp_dtr_hce_absorber_material_3', 'csp_dtr_hce_absorber_material_4'): 'AbsorberMaterial', ('csp_dtr_hce_flow_type_1', 'csp_dtr_hce_flow_type_2', 'csp_dtr_hce_flow_type_3', 'csp_dtr_hce_flow_type_4'): 'Flow_type', ('csp_dtr_hce_var1_hce_dirt_1', 'csp_dtr_hce_var2_hce_dirt_1', 'csp_dtr_hce_var3_hce_dirt_1', 'csp_dtr_hce_var4_hce_dirt_1', 'csp_dtr_hce_var1_hce_dirt_2', 'csp_dtr_hce_var2_hce_dirt_2', 'csp_dtr_hce_var3_hce_dirt_2', 'csp_dtr_hce_var4_hce_dirt_2', 'csp_dtr_hce_var1_hce_dirt_3', 'csp_dtr_hce_var2_hce_dirt_3', 'csp_dtr_hce_var3_hce_dirt_3', 'csp_dtr_hce_var4_hce_dirt_3', 'csp_dtr_hce_var1_hce_dirt_4', 'csp_dtr_hce_var2_hce_dirt_4', 'csp_dtr_hce_var3_hce_dirt_4', 'csp_dtr_hce_var4_hce_dirt_4'): 'Dirt_HCE', ('csp_dtr_hce_inner_roughness_1', 'csp_dtr_hce_inner_roughness_2', 'csp_dtr_hce_inner_roughness_3', 'csp_dtr_hce_inner_roughness_4'): 'Rough', ('csp_dtr_hce_diam_absorber_plug_1', 'csp_dtr_hce_diam_absorber_plug_2', 'csp_dtr_hce_diam_absorber_plug_3', 'csp_dtr_hce_diam_absorber_plug_4'): 'D_p', ('csp_dtr_hce_diam_envelope_outer_1', 'csp_dtr_hce_diam_envelope_outer_2', 'csp_dtr_hce_diam_envelope_outer_3', 'csp_dtr_hce_diam_envelope_outer_4'): 'D_5', ('csp_dtr_hce_diam_absorber_outer_1', 'csp_dtr_hce_diam_absorber_outer_2', 'csp_dtr_hce_diam_absorber_outer_3', 'csp_dtr_hce_diam_absorber_outer_4'): 'D_3', ('csp_dtr_hce_diam_absorber_inner_1', 'csp_dtr_hce_diam_absorber_inner_2', 'csp_dtr_hce_diam_absorber_inner_3', 'csp_dtr_hce_diam_absorber_inner_4'): 'D_2', ('SCAInfoArray', 'nColt'): 'receivers_in_field'}, 'PV Shading': {'subarray4_gcr': 'subarray4_gcr_ref', 'subarray1_gcr': 'subarray1_gcr_ref', ('subarray4_enable', 'subarray4_nstrings', 'subarray4_modules_per_string'): 'subarray4_ref_nmodules', ('subarray1_nstrings', 'subarray1_modules_per_string'): 'subarray1_ref_nmodules', ('subarray4_ref_nmodules', 'subarray4_nmodx', 'subarray4_nmody'): 'ui_subarray4_nrows', ('subarray3_ref_nmodules', 'subarray3_nmodx', 'subarray3_nmody'): 'ui_subarray3_nrows', ('subarray2_ref_nmodules', 'subarray2_nmodx', 'subarray2_nmody'): 'ui_subarray2_nrows', ('module_area', 'module_width', 'module_length', 'subarray4_nmody', 'subarray4_mod_orient', 'subarray4_gcr_ref'): 'ui_subarray4_row_spacing', 'subarray2_gcr': 'subarray2_gcr_ref', ('module_area', 'module_width', 'module_length', 'subarray3_nmody', 'subarray3_mod_orient', 'subarray3_gcr_ref'): 'ui_subarray3_row_spacing', ('module_area', 'module_width', 'module_length', 'subarray1_nmody', 'subarray1_mod_orient', 'subarray1_gcr_ref'): 'ui_subarray1_row_spacing', ('module_area', 'module_width', 'module_length', 'subarray2_nmody', 'subarray2_mod_orient', 'subarray2_gcr_ref'): 'ui_subarray2_row_spacing', ('subarray1_ref_nmodules', 'subarray1_nmodx', 'subarray1_nmody'): 'ui_subarray1_nrows', 'subarray3_gcr': 'subarray3_gcr_ref', ('subarray3_mod_orient', 'subarray3_nmody', 'module_length', 'module_width'): 'ui_subarray3_length_side', ('subarray4_mod_orient', 'subarray4_nmody', 'module_length', 'module_width'): 'ui_subarray4_length_side', ('module_model', 'spe_area', 'cec_area', '6par_area', 'snl_area', 'sd11par_area'): 'module_area', ('subarray2_mod_orient', 'subarray2_nmody', 'module_length', 'module_width'): 'ui_subarray2_length_side', ('subarray1_mod_orient', 'subarray1_nmody', 'module_length', 'module_width'): 'ui_subarray1_length_side', ('subarray3_enable', 'subarray3_nstrings', 'subarray3_modules_per_string'): 'subarray3_ref_nmodules', ('subarray2_enable', 'subarray2_nstrings', 'subarray2_modules_per_string'): 'subarray2_ref_nmodules', ('module_area', 'module_aspect_ratio'): 'module_length', ('module_area', 'module_aspect_ratio'): 'module_width'}, 'IEC61853 Single Diode Model': {'iec61853_test_data': ('sd11par_Pmp0', 'sd11par_Vmp0', 'sd11par_Isc0', 'sd11par_Voc0', 'sd11par_Imp0'), ('sd11par_Pmp0', 'sd11par_area'): 'sd11par_eff'}, 'Wind Turbine Design': {('wind.turbine.radio_list_or_design', 'wind_turbine_powercurve_windspeeds_from_lib', 'wind_turbine_powercurve_powerout_from_lib', 'wind_turbine_kw_rating_from_lib', 'wind_turbine_kw_rating_input', 'wind_turbine_rotor_diameter_input', 'wind_turbine_hub_ht', 'wind.turbine.elevation', 'wind_resource_model_choice', 'wind_turbine_max_cp', 'wind.turbine.max_tip_speed', 'wind.turbine.max_tspeed_ratio', 'wind.turbine.region2nhalf_slope', 'wind_turbine_cutin', 'wind_turbine_cut_out', 'wind.turbine.drive_train'): ('wind_turbine_powercurve_windspeeds', 'wind_turbine_powercurve_powerout', 'wind_turbine_rated_wind_speed', 'wind_turbine_powercurve_err_msg', 'wind_turbine_powercurve_hub_efficiency'), ('wind.turbine.radio_list_or_design', 'wind_turbine_kw_rating_from_lib', 'wind_turbine_kw_rating_input'): 'wind_turbine_kw_rating', ('wind.turbine.radio_list_or_design', 'wind_turbine_rotor_diameter_from_lib', 'wind_turbine_rotor_diameter_input'): 'wind_turbine_rotor_diameter'}, 'Inverter CEC Database': {('inv_snl_vdco', 'inv_snl_pdco', 'inv_snl_pso', 'inv_snl_paco', 'inv_snl_c0', 'inv_snl_c1', 'inv_snl_c2', 'inv_snl_c3'): ('inv_snl_eff_cec', 'inv_snl_eff_euro')}, 'Electric Load': {(): 'ui_annual_load', ('load_model', 'escal_other', 'escal_belpe'): 'load_escalation'}, 'Financial Debt Min DSCR': {'construction_financing_cost': 'ui_construction_financing_cost', ('real_discount_rate', 'inflation_rate', 'debt_fraction', 'federal_tax_rate', 'state_tax_rate', 'loan_rate'): 'ui_wacc', ('ui_net_capital_cost', 'debt_fraction', 'construction_financing_cost'): 'ui_loan_amount', ('total_installed_cost', 'ibi_fed_amount', 'ibi_sta_amount', 'ibi_uti_amount', 'ibi_oth_amount', 'ibi_fed_percent', 'ibi_fed_percent_maxvalue', 'ibi_sta_percent', 'ibi_sta_percent_maxvalue', 'ibi_uti_percent', 'ibi_uti_percent_maxvalue', 'ibi_oth_percent', 'ibi_oth_percent_maxvalue', 'system_capacity', 'cbi_fed_amount', 'cbi_fed_maxvalue', 'cbi_sta_amount', 'cbi_sta_maxvalue', 'cbi_uti_amount', 'cbi_uti_maxvalue', 'cbi_oth_amount', 'cbi_oth_maxvalue'): 'ui_net_capital_cost'}, 'Solar Water Heating Costs': {('epc_total', 'plm_total', 'sales_tax_total'): 'total_indirect', 'sales_tax_rate': 'sales_tax_value', ('plm_percent', 'total_direct'): 'plm_nonfixed', ('total_installed_cost', 'system_capacity'): 'installed_per_capacity', ('sales_tax_value', 'total_direct', 'sales_tax_percent'): 'sales_tax_total', ('contingency_percent', 'collector', 'storage', 'bos', 'installation'): 'contingency', 'ncoll': 'num_collectors', (): 'system_use_lifetime_output', ('contingency', 'bos', 'installation', 'storage', 'collector'): 'total_direct', ('collector_cost_units', 'total_area', 'system_capacity', 'num_collectors', 'per_collector'): 'collector', ('epc_percent', 'total_direct'): 'epc_nonfixed', (): 'system_use_recapitalization', ('storage_cost_units', 'V_tank', 'per_storage'): 'storage', ('epc_nonfixed', 'epc_fixed'): 'epc_total', ('total_direct', 'total_indirect'): 'total_installed_cost', ('plm_nonfixed', 'plm_fixed'): 'plm_total'}, 'MSPT System Control': {'disp_wlim_max': 'wlim_series', ('disp_wlim_maxspec', 'adjust'): 'disp_wlim_max', 'is_dispatch': 'is_wlim_series', ('aux_par', 'aux_par_f', 'aux_par_0', 'aux_par_1', 'aux_par_2', 'P_ref'): 'csp.pt.par.calc.aux', ('bop_par', 'bop_par_f', 'bop_par_0', 'bop_par_1', 'bop_par_2', 'P_ref'): 'csp.pt.par.calc.bop'}, 'Molten Salt Linear Fresnel Parasitics': {('csp.mslf.control.bop_array_mult', 'csp.mslf.control.bop_array_pf', 'csp.mslf.control.bop_array_c0', 'csp.mslf.control.bop_array_c1', 'csp.mslf.control.bop_array_c2'): 'bop_array', ('csp.mslf.control.bop_array_mult', 'csp.mslf.control.bop_array_pf', 'csp.mslf.control.bop_array_c0', 'csp.mslf.control.bop_array_c1', 'csp.mslf.control.bop_array_c2', 'P_ref'): 'csp.mslf.par.calc.bop', ('csp.mslf.control.aux_array_mult', 'csp.mslf.control.aux_array_pf', 'csp.mslf.control.aux_array_c0', 'csp.mslf.control.aux_array_c1', 'csp.mslf.control.aux_array_c2', 'P_ref'): 'csp.mslf.par.calc.aux', ('csp.mslf.control.aux_array_mult', 'csp.mslf.control.aux_array_pf', 'csp.mslf.control.aux_array_c0', 'csp.mslf.control.aux_array_c1', 'csp.mslf.control.aux_array_c2'): 'aux_array', ('nMod', 'nLoops', 'SCA_drives_elec'): 'csp.mslf.par.calc.tracking', ('P_ref', 'pb_fixed_par'): 'csp.mslf.par.calc.frac_gross'}, 'Inverter Part Load Curve': {'inv_pd_data': ('inv_pd_partload', 'inv_pd_efficiency'), ('inv_pd_paco', 'inv_pd_eff'): 'inv_pd_pdco', ('inv_pd_eff_type', 'inv_pd_eff_cec', 'inv_pd_eff_euro'): 'inv_pd_eff'}, 'CSP Dispatch Control': {('ui_disp_1_fossil', 'ui_disp_2_fossil', 'ui_disp_3_fossil', 'ui_disp_4_fossil', 'ui_disp_5_fossil', 'ui_disp_6_fossil', 'ui_disp_7_fossil', 'ui_disp_8_fossil', 'ui_disp_9_fossil', 'ui_disp_1_nosolar', 'ui_disp_2_nosolar', 'ui_disp_3_nosolar', 'ui_disp_4_nosolar', 'ui_disp_5_nosolar', 'ui_disp_6_nosolar', 'ui_disp_7_nosolar', 'ui_disp_8_nosolar', 'ui_disp_9_nosolar', 'ui_disp_1_solar', 'ui_disp_2_solar', 'ui_disp_3_solar', 'ui_disp_4_solar', 'ui_disp_5_solar', 'ui_disp_6_solar', 'ui_disp_7_solar', 'ui_disp_8_solar', 'ui_disp_9_solar', 'ui_disp_1_turbout', 'ui_disp_2_turbout', 'ui_disp_3_turbout', 'ui_disp_4_turbout', 'ui_disp_5_turbout', 'ui_disp_6_turbout', 'ui_disp_7_turbout', 'ui_disp_8_turbout', 'ui_disp_9_turbout'): ('FossilFill', 'TSLogic', 'NUMTOU', 'ffrac', 'tslogic_a', 'tslogic_b', 'tslogic_c', 'fdisp', 'diswos', 'disws', 'qdisp')}, 'HCPV Array': {('array_num_inverters', 'inv_snl_paco'): 'hcpv.array.ac_capacity', (): 'hcpv.array.average_soiling', ('array_modules_per_tracker', 'array_num_trackers', 'hcpv.module.power'): 'hcpv.array.nameplate', ('hcpv.array.nameplate', 'inv_snl_pdco'): 'array_num_inverters', ('array_tracker_power_fraction', 'hcpv.array.single_tracker_nameplate'): 'hcpv.array.tracker_power', ('array_modules_per_tracker', 'hcpv.module.power'): 'hcpv.array.single_tracker_nameplate', ('hcpv.module.est_eff', 'array_tracking_error', 'array_dc_wiring_loss', 'hcpv.array.average_soiling', 'array_dc_mismatch_loss', 'array_diode_conn_loss', 'array_ac_wiring_loss', 'inv_snl_paco', 'inv_snl_pdco'): 'hcpv.array.overall_est_eff', 'hcpv.array.nameplate': 'system_capacity', ('hcpv.module.area', 'array_modules_per_tracker', 'array_num_trackers', 'hcpv.array.packing_factor'): 'hcpv.array.total_land_area'}, 'Direct Steam Tower Receiver': {'csp.dst.num_2panelgroups': 'n_flux_x', (): 'tower_technology', 'eta_ref': 'design_eff', 'T_sh_out_des': 'T_hot', (): 'T_cold_ref', 'q_rec_des': 'Q_rec_des', 'T_sh_out_des': 'T_hot_ref', 'h_tower': 'THT', 'demand_var': 'P_ref', 'P_rh_ref': 'P_hp_out', 'P_boil_des': 'P_b_in_init', ('h_boiler', 'h_sh', 'h_rh'): 'H_rec', 'P_rh_ref': 'P_hp_out_des', (): 'T_hp_out', 'csp.dst.flow_pattern': 'flowtype', 'P_boil_des': 'P_hp_in_des', 'demand_var': 'Design_power', 'cycle_max_fraction': 'cycle_max_frac', 't_sby': 't_standby_ini', 'q_sby_frac': 'f_pb_sb', 'rh_frac_ref': 'f_mdotrh_des', 'cycle_cutoff_frac': 'f_pb_cutoff', 'P_rh_ref': 'P_cond_init', 'rh_frac_ref': 'f_mdot_rh_init', ('demand_var', 'eta_ref'): 'q_aux_max', 'LHV_eff': 'lhv_eff', (): 'T_fw_init', ('sh_q_loss_flux', 'csp.dst.max_sh_flux'): 'csp.dst.eff_sh_ref', ('b_q_loss_flux', 'csp.dst.max_b_flux'): 'csp.dst.eff_b_ref', 'T_rh_out_des': 'T_rh_target', (): 'rec_htf', ('demand_var', 'eta_ref', 'csp.dst.solar_multiple'): 'q_rec_des', 'csp.dst.mat_rh': 'mat_rh', 'demand_var': 'p_cycle_design', ('rh_q_loss_flux', 'csp.dst.max_rh_flux'): 'csp.dst.eff_rh_ref', 'csp.dst.num_2panelgroups': 'n_panels', 'CT': 'ct', ('d_rec', 'H_rec'): 'rec_aspect', 'csp.dst.mat_boiler': 'mat_boiler', ('demand_var', 'eta_ref'): 'q_pb_design', 'csp.dst.mat_sh': 'mat_sh'}, 'LF DSG Boiler Header': {(): 'sh_OpticalTable', 'csp.lf.geom1.solpos_collinc_table': 'b_OpticalTable', (): 'sh_eps_HCE4', (): 'sh_eps_HCE3', (): 'sh_eps_HCE2', (): 'sh_eps_HCE1', 'csp.lf.geom1.var4.abs_emis': 'b_eps_HCE4', 'csp.lf.geom1.glazing_intact': 'GlazingIntactIn', 'csp.lf.geom1.var1.abs_emis': 'b_eps_HCE1', ('csp.lf.geom1.var1.annulus_pressure', 'csp.lf.geom1.var2.annulus_pressure', 'csp.lf.geom1.var3.annulus_pressure', 'csp.lf.geom1.var4.annulus_pressure'): 'P_a', 'csp.lf.geom1.annulus_gas': 'AnnulusGas', ('csp.lf.geom1.var1.env_trans', 'csp.lf.geom1.var2.env_trans', 'csp.lf.geom1.var3.env_trans', 'csp.lf.geom1.var4.env_trans'): 'Tau_envelope', 'csp.lf.geom1.var3.abs_emis': 'b_eps_HCE3', ('csp.lf.geom1.iamt0', 'csp.lf.geom1.iamt1', 'csp.lf.geom1.iamt2', 'csp.lf.geom1.iamt3', 'csp.lf.geom1.iamt4'): 'IAM_T', ('csp.lf.geom1.var1.env_emis', 'csp.lf.geom1.var2.env_emis', 'csp.lf.geom1.var3.env_emis', 'csp.lf.geom1.var4.env_emis'): 'EPSILON_4', ('csp.lf.geom1.var1.env_abs', 'csp.lf.geom1.var2.env_abs', 'csp.lf.geom1.var3.env_abs', 'csp.lf.geom1.var4.env_abs'): 'alpha_env', 'csp.lf.geom1.var2.abs_emis': 'b_eps_HCE2', ('csp.lf.geom1.var1.hce_dirt', 'csp.lf.geom1.var2.hce_dirt', 'csp.lf.geom1.var3.hce_dirt', 'csp.lf.geom1.var4.hce_dirt'): 'Dirt_HCE', ('csp.lf.geom1.iaml0', 'csp.lf.geom1.iaml1', 'csp.lf.geom1.iaml2', 'csp.lf.geom1.iaml3', 'csp.lf.geom1.iaml4'): 'IAM_L', ('csp.lf.geom1.hlpolyw0', 'csp.lf.geom1.hlpolyw1', 'csp.lf.geom1.hlpolyw2', 'csp.lf.geom1.hlpolyw3', 'csp.lf.geom1.hlpolyw4'): 'HL_W', ('csp.lf.geom1.var1.abs_abs', 'csp.lf.geom1.var2.abs_abs', 'csp.lf.geom1.var3.abs_abs', 'csp.lf.geom1.var4.abs_abs'): 'alpha_abs', ('csp.lf.geom1.var1.bellows_shadowing', 'csp.lf.geom1.var2.bellows_shadowing', 'csp.lf.geom1.var3.bellows_shadowing', 'csp.lf.geom1.var4.bellows_shadowing'): 'Shadowing', ('csp.lf.geom1.hlpolyt0', 'csp.lf.geom1.hlpolyt1', 'csp.lf.geom1.hlpolyt2', 'csp.lf.geom1.hlpolyt3', 'csp.lf.geom1.hlpolyt4'): 'HL_dT', ('csp.lf.geom1.var1.rated_heat_loss', 'csp.lf.geom1.var2.rated_heat_loss', 'csp.lf.geom1.var3.rated_heat_loss', 'csp.lf.geom1.var4.rated_heat_loss'): 'Design_loss', ('csp.lf.geom1.var1.field_fraction', 'csp.lf.geom1.var2.field_fraction', 'csp.lf.geom1.var3.field_fraction', 'csp.lf.geom1.var4.field_fraction'): 'HCE_FieldFrac', ('csp.lf.geom1.refl_aper_area', 'csp.lf.geom1.coll_length', 'csp.lf.geom1.opt_mode', 'csp.lf.geom1.track_error', 'csp.lf.geom1.geom_error', 'csp.lf.geom1.mirror_refl', 'csp.lf.geom1.soiling', 'csp.lf.geom1.general_error', 'csp.lf.geom1.hl_mode', 'csp.lf.geom1.diam_absorber_inner', 'csp.lf.geom1.diam_absorber_outer', 'csp.lf.geom1.diam_envelope_inner', 'csp.lf.geom1.diam_envelope_outer', 'csp.lf.geom1.diam_absorber_plug', 'csp.lf.geom1.inner_roughness', 'csp.lf.geom1.flow_type', 'csp.lf.geom1.absorber_material'): ('A_aperture', 'L_col', 'OptCharType', 'TrackingError', 'GeomEffects', 'rho_mirror_clean', 'dirt_mirror', 'error', 'HLCharType', 'D_2', 'D_3', 'D_4', 'D_5', 'D_p', 'Rough', 'Flow_type', 'AbsorberMaterial')}, 'MSPT Receiver': {'T_htf_hot_des': 'REC_COPY_T_htf_hot_des', 'Q_rec_des': 'REC_COPY_Q_rec_des', 'N_panels': 'n_flux_x', ('piping_length', 'piping_loss'): 'piping_loss_tot', ('h_tower', 'piping_length_mult', 'piping_length_const'): 'piping_length', (): 'receiver_type', (): 'tower_technology', 'solarm': 'REC_COPY_solarm', ('D_rec', 'rec_height'): 'rec_aspect', ('rec_d_spec', 'csp.pt.rec.cav_ap_hw_ratio'): 'csp.pt.rec.cav_ap_height', 'field_fl_props': 'user_fluid', ('csp.pt.rec.htf_type', 'csp.pt.rec.htf_t_avg', 'field_fl_props'): 'csp.pt.rec.htf_c_avg', ('T_htf_cold_des', 'T_htf_hot_des'): 'csp.pt.rec.htf_t_avg', (): 'csp.pt.rec.cav_panel_height', 'T_htf_cold_des': 'REC_COPY_T_htf_cold_des', ('csp.pt.rec.max_oper_frac', 'Q_rec_des', 'csp.pt.rec.htf_c_avg', 'T_htf_hot_des', 'T_htf_cold_des'): 'csp.pt.rec.max_flow_to_rec', (): 'csp.pt.rec.cav_lip_height', 'csp.pt.rec.htf_type': 'rec_htf', 'csp.pt.rec.flow_pattern': 'Flow_type', 'csp.pt.rec.material_type': 'mat_tube'}, 'MSLF Power Cycle Common': {('PB_COPY_q_pb_design', 'PB_COPY_htf_cp_avg', 'PB_COPY_T_htf_hot_des', 'PB_COPY_T_htf_cold_des'): 'PB_m_dot_htf_cycle_des', 'field_htf_cp_avg': 'PB_COPY_htf_cp_avg', 'T_htf_hot_ref': 'PB_COPY_T_htf_hot_des', 'eta_lhv': 'lhv_eff', (): 'pb_tech_type', (): 'm_dot_in', 'T_loop_in_des': 'T_htf_cold_ref', ('store_fluid', 'Fluid'): 'is_hx', (): 'hx_config', 'P_ref': 'pb_rated_cap', 'nameplate': 'system_capacity', 'T_htf_cold_ref': 'PB_COPY_T_htf_cold_des', 'T_loop_out': 'T_htf_hot_ref', ('P_ref', 'csp.mslf.cycle.gr_to_net'): 'nameplate', ('P_ref', 'csp.mslf.cycle.gr_to_net'): 'q_design', ('P_ref', 'eta_ref'): 'PB_COPY_q_pb_design', 'csp.mslf.control.fossil_mode': 'fossil_mode'}, 'Molten Salt Linear Fresnel Collector and Receiver': {'P_ref': 'demand_var', 'P_ref': 'W_pb_design', (): 'T_cold_in', (): 'defocus', (): 'azimuth', (): 'SolarAz', (): 'T_dp', (): 'P_amb', (): 'V_wind', (): 'track_mode', (): 'T_db', ('csp.mslf.sf.AnnulusGas1', 'csp.mslf.sf.AnnulusGas2', 'csp.mslf.sf.AnnulusGas3', 'csp.mslf.sf.AnnulusGas4'): 'AnnulusGas', 'csp.mslf.sf.Flow_type': 'Flow_type', 'csp.mslf.sf.Rough': 'Rough', 'csp.mslf.sf.D_plug': 'D_plug', 'csp.mslf.sf.D_glass_out': 'D_glass_out', 'csp.mslf.sf.D_glass_in': 'D_glass_in', ('csp.mslf.sf.IAM_T_coefs0', 'csp.mslf.sf.IAM_T_coefs1', 'csp.mslf.sf.IAM_T_coefs2', 'csp.mslf.sf.IAM_T_coefs3', 'csp.mslf.sf.IAM_T_coefs4'): 'IAM_T_coefs', ('csp.mslf.sf.HL_w_coefs0', 'csp.mslf.sf.HL_w_coefs1', 'csp.mslf.sf.HL_w_coefs2', 'csp.mslf.sf.HL_w_coefs3', 'csp.mslf.sf.HL_w_coefs4'): 'HL_w_coefs', ('csp.mslf.sf.P_a1', 'csp.mslf.sf.P_a2', 'csp.mslf.sf.P_a3', 'csp.mslf.sf.P_a4'): 'P_a', ('TrackingError', 'GeomEffects', 'reflectivity', 'Dirt_mirror', 'Error'): 'opt_normal', ('csp.mslf.sf.DP_coefs0', 'csp.mslf.sf.DP_coefs1', 'csp.mslf.sf.DP_coefs2', 'csp.mslf.sf.DP_coefs3'): 'DP_coefs', (): 'tilt', ('csp.mslf.sf.Shadowing1', 'csp.mslf.sf.Shadowing2', 'csp.mslf.sf.Shadowing3', 'csp.mslf.sf.Shadowing4'): 'Shadowing', ('csp.mslf.sf.dirt_env1', 'csp.mslf.sf.dirt_env2', 'csp.mslf.sf.dirt_env3', 'csp.mslf.sf.dirt_env4'): 'dirt_env', 'sf_q_design': 'q_pb_design', ('csp.mslf.sf.HCE_FieldFrac1', 'csp.mslf.sf.HCE_FieldFrac2', 'csp.mslf.sf.HCE_FieldFrac3', 'csp.mslf.sf.HCE_FieldFrac4'): 'HCE_FieldFrac', ('csp.mslf.sf.epsilon_glass1', 'csp.mslf.sf.epsilon_glass2', 'csp.mslf.sf.epsilon_glass3', 'csp.mslf.sf.epsilon_glass4'): 'epsilon_glass', 'csp.mslf.sf.D_abs_in': 'D_abs_in', ('csp.mslf.sf.GlazingIntactIn1', 'csp.mslf.sf.GlazingIntactIn2', 'csp.mslf.sf.GlazingIntactIn3', 'csp.mslf.sf.GlazingIntactIn4'): 'GlazingIntactIn', 'csp.mslf.sf.rec_model': 'rec_model', ('csp.mslf.sf.alpha_env1', 'csp.mslf.sf.alpha_env2', 'csp.mslf.sf.alpha_env3', 'csp.mslf.sf.alpha_env4'): 'alpha_env', ('csp.mslf.sf.alpha_abs1', 'csp.mslf.sf.alpha_abs2', 'csp.mslf.sf.alpha_abs3', 'csp.mslf.sf.alpha_abs4'): 'alpha_abs', 'csp.mslf.sf.opt_model': 'opt_model', (): 'I_b', ('csp.mslf.sf.Tau_envelope1', 'csp.mslf.sf.Tau_envelope2', 'csp.mslf.sf.Tau_envelope3', 'csp.mslf.sf.Tau_envelope4'): 'Tau_envelope', ('csp.mslf.sf.IAM_L_coefs0', 'csp.mslf.sf.IAM_L_coefs1', 'csp.mslf.sf.IAM_L_coefs2', 'csp.mslf.sf.IAM_L_coefs3', 'csp.mslf.sf.IAM_L_coefs4'): 'IAM_L_coefs', ('hl_des', 'I_bn_des', 'A_aperture', 'L_mod'): 'hl_derate', ('T_loop_in_des', 'T_loop_out', 'T_amb_sf_des'): 'csp.mslf.sf.avg_dt_des', 'csp.mslf.sf.AbsorberMaterial': 'AbsorberMaterial', 'csp.mslf.sf.D_abs_out': 'D_abs_out', ('csp.mslf.sf.Design_loss1', 'csp.mslf.sf.Design_loss2', 'csp.mslf.sf.Design_loss3', 'csp.mslf.sf.Design_loss4'): 'Design_loss', ('csp.mslf.sf.rec_model', 'csp.mslf.sf.HCE_FieldFrac1', 'csp.mslf.sf.Shadowing1', 'csp.mslf.sf.dirt_env1', 'csp.mslf.sf.HCE_FieldFrac2', 'csp.mslf.sf.Shadowing2', 'csp.mslf.sf.dirt_env2', 'csp.mslf.sf.HCE_FieldFrac3', 'csp.mslf.sf.Shadowing3', 'csp.mslf.sf.dirt_env3', 'csp.mslf.sf.HCE_FieldFrac4', 'csp.mslf.sf.Shadowing4', 'csp.mslf.sf.dirt_env4'): 'opt_derate', ('csp.mslf.sf.HL_T_coefs0', 'csp.mslf.sf.HL_T_coefs1', 'csp.mslf.sf.HL_T_coefs2', 'csp.mslf.sf.HL_T_coefs3', 'csp.mslf.sf.HL_T_coefs4'): 'HL_T_coefs', ('nMod', 'DP_nominal'): 'DP_pressure_loss', ('csp.mslf.sf.rec_model', 'csp.mslf.sf.HL_T_coefs0', 'csp.mslf.sf.HL_T_coefs1', 'csp.mslf.sf.avg_dt_des', 'csp.mslf.sf.HL_T_coefs2', 'csp.mslf.sf.HL_T_coefs3', 'csp.mslf.sf.HL_T_coefs4', 'csp.mslf.sf.HCE_FieldFrac1', 'csp.mslf.sf.Design_loss1', 'csp.mslf.sf.HCE_FieldFrac2', 'csp.mslf.sf.Design_loss2', 'csp.mslf.sf.HCE_FieldFrac3', 'csp.mslf.sf.Design_loss3', 'csp.mslf.sf.HCE_FieldFrac4', 'csp.mslf.sf.Design_loss4'): 'hl_des'}, 'Molten Salt Linear Fresnel Capital Costs': {'csp.mslf.cost.total_indirect': 'total_direct_cost', (): 'system_use_lifetime_output', (): 'system_use_recapitalization', ('csp.mslf.cost.sales_tax.value', 'csp.mslf.cost.total_direct', 'csp.mslf.cost.sales_tax.percent'): 'csp.mslf.cost.sales_tax.total', ('csp.mslf.cost.epc.total', 'csp.mslf.cost.plm.total', 'csp.mslf.cost.sales_tax.total'): 'csp.mslf.cost.total_indirect', ('csp.mslf.cost.fossil_backup.mwe', 'csp.mslf.cost.fossil_backup.cost_per_kwe'): 'csp.mslf.cost.fossil_backup', 'sales_tax_rate': 'csp.mslf.cost.sales_tax.value', ('csp.mslf.cost.solar_field.area', 'csp.mslf.cost.solar_field.cost_per_m2'): 'csp.mslf.cost.solar_field', 'a_sf_act': 'csp.mslf.cost.site_improvements.area', ('csp.mslf.cost.total_installed', 'nameplate'): 'csp.mslf.cost.installed_per_capacity', 'a_sf_act': 'csp.mslf.cost.htf_system.area', ('csp.mslf.cost.contingency', 'csp.mslf.cost.site_improvements', 'csp.mslf.cost.solar_field', 'csp.mslf.cost.htf_system', 'csp.mslf.cost.fossil_backup', 'csp.mslf.cost.power_plant', 'csp.mslf.cost.bop', 'csp.mslf.cost.ts'): 'csp.mslf.cost.total_direct', ('csp.mslf.cost.bop_mwe', 'csp.mslf.cost.bop_per_kwe'): 'csp.mslf.cost.bop', ('csp.mslf.cost.contingency_percent', 'csp.mslf.cost.site_improvements', 'csp.mslf.cost.solar_field', 'csp.mslf.cost.htf_system', 'csp.mslf.cost.fossil_backup', 'csp.mslf.cost.power_plant', 'csp.mslf.cost.bop', 'csp.mslf.cost.ts'): 'csp.mslf.cost.contingency', 'demand_var': 'csp.mslf.cost.fossil_backup.mwe', 'demand_var': 'csp.mslf.cost.power_plant.mwe', ('csp.mslf.cost.site_improvements.area', 'csp.mslf.cost.site_improvements.cost_per_m2'): 'csp.mslf.cost.site_improvements', ('csp.mslf.cost.epc.per_acre', 'csp.mslf.cost.total_land_area', 'csp.mslf.cost.epc.percent', 'csp.mslf.cost.total_direct', 'csp.mslf.cost.nameplate', 'csp.mslf.cost.epc.per_watt', 'csp.mslf.cost.epc.fixed'): 'csp.mslf.cost.epc.total', ('csp.mslf.cost.ts_mwht', 'csp.mslf.cost.ts_per_kwht'): 'csp.mslf.cost.ts', 'a_sf_act': 'csp.mslf.cost.solar_field.area', ('csp.mslf.cost.total_direct', 'csp.mslf.cost.total_indirect'): 'csp.mslf.cost.total_installed', 'TES_cap': 'csp.mslf.cost.ts_mwht', 'nameplate': 'csp.mslf.cost.nameplate', 'total_land_area': 'csp.mslf.cost.total_land_area', 'demand_var': 'csp.mslf.cost.bop_mwe', ('csp.mslf.cost.htf_system.area', 'csp.mslf.cost.htf_system.cost_per_m2'): 'csp.mslf.cost.htf_system', ('csp.mslf.cost.power_plant.mwe', 'csp.mslf.cost.power_plant.cost_per_kwe'): 'csp.mslf.cost.power_plant', 'csp.mslf.cost.total_installed': 'total_installed_cost', ('csp.mslf.cost.plm.per_acre', 'csp.mslf.cost.total_land_area', 'csp.mslf.cost.plm.percent', 'csp.mslf.cost.total_direct', 'csp.mslf.cost.nameplate', 'csp.mslf.cost.plm.per_watt', 'csp.mslf.cost.plm.fixed'): 'csp.mslf.cost.plm.total'}, 'Financial Sale Leaseback': {('sponsor_operating_margin', 'system_capacity'): 'sponsor_operating_margin_amount'}, 'Financial Cost of Financing Flip Leaseback': {('federal_tax_rate', 'state_tax_rate', 'cost_dev_fee_value'): 'cost_dev_fee_tax_liability', ('total_installed_cost', 'cost_dev_fee_percent'): 'cost_dev_fee_value'}, 'Financial Salvage Value': {('salvage_percentage', 'total_installed_cost'): 'salvage_value'}, 'Fuel Cell': {('fuelcell_dynamic_response_down_input', 'fuelcell_dynamic_response_down_units', 'fuelcell_power_nameplate'): 'fuelcell_dynamic_response_down', ('fuelcell_dynamic_response_up_input', 'fuelcell_dynamic_response_up_units', 'fuelcell_power_nameplate'): 'fuelcell_dynamic_response_up', ('fuelcell_unit_min_power_input', 'fuelcell_unit_min_units', 'fuelcell_unit_max_power'): 'fuelcell_unit_min_power', ('fuelcell_unit_min_power', 'fuelcell_number_of_units'): 'fuelcell_power_min', ('fuelcell_degradation_input', 'fuelcell_degradation_units', 'fuelcell_unit_max_power'): 'fuelcell_degradation', ('fuelcell_fuel_type', 'fuelcell_fuel_available_in', 'fuelcell_fuel_available_units'): 'fuelcell_fuel_available', ('fuelcell_unit_max_power', 'fuelcell_number_of_units'): 'fuelcell_power_nameplate', ('fuelcell_lhv_in', 'fuelcell_fuel_type', 'fuelcell_lhv_units'): 'fuelcell_lhv'}, 'Generic System Plant': {('derate', 'spec_mode', 'user_capacity_factor', 'first_year_output_peak', 'first_year_output', 'system_capacity'): 'capacity_factor_calc', ('derate', 'spec_mode', 'system_capacity', 'energy_output_array'): 'first_year_output_peak', ('derate', 'spec_mode', 'system_capacity', 'user_capacity_factor', 'energy_output_array'): 'first_year_output', 'heat_rate': 'conv_eff'}, 'Financial Tax and Insurance Rates': {('prop_tax_cost_assessed_percent', 'total_installed_cost'): 'property_assessed_value'}, 'Linear Fresnel Capital Costs': {(): 'system_use_lifetime_output', 'csp.lf.cost.total_indirect': 'total_direct_cost', 'demand_var': 'csp.lf.cost.power_plant.mwe', ('csp.lf.cost.solar_field.area', 'csp.lf.cost.solar_field.cost_per_m2'): 'csp.lf.cost.solar_field', ('csp.lf.cost.htf_system.area', 'csp.lf.cost.htf_system.cost_per_m2'): 'csp.lf.cost.htf_system', (): 'system_use_recapitalization', 'actual_aper': 'csp.lf.cost.htf_system.area', 'nameplate': 'csp.lf.cost.nameplate', 'demand_var': 'csp.lf.cost.fossil_backup.mwe', ('csp.lf.cost.site_improvements.area', 'csp.lf.cost.site_improvements.cost_per_m2'): 'csp.lf.cost.site_improvements', ('csp.lf.cost.epc.total', 'csp.lf.cost.plm.total', 'csp.lf.cost.sales_tax.total'): 'csp.lf.cost.total_indirect', ('csp.lf.cost.sales_tax.value', 'csp.lf.cost.total_direct', 'csp.lf.cost.sales_tax.percent'): 'csp.lf.cost.sales_tax.total', 'actual_aper': 'csp.lf.cost.site_improvements.area', ('csp.lf.cost.bop_mwe', 'csp.lf.cost.bop_per_kwe'): 'csp.lf.cost.bop', ('csp.lf.cost.total_direct', 'csp.lf.cost.total_indirect'): 'csp.lf.cost.total_installed', 'actual_aper': 'csp.lf.cost.solar_field.area', 'demand_var': 'csp.lf.cost.bop_mwe', ('csp.lf.cost.contingency', 'csp.lf.cost.site_improvements', 'csp.lf.cost.solar_field', 'csp.lf.cost.htf_system', 'csp.lf.cost.fossil_backup', 'csp.lf.cost.power_plant', 'csp.lf.cost.bop'): 'csp.lf.cost.total_direct', ('csp.lf.cost.power_plant.mwe', 'csp.lf.cost.power_plant.cost_per_kwe'): 'csp.lf.cost.power_plant', ('csp.lf.cost.fossil_backup.mwe', 'csp.lf.cost.fossil_backup.cost_per_kwe'): 'csp.lf.cost.fossil_backup', ('csp.lf.sf.total_land_area', 'total_land_area'): 'csp.lf.cost.total_land_area', 'sales_tax_rate': 'csp.lf.cost.sales_tax.value', ('csp.lf.cost.contingency_percent', 'csp.lf.cost.site_improvements', 'csp.lf.cost.solar_field', 'csp.lf.cost.htf_system', 'csp.lf.cost.fossil_backup', 'csp.lf.cost.power_plant', 'csp.lf.cost.bop'): 'csp.lf.cost.contingency', ('csp.lf.cost.total_installed', 'nameplate'): 'csp.lf.cost.installed_per_capacity', ('csp.lf.cost.plm.per_acre', 'csp.lf.cost.total_land_area', 'csp.lf.cost.plm.percent', 'csp.lf.cost.total_direct', 'csp.lf.cost.nameplate', 'csp.lf.cost.plm.per_watt', 'csp.lf.cost.plm.fixed'): 'csp.lf.cost.plm.total', ('csp.lf.cost.epc.per_acre', 'csp.lf.cost.total_land_area', 'csp.lf.cost.epc.percent', 'csp.lf.cost.total_direct', 'csp.lf.cost.nameplate', 'csp.lf.cost.epc.per_watt', 'csp.lf.cost.epc.fixed'): 'csp.lf.cost.epc.total', 'csp.lf.cost.total_installed': 'total_installed_cost', ('csp.lf.sf.dp.actual_aper', 'a_sf_act'): 'actual_aper'}, 'Molten Salt Linear Fresnel Storage': {'dt_hot': 'dt_cold', 'csp.mslf.control.store_fluid': 'csp.mslf.tes.htf_max_opt_temp', ('mslf_is_hx', 'dt_hot', 'dt_cold', 'T_loop_out', 'T_loop_in_des'): 'hx_derate', ('h_tank', 'd_tank', 'tank_pairs', 'tes_temp', 'u_tank'): 'csp.mslf.tes.estimated_heat_loss', ('vol_tank', 'h_tank', 'tank_pairs'): 'd_tank', ('T_loop_in_des', 'T_loop_out'): 'tes_temp', 'csp.mslf.control.store_fluid': 'csp.mslf.tes.htf_min_opt_temp', ('sf_q_design', 'tshours'): 'TES_cap', ('TES_cap', 'csp.mslf.control.tes_dens', 'csp.mslf.control.tes_cp', 'hx_derate', 'T_loop_out', 'dt_hot', 'T_loop_in_des', 'dt_cold'): 'vol_tank', ('csp.mslf.control.store_fluid', 'tes_temp', 'store_fl_props'): 'csp.mslf.control.tes_dens', 'vol_tank': 'V_tank_hot_ini', ('csp.mslf.control.store_fluid', 'tes_temp', 'store_fl_props'): 'csp.mslf.control.tes_cp', 'T_loop_in_des': 'T_field_in_des', 'csp.mslf.control.store_fluid': 'store_fluid', ('sf_q_design', 'solar_mult'): 'q_max_aux', 'T_loop_in_des': 'T_tank_cold_ini', ('vol_tank', 'h_tank_min', 'h_tank'): 'vol_min', 'T_loop_out': 'T_tank_hot_ini', 'csp.mslf.enet.tes_fp_mode': 'fp_mode'}, 'Financial Depreciation Detailed': {('depr_alloc_macrs_5_percent', 'depr_alloc_macrs_15_percent', 'depr_alloc_sl_5_percent', 'depr_alloc_sl_15_percent', 'depr_alloc_sl_20_percent', 'depr_alloc_sl_39_percent', 'depr_alloc_custom_percent'): 'depr_alloc_none'}, 'Dish Solar Field': {'csp.ds.total_capacity': 'system_capacity', ('n_ew', 'n_ns'): 'csp.ds.ncollectors', ('csp.ds.ncollectors', 'csp.ds.nameplate_capacity'): 'csp.ds.total_capacity', ('ew_dish_sep', 'ns_dish_sep', 'csp.ds.ncollectors'): 'csp.ds.field_area'}, 'Empirical Trough SCA': {'ui_HCEdust': 'HCEdust', 'SCA_aper': 'RefMirrAper', ('TrkTwstErr', 'GeoAcc', 'MirRef', 'MirCln', 'ConcFac'): 'calc_col_factor'}, 'Electric Load Other': {('load_model', 'load_user_data', 'normalize_to_utility_bill', 'utility_bill_data', 'scale_factor'): ('load', 'load_annual_total', 'annual_peak', 'energy_1', 'peak_1', 'energy_2', 'peak_2', 'energy_3', 'peak_3', 'energy_4', 'peak_4', 'energy_5', 'peak_5', 'energy_6', 'peak_6', 'energy_7', 'peak_7', 'energy_8', 'peak_8', 'energy_9', 'peak_9', 'energy_10', 'peak_10', 'energy_11', 'peak_11', 'energy_12', 'peak_12'), 'escal_input_hourly': 'escal_other'}, 'Biopower System Cost': {'biopwr.cost.total_indirect': 'total_indirect_cost', 'biopwr.cost.total_direct': 'total_direct_cost', (): 'system_use_lifetime_output', 'biopwr.plant.nameplate': 'biopwr.cost.turbine_capacity', ('biopwr.cost.plm.percent', 'biopwr.cost.total_direct'): 'biopwr.cost.plm.nonfixed', 'biopwr.plant.nameplate': 'biopwr.cost.equipment_capacity', 'biopwr.plant.nameplate': 'biopwr.cost.prep_capacity', ('biopwr.cost.prep_capacity', 'biopwr.cost.prep_per_cap'): 'biopwr.cost.prep', ('biopwr.cost.dryer_capacity', 'biopwr.cost.dryer_per_kw'): 'biopwr.cost.dryer', 'biopwr.plant.boiler.cap_per_boiler': 'biopwr.cost.cap_per_boiler', ('biopwr.cost.sales_tax.value', 'biopwr.cost.sales_tax.percent', 'biopwr.cost.total_direct'): 'biopwr.cost.sales_tax.total', ('biopwr.cost.total_direct', 'biopwr.cost.epc.percent'): 'biopwr.cost.epc.nonfixed', ('biopwr.cost.boiler_capacity', 'biopwr.cost.boiler.cost_per_kw'): 'biopwr.cost.boiler', ('biopwr.cost.contingency', 'biopwr.cost.boiler', 'biopwr.cost.turbine', 'biopwr.cost.prep', 'biopwr.cost.dryer', 'biopwr.cost.equipment', 'biopwr.cost.bop'): 'biopwr.cost.total_direct', ('total_installed_cost', 'biopwr.plant.nameplate'): 'biopwr.cost.installed_per_capacity', ('biopwr.cost.bop_per_kw', 'biopwr.cost.bop_capacity'): 'biopwr.cost.bop', ('biopwr.cost.epc.total', 'biopwr.cost.plm.total', 'biopwr.cost.sales_tax.total'): 'biopwr.cost.total_indirect', ('biopwr.cost.plm.fixed', 'biopwr.cost.plm.nonfixed'): 'biopwr.cost.plm.total', 'sales_tax_rate': 'biopwr.cost.sales_tax.value', ('biopwr.cost.turbine_capacity', 'biopwr.cost.turbine_per_kw'): 'biopwr.cost.turbine', ('biopwr.plant.nameplate', 'biopwr.plant.par'): 'biopwr.cost.bop_capacity', ('biopwr.cost.epc.fixed', 'biopwr.cost.epc.nonfixed'): 'biopwr.cost.epc.total', ('biopwr.cost.total_direct', 'biopwr.cost.total_indirect'): 'total_installed_cost', ('biopwr.cost.contingency_percent', 'biopwr.cost.boiler', 'biopwr.cost.turbine', 'biopwr.cost.prep', 'biopwr.cost.equipment', 'biopwr.cost.bop'): 'biopwr.cost.contingency', ('biopwr.plant.drying_method', 'biopwr.plant.nameplate'): 'biopwr.cost.dryer_capacity', ('biopwr.cost.equipment_capacity', 'biopwr.cost.equipment.cost_per_kw'): 'biopwr.cost.equipment', (): 'system_use_recapitalization', 'biopwr.plant.nameplate': 'biopwr.cost.boiler_capacity'}, 'Financial Reserve Accounts': {('system_capacity', 'equip2_reserve_cost'): 'mera_cost2', ('system_capacity', 'equip3_reserve_cost'): 'mera_cost3', ('system_capacity', 'equip1_reserve_cost'): 'mera_cost1'}, 'Financial Equity Flip Structure': {'tax_investor_postflip_tax_percent': 'developer_postflip_tax_percent', 'tax_investor_preflip_tax_percent': 'developer_preflip_tax_percent', 'tax_investor_postflip_cash_percent': 'developer_postflip_cash_percent', 'tax_investor_preflip_cash_percent': 'developer_preflip_cash_percent', 'tax_investor_equity_percent': 'developer_equity_percent'}, 'Biopower Feedstock Costs': {'biopwr.feedstockcost.coal_fuel_cost': 'om_opt_fuel_2_cost', 'biopwr.feedstockcost.coal_fuel_used': 'om_opt_fuel_2_usage', 'biopwr.feedstock.total_coal': 'biopwr.feedstockcost.coal_fuel_used', 'biopwr.feedstockcost.biomass_fuel_cost_esc': 'om_opt_fuel_1_cost_escal', 'biopwr.feedstockcost.coal_fuel_cost_esc': 'om_opt_fuel_2_cost_escal', 'biopwr.feedstock.subbit_resource': 'biopwr.feedstockcost.subbit_resource', ('biopwr.feedstock.forest_resource', 'biopwr.feedstock.forest_obtainable'): 'biopwr.feedstockcost.forest_resource', ('biopwr.feedstock.mill_resource', 'biopwr.feedstock.mill_obtainable'): 'biopwr.feedstockcost.mill_resource', ('biopwr.feedstock.barley_resource', 'biopwr.feedstock.barley_obtainable'): 'biopwr.feedstockcost.barley_resource', ('biopwr.feedstock.rice_resource', 'biopwr.feedstock.rice_obtainable'): 'biopwr.feedstockcost.rice_resource', ('biopwr.feedstock.wheat_resource', 'biopwr.feedstock.wheat_obtainable'): 'biopwr.feedstockcost.wheat_resource', ('biopwr.feedstock.bagasse_resource', 'biopwr.feedstock.bagasse_obtainable'): 'biopwr.feedstockcost.bagasse_resource', ('biopwr.feedstockcost.biomass_cost', 'biopwr.feedstock.total_biomass_hhv'): 'biopwr.feedstockcost.biomass_fuel_cost', ('biopwr.feedstock.total_biomass', 'biopwr.feedstock.bagasse_biomass_frac', 'biopwr.feedstockcost.bagasse_price', 'biopwr.feedstock.barley_biomass_frac', 'biopwr.feedstockcost.barley_price', 'biopwr.feedstock.stover_biomass_frac', 'biopwr.feedstockcost.stover_price', 'biopwr.feedstock.rice_biomass_frac', 'biopwr.feedstockcost.rice_price', 'biopwr.feedstock.wheat_biomass_frac', 'biopwr.feedstockcost.wheat_price', 'biopwr.feedstock.forest_biomass_frac', 'biopwr.feedstockcost.forest_price', 'biopwr.feedstock.mill_biomass_frac', 'biopwr.feedstockcost.mill_price', 'biopwr.feedstock.urban_biomass_frac', 'biopwr.feedstockcost.urban_price', 'biopwr.feedstock.woody_biomass_frac', 'biopwr.feedstockcost.woody_price', 'biopwr.feedstock.herb_biomass_frac', 'biopwr.feedstockcost.herb_price', 'biopwr.feedstock.feedstock1_biomass_frac', 'biopwr.feedstockcost.feedstock1_price', 'biopwr.feedstock.feedstock2_biomass_frac', 'biopwr.feedstockcost.feedstock2_price', 'biopwr.feedstockcost.fixed_delivery_cost', 'biopwr.feedstock.collection_radius', 'biopwr.feedstockcost.var_delivery_cost', 'biopwr.feedstock.total_biomass_hhv'): 'biopwr.feedstockcost.biomass_cost', ('biopwr.feedstockcost.biomass_fuel_cost', 'biopwr.feedstock.total_biomass_moisture'): 'biopwr.feedstockcost.green_biomass_cost', ('biopwr.feedstock.urban_resource', 'biopwr.feedstock.urban_obtainable'): 'biopwr.feedstockcost.urban_resource', 'biopwr.feedstock.feedstock1_resource': 'biopwr.feedstockcost.feedstock1_resource', ('biopwr.feedstock.woody_resource', 'biopwr.feedstock.woody_obtainable'): 'biopwr.feedstockcost.woody_resource', 'biopwr.feedstock.lig_resource': 'biopwr.feedstockcost.lig_resource', ('biopwr.feedstockcost.coal_per_mmbtu', 'biopwr.feedstock.total_coal_hhv'): 'biopwr.feedstockcost.coal_fuel_cost', 'biopwr.feedstock.total_biomass': 'biopwr.feedstockcost.biomass_fuel_used', ('biopwr.feedstock.stover_resource', 'biopwr.feedstock.stover_obtainable'): 'biopwr.feedstockcost.stover_resource', ('biopwr.feedstock.coal_opt', 'biopwr.feedstock.bit_coal_frac', 'biopwr.feedstockcost.bit_price', 'biopwr.feedstock.subbit_coal_frac', 'biopwr.feedstockcost.subbit_price', 'biopwr.feedstock.lig_coal_frac', 'biopwr.feedstockcost.lig_price', 'biopwr.feedstock.total_coal_hhv'): 'biopwr.feedstockcost.coal_per_mmbtu', 'biopwr.feedstockcost.biomass_fuel_cost': 'om_opt_fuel_1_cost', 'biopwr.feedstock.bit_resource': 'biopwr.feedstockcost.bit_resource', 'biopwr.feedstockcost.biomass_fuel_used': 'om_opt_fuel_1_usage', ('biopwr.feedstock.herb_resource', 'biopwr.feedstock.herb_obtainable'): 'biopwr.feedstockcost.herb_resource', 'biopwr.feedstock.feedstock2_resource': 'biopwr.feedstockcost.feedstock2_resource'}, 'Physical Trough Capital Costs': {(): 'system_use_recapitalization', (): 'system_use_lifetime_output', ('csp.dtr.cost.site_improvements.area', 'csp.dtr.cost.site_improvements.cost_per_m2'): 'csp.dtr.cost.site_improvements', ('csp.dtr.cost.storage.mwht', 'csp.dtr.cost.storage.cost_per_kwht'): 'csp.dtr.cost.storage', ('csp.dtr.cost.htf_system.area', 'csp.dtr.cost.htf_system.cost_per_m2'): 'csp.dtr.cost.htf_system', ('csp.dtr.cost.sales_tax.value', 'total_direct_cost', 'csp.dtr.cost.sales_tax.percent'): 'csp.dtr.cost.sales_tax.total', ('csp.dtr.cost.contingency', 'csp.dtr.cost.site_improvements', 'csp.dtr.cost.solar_field', 'csp.dtr.cost.htf_system', 'csp.dtr.cost.storage', 'csp.dtr.cost.fossil_backup', 'csp.dtr.cost.power_plant', 'csp.dtr.cost.bop'): 'total_direct_cost', 'total_aperture': 'csp.dtr.cost.solar_field.area', 'P_ref': 'csp.dtr.cost.bop_mwe', 'P_ref': 'csp.dtr.cost.fossil_backup.mwe', ('csp.dtr.cost.power_plant.mwe', 'csp.dtr.cost.power_plant.cost_per_kwe'): 'csp.dtr.cost.power_plant', 'csp.dtr.tes.thermal_capacity': 'csp.dtr.cost.storage.mwht', ('csp.dtr.cost.epc.per_acre', 'csp.dtr.cost.total_land_area', 'csp.dtr.cost.epc.percent', 'total_direct_cost', 'csp.dtr.cost.nameplate', 'csp.dtr.cost.epc.per_watt', 'csp.dtr.cost.epc.fixed'): 'csp.dtr.cost.epc.total', 'total_aperture': 'csp.dtr.cost.site_improvements.area', ('csp.dtr.cost.plm.per_acre', 'csp.dtr.cost.total_land_area', 'csp.dtr.cost.plm.percent', 'total_direct_cost', 'csp.dtr.cost.nameplate', 'csp.dtr.cost.plm.per_watt', 'csp.dtr.cost.plm.fixed'): 'csp.dtr.cost.plm.total', ('total_installed_cost', 'csp.dtr.pwrb.nameplate'): 'csp.dtr.cost.installed_per_capacity', ('csp.dtr.cost.bop_mwe', 'csp.dtr.cost.bop_per_kwe'): 'csp.dtr.cost.bop', ('csp.dtr.cost.contingency_percent', 'csp.dtr.cost.site_improvements', 'csp.dtr.cost.solar_field', 'csp.dtr.cost.htf_system', 'csp.dtr.cost.storage', 'csp.dtr.cost.fossil_backup', 'csp.dtr.cost.power_plant', 'csp.dtr.cost.bop'): 'csp.dtr.cost.contingency', 'csp.dtr.pwrb.nameplate': 'csp.dtr.cost.nameplate', ('csp.dtr.cost.site_improvements', 'csp.dtr.cost.solar_field', 'csp.dtr.cost.htf_system', 'csp.dtr.cost.storage', 'csp.dtr.cost.fossil_backup', 'csp.dtr.cost.power_plant', 'csp.dtr.cost.bop'): 'direct_subtotal', 'sales_tax_rate': 'csp.dtr.cost.sales_tax.value', 'total_land_area': 'csp.dtr.cost.total_land_area', 'P_ref': 'csp.dtr.cost.power_plant.mwe', 'total_aperture': 'csp.dtr.cost.htf_system.area', ('csp.dtr.cost.solar_field.area', 'csp.dtr.cost.solar_field.cost_per_m2'): 'csp.dtr.cost.solar_field', ('csp.dtr.cost.epc.total', 'csp.dtr.cost.plm.total', 'csp.dtr.cost.sales_tax.total'): 'total_indirect_cost', ('csp.dtr.cost.fossil_backup.mwe', 'csp.dtr.cost.fossil_backup.cost_per_kwe'): 'csp.dtr.cost.fossil_backup', ('total_direct_cost', 'total_indirect_cost'): 'total_installed_cost'}, 'Battery Dispatch Manual': {('dispatch_manual_gridcharge', 'batt_gridcharge_percent_1', 'batt_gridcharge_percent_2', 'batt_gridcharge_percent_3', 'batt_gridcharge_percent_4', 'batt_gridcharge_percent_5', 'batt_gridcharge_percent_6'): 'dispatch_manual_percent_gridcharge', ('dispatch_manual_discharge', 'batt_discharge_percent_1', 'batt_discharge_percent_2', 'batt_discharge_percent_3', 'batt_discharge_percent_4', 'batt_discharge_percent_5', 'batt_discharge_percent_6'): 'dispatch_manual_percent_discharge', ('pv.storage.p1.gridcharge', 'pv.storage.p2.gridcharge', 'pv.storage.p3.gridcharge', 'pv.storage.p4.gridcharge', 'pv.storage.p5.gridcharge', 'pv.storage.p6.gridcharge'): 'dispatch_manual_gridcharge', ('pv.storage.p1.discharge', 'pv.storage.p2.discharge', 'pv.storage.p3.discharge', 'pv.storage.p4.discharge', 'pv.storage.p5.discharge', 'pv.storage.p6.discharge'): 'dispatch_manual_discharge', ('pv.storage.p1.charge', 'pv.storage.p2.charge', 'pv.storage.p3.charge', 'pv.storage.p4.charge', 'pv.storage.p5.charge', 'pv.storage.p6.charge'): 'dispatch_manual_charge'}, 'CSP PBNS Dispatch Control': {('csp.pbns.hc_ctl1', 'csp.pbns.hc_ctl2', 'csp.pbns.hc_ctl3', 'csp.pbns.hc_ctl4', 'csp.pbns.hc_ctl5', 'csp.pbns.hc_ctl6', 'csp.pbns.hc_ctl7', 'csp.pbns.hc_ctl8', 'csp.pbns.hc_ctl9'): 'F_wc', ('csp.pbns.fossil1', 'csp.pbns.fossil2', 'csp.pbns.fossil3', 'csp.pbns.fossil4', 'csp.pbns.fossil5', 'csp.pbns.fossil6', 'csp.pbns.fossil7', 'csp.pbns.fossil8', 'csp.pbns.fossil9'): 'ffrac'}, 'Sandia PV Array Performance Model with Module Database': {('snl_parallel_cells', 'snl_series_cells'): 'snl_n_cells', ('snl_module_structure', 'snl_a', 'snl_b', 'snl_dtc', 'snl_specified_a', 'snl_specified_b', 'snl_specified_dT', 'snl_fd', 'snl_a0', 'snl_a1', 'snl_a2', 'snl_a3', 'snl_a4', 'snl_b0', 'snl_b1', 'snl_b2', 'snl_b3', 'snl_b4', 'snl_b5', 'snl_isco', 'snl_aisc', 'snl_c0', 'snl_c1', 'snl_aimp', 'snl_impo', 'snl_bvmpo', 'snl_mbvmp', 'snl_n', 'snl_c3', 'snl_series_cells', 'snl_c2', 'snl_vmpo', 'snl_bvoco', 'snl_mbvoc', 'snl_voco', 'snl_area'): ('snl_ref_a', 'snl_ref_b', 'snl_ref_dT', 'snl_ref_isc', 'snl_ref_isc_temp_0', 'snl_ref_isc_temp_1', 'snl_ref_imp', 'snl_ref_imp_temp_0', 'snl_imp_temp_1', 'snl_ref_vmp', 'snl_ref_vmp_temp_0', 'snl_ref_vmp_temp_1', 'snl_ref_pmp', 'snl_ref_pmp_temp_0', 'snl_ref_pmp_temp_1', 'snl_ref_voc', 'snl_ref_voc_temp_0', 'snl_voc_temp_1', 'snl_ref_eff')}, 'HCPV Costs': {(): 'system_use_lifetime_output', ('hcpv.cost.engr.percent', 'total_direct_cost', 'hcpv.cost.modulearray.power', 'hcpv.cost.engr.per_watt', 'hcpv.cost.engr.fixed'): 'hcpv.cost.engr.total', ('total_direct_cost', 'total_indirect_cost'): 'total_installed_cost', ('hcpv.cost.bos_equip_fixed', 'hcpv.cost.modulearray.power', 'hcpv.cost.bos_equip_perwatt', 'hcpv.cost.modulearray.area', 'hcpv.cost.bos_equip_perarea'): 'hcpv.cost.bos_equip.totalcost', ('hcpv.cost.module.totalcost', 'hcpv.cost.inverter.totalcost', 'hcpv.cost.tracker.totalcost', 'hcpv.cost.bos_equip.totalcost', 'hcpv.cost.install_labor.totalcost', 'hcpv.cost.install_margin.totalcost', 'hcpv.cost.contingency'): 'total_direct_cost', ('hcpv.cost.inverter.power', 'hcpv.cost.inverter.num_units'): 'hcpv.cost.inverterarray.power', 'hcpv.array.total_land_area': 'hcpv.cost.land_area.value', ('hcpv.cost.sales_tax.value', 'total_direct_cost', 'hcpv.cost.sales_tax.percent'): 'hcpv.cost.sales_tax.total', ('hcpv.cost.tracker_fixed', 'hcpv.cost.modulearray.power', 'hcpv.cost.tracker_perwatt', 'hcpv.cost.modulearray.area', 'hcpv.cost.tracker_perarea'): 'hcpv.cost.tracker.totalcost', 'sales_tax_rate': 'hcpv.cost.sales_tax.value', ('hcpv.cost.grid.percent', 'total_direct_cost', 'hcpv.cost.modulearray.power', 'hcpv.cost.grid.per_watt', 'hcpv.cost.grid.fixed'): 'hcpv.cost.grid.total', ('hcpv.cost.install_labor_fixed', 'hcpv.cost.modulearray.power', 'hcpv.cost.install_labor_perwatt', 'hcpv.cost.modulearray.area', 'hcpv.cost.install_labor_perarea'): 'hcpv.cost.install_labor.totalcost', ('total_installed_cost', 'hcpv.cost.modulearray.power'): 'hcpv.cost.installed_per_capacity', ('hcpv.cost.land.per_acre', 'hcpv.cost.land_area.value', 'hcpv.cost.land.percent', 'total_direct_cost', 'hcpv.cost.modulearray.power', 'hcpv.cost.land.per_watt', 'hcpv.cost.land.fixed'): 'hcpv.cost.land.total', ('hcpv.cost.inverter.costunits', 'hcpv.cost.inverter.num_units', 'hcpv.cost.inverter.power', 'hcpv.cost.per_inverter'): 'hcpv.cost.inverter.totalcost', ('hcpv.cost.install_margin_fixed', 'hcpv.cost.modulearray.power', 'hcpv.cost.install_margin_perwatt', 'hcpv.cost.modulearray.area', 'hcpv.cost.install_margin_perarea'): 'hcpv.cost.install_margin.totalcost', 'inv_snl_paco': 'hcpv.cost.inverter.power', 'array_num_inverters': 'hcpv.cost.inverter.num_units', ('hcpv.cost.module.power', 'hcpv.cost.module.num_units'): 'hcpv.cost.modulearray.power', 'hcpv.module.power': 'hcpv.cost.module.power', ('hcpv.cost.landprep.per_acre', 'hcpv.cost.land_area.value', 'hcpv.cost.landprep.percent', 'total_direct_cost', 'hcpv.cost.modulearray.power', 'hcpv.cost.landprep.per_watt', 'hcpv.cost.landprep.fixed'): 'hcpv.cost.landprep.total', ('hcpv.cost.permitting.percent', 'total_direct_cost', 'hcpv.cost.modulearray.power', 'hcpv.cost.permitting.per_watt', 'hcpv.cost.permitting.fixed'): 'hcpv.cost.permitting.total', ('array_num_trackers', 'array_modules_per_tracker', 'hcpv.module.area'): 'hcpv.cost.modulearray.area', (): 'system_use_recapitalization', ('array_num_trackers', 'array_modules_per_tracker'): 'hcpv.cost.module.num_units', ('hcpv.cost.contingency_percent', 'hcpv.cost.module.totalcost', 'hcpv.cost.inverter.totalcost', 'hcpv.cost.tracker.totalcost', 'hcpv.cost.bos_equip.totalcost', 'hcpv.cost.install_labor.totalcost', 'hcpv.cost.install_margin.totalcost'): 'hcpv.cost.contingency', ('hcpv.cost.permitting.total', 'hcpv.cost.engr.total', 'hcpv.cost.grid.total', 'hcpv.cost.land.total', 'hcpv.cost.landprep.total', 'hcpv.cost.sales_tax.total'): 'total_indirect_cost', ('hcpv.cost.module.costunits', 'hcpv.cost.module.num_units', 'hcpv.cost.module.power', 'hcpv.cost.per_module'): 'hcpv.cost.module.totalcost'}, 'Linear Fresnel Solar Field': {('csp.lf.sf.geom1_area_frac', 'csp.lf.geom1.rec_optical_derate', 'csp.lf.geom1.coll_opt_loss_norm_inc', 'csp.lf.sf.geom2_area_frac', 'csp.lf.geom2.rec_optical_derate', 'csp.lf.geom2.coll_opt_loss_norm_inc'): 'csp.lf.sf.dp.loop_opt_eff', ('csp.lf.sf.dp.loop_opt_eff', 'csp.lf.sf.dp.loop_therm_eff', 'csp.lf.sf.dp.piping_therm_eff'): 'csp.lf.sf.dp.total_loop_conv_eff', 'lat': 'latitude', ('csp.lf.sf.dp.sm1_aperture', 'csp.lf.sf.dp.loop_aperture'): 'csp.lf.sf.dp.sm1_numloops', 'csp.lf.sf.dp.actual_aper': 'csp.lf.sf.field_area', ('demand_var', 'eta_ref', 'I_bn_des', 'csp.lf.sf.dp.total_loop_conv_eff'): 'csp.lf.sf.dp.sm1_aperture', ('csp.lf.sf.sh_geom_unique', 'nModSH', 'csp.lf.geom2.refl_aper_area', 'nModBoil', 'csp.lf.geom1.refl_aper_area'): 'csp.lf.sf.geom2_area_frac', ('csp.lf.sf.sh_geom_unique', 'nModBoil', 'csp.lf.geom1.refl_aper_area', 'nModSH', 'csp.lf.geom2.refl_aper_area'): 'csp.lf.sf.geom1_area_frac', ('Pipe_hl_coef', 'T_cold_ref', 'T_hot', 'T_amb_des_sf', 'I_bn_des'): 'csp.lf.sf.dp.piping_therm_eff', ('csp.lf.sf.dp.actual_aper', 'I_bn_des', 'csp.lf.sf.dp.total_loop_conv_eff'): 'q_max_aux', ('csp.lf.sf.sh_geom_unique', 'nModBoil', 'nModSH', 'csp.lf.geom1.refl_aper_area', 'csp.lf.geom2.refl_aper_area'): 'csp.lf.sf.dp.loop_aperture', ('csp.lf.sf.field_area', 'csp.lf.sf.area_multiplier'): 'csp.lf.sf.total_land_area', ('csp.lf.sf.sm_or_area', 'csp.lf.sf.specified_solar_multiple', 'csp.lf.sf.dp.sm1_aperture', 'csp.lf.sf.specified_total_aperture', 'csp.lf.sf.dp.loop_aperture'): 'nLoops', 'ColAz': 'azimuth', ('csp.lf.sf.dp.loop_aperture', 'nLoops'): 'csp.lf.sf.dp.actual_aper', ('fP_hdr_c', 'fP_sf_boil', 'fP_boil_to_sh', 'fP_sf_sh', 'fP_hdr_h', 'P_turb_des'): 'csp.lf.sf.total_pres_drop', ('csp.lf.sf.sm_or_area', 'csp.lf.sf.specified_solar_multiple', 'csp.lf.sf.dp.actual_aper', 'csp.lf.sf.dp.sm1_aperture'): 'solarm', ('csp.lf.geom1.rec_thermal_derate', 'csp.lf.sf.geom1_area_frac', 'csp.lf.geom2.rec_thermal_derate', 'csp.lf.sf.geom2_area_frac'): 'csp.lf.sf.dp.loop_therm_eff', 'P_boil_des': 'P_turb_des'}, 'Inverter Datasheet': {('inv_ds_paco', 'inv_ds_eff'): 'inv_ds_pdco', ('inv_ds_eff_type', 'inv_ds_paco'): 'inv_ds_pso_suggested', ('inv_ds_eff_type', 'inv_ds_eff_weighted', 'inv_ds_eff_peak_or_nom'): 'inv_ds_eff', 'inv_ds_paco': 'inv_ds_pnt_suggested'}, 'MSPT System Design': {('tshours', 'solarm'): 'tshours_sf', ('solarm', 'q_pb_design'): 'Q_rec_des', ('P_ref', 'design_eff'): 'q_pb_design', ('P_ref', 'gross_net_conversion_factor'): 'nameplate'}, 'Molten Salt Linear Fresnel Solar Field': {'fthrok': 'fthr_ok', (): 'nodes', (): 'tc_void', (): 'tc_fill', (): 'tes_type', (): 't_ch_out_max', (): 'fc_on', (): 'f_tc_cold', ('sm1_aperture', 'a_loop'): 'csp.mslf.sf.sm1_nLoops', ('sf_q_design', 'I_bn_des', 'loop_eff'): 'sm1_aperture', ('csp.mslf.sf.sm_or_area', 'solar_mult_spec', 'sm1_aperture', 'a_field', 'a_loop'): 'nLoops', ('P_ref', 'eta_ref'): 'sf_q_design', ('a_loop', 'nLoops'): 'a_sf_act', ('csp.mslf.sf.sm_or_area', 'solar_mult_spec', 'a_sf_act', 'sm1_aperture'): 'solar_mult', 'csp.mslf.sf.Fluid': 'Fluid', ('a_sf_act', 'I_bn_des', 'loop_eff'): 'field_thermal_output', 'csp.mslf.sf.Fluid': 'htf_max_opt_temp', 'a_sf_act': 'field_area', 'csp.mslf.sf.Fluid': 'htf_min_opt_temp', 'nMod': 'nSCA', ('field_area', 'land_mult'): 'total_land_area', ('opt_derate', 'opt_normal'): 'loop_opt_eff', ('loop_opt_eff', 'hl_derate'): 'loop_eff', 'hl_derate': 'loop_therm_eff', 'csp.mslf.sf.FieldConfig': 'FieldConfig', 'T_loop_out': 'T_field_out_des', 'csp.mslf.sf.fthrctrl': 'fthrctrl', ('nMod', 'A_aperture'): 'a_loop', (): 't_dis_out_min', ('csp.mslf.sf.Fluid', 'Fluid', 'T_loop_in_des', 'T_loop_out', 'field_fl_props'): 'field_htf_cp_avg', 'solar_mult': 'solarm', 'HTF_data': 'field_fl_props', 'Fluid': 'field_fluid'}, 'Linear Fresnel Collector and Receiver Header': {'csp.lf.geom2.solpos_collinc_table': 'sh_OpticalTable', 'csp.lf.geom1.solpos_collinc_table': 'b_OpticalTable', 'csp.lf.geom2.var4.abs_emis': 'sh_eps_HCE4', 'csp.lf.geom2.var3.abs_emis': 'sh_eps_HCE3', 'csp.lf.geom2.var2.abs_emis': 'sh_eps_HCE2', 'csp.lf.geom2.var1.abs_emis': 'sh_eps_HCE1', 'csp.lf.geom1.var4.abs_emis': 'b_eps_HCE4', ('csp.lf.geom1.glazing_intact', 'csp.lf.geom2.glazing_intact'): 'GlazingIntactIn', 'csp.lf.geom1.var1.abs_emis': 'b_eps_HCE1', ('csp.lf.geom1.var1.annulus_pressure', 'csp.lf.geom1.var2.annulus_pressure', 'csp.lf.geom1.var3.annulus_pressure', 'csp.lf.geom1.var4.annulus_pressure', 'csp.lf.geom2.var1.annulus_pressure', 'csp.lf.geom2.var2.annulus_pressure', 'csp.lf.geom2.var3.annulus_pressure', 'csp.lf.geom2.var4.annulus_pressure'): 'P_a', ('csp.lf.geom1.annulus_gas', 'csp.lf.geom2.annulus_gas'): 'AnnulusGas', ('csp.lf.geom1.var1.env_trans', 'csp.lf.geom1.var2.env_trans', 'csp.lf.geom1.var3.env_trans', 'csp.lf.geom1.var4.env_trans', 'csp.lf.geom2.var1.env_trans', 'csp.lf.geom2.var2.env_trans', 'csp.lf.geom2.var3.env_trans', 'csp.lf.geom2.var4.env_trans'): 'Tau_envelope', 'csp.lf.geom1.var3.abs_emis': 'b_eps_HCE3', ('csp.lf.geom1.iamt0', 'csp.lf.geom1.iamt1', 'csp.lf.geom1.iamt2', 'csp.lf.geom1.iamt3', 'csp.lf.geom1.iamt4', 'csp.lf.geom2.iamt0', 'csp.lf.geom2.iamt1', 'csp.lf.geom2.iamt2', 'csp.lf.geom2.iamt3', 'csp.lf.geom2.iamt4'): 'IAM_T', ('csp.lf.geom1.var1.env_emis', 'csp.lf.geom1.var2.env_emis', 'csp.lf.geom1.var3.env_emis', 'csp.lf.geom1.var4.env_emis', 'csp.lf.geom2.var1.env_emis', 'csp.lf.geom2.var2.env_emis', 'csp.lf.geom2.var3.env_emis', 'csp.lf.geom2.var4.env_emis'): 'EPSILON_4', ('csp.lf.geom1.var1.env_abs', 'csp.lf.geom1.var2.env_abs', 'csp.lf.geom1.var3.env_abs', 'csp.lf.geom1.var4.env_abs', 'csp.lf.geom2.var1.env_abs', 'csp.lf.geom2.var2.env_abs', 'csp.lf.geom2.var3.env_abs', 'csp.lf.geom2.var4.env_abs'): 'alpha_env', 'csp.lf.geom1.var2.abs_emis': 'b_eps_HCE2', ('csp.lf.geom1.var1.hce_dirt', 'csp.lf.geom1.var2.hce_dirt', 'csp.lf.geom1.var3.hce_dirt', 'csp.lf.geom1.var4.hce_dirt', 'csp.lf.geom2.var1.hce_dirt', 'csp.lf.geom2.var2.hce_dirt', 'csp.lf.geom2.var3.hce_dirt', 'csp.lf.geom2.var4.hce_dirt'): 'Dirt_HCE', ('csp.lf.geom1.iaml0', 'csp.lf.geom1.iaml1', 'csp.lf.geom1.iaml2', 'csp.lf.geom1.iaml3', 'csp.lf.geom1.iaml4', 'csp.lf.geom2.iaml0', 'csp.lf.geom2.iaml1', 'csp.lf.geom2.iaml2', 'csp.lf.geom2.iaml3', 'csp.lf.geom2.iaml4'): 'IAM_L', ('csp.lf.geom1.hlpolyw0', 'csp.lf.geom1.hlpolyw1', 'csp.lf.geom1.hlpolyw2', 'csp.lf.geom1.hlpolyw3', 'csp.lf.geom1.hlpolyw4', 'csp.lf.geom2.hlpolyw0', 'csp.lf.geom2.hlpolyw1', 'csp.lf.geom2.hlpolyw2', 'csp.lf.geom2.hlpolyw3', 'csp.lf.geom2.hlpolyw4'): 'HL_W', ('csp.lf.geom1.var1.abs_abs', 'csp.lf.geom1.var2.abs_abs', 'csp.lf.geom1.var3.abs_abs', 'csp.lf.geom1.var4.abs_abs', 'csp.lf.geom2.var1.abs_abs', 'csp.lf.geom2.var2.abs_abs', 'csp.lf.geom2.var3.abs_abs', 'csp.lf.geom2.var4.abs_abs'): 'alpha_abs', ('csp.lf.geom1.var1.bellows_shadowing', 'csp.lf.geom1.var2.bellows_shadowing', 'csp.lf.geom1.var3.bellows_shadowing', 'csp.lf.geom1.var4.bellows_shadowing', 'csp.lf.geom2.var1.bellows_shadowing', 'csp.lf.geom2.var2.bellows_shadowing', 'csp.lf.geom2.var3.bellows_shadowing', 'csp.lf.geom2.var4.bellows_shadowing'): 'Shadowing', ('csp.lf.geom1.hlpolyt0', 'csp.lf.geom1.hlpolyt1', 'csp.lf.geom1.hlpolyt2', 'csp.lf.geom1.hlpolyt3', 'csp.lf.geom1.hlpolyt4', 'csp.lf.geom2.hlpolyt0', 'csp.lf.geom2.hlpolyt1', 'csp.lf.geom2.hlpolyt2', 'csp.lf.geom2.hlpolyt3', 'csp.lf.geom2.hlpolyt4'): 'HL_dT', ('csp.lf.geom1.var1.rated_heat_loss', 'csp.lf.geom1.var2.rated_heat_loss', 'csp.lf.geom1.var3.rated_heat_loss', 'csp.lf.geom1.var4.rated_heat_loss', 'csp.lf.geom2.var1.rated_heat_loss', 'csp.lf.geom2.var2.rated_heat_loss', 'csp.lf.geom2.var3.rated_heat_loss', 'csp.lf.geom2.var4.rated_heat_loss'): 'Design_loss', ('csp.lf.geom1.var1.field_fraction', 'csp.lf.geom1.var2.field_fraction', 'csp.lf.geom1.var3.field_fraction', 'csp.lf.geom1.var4.field_fraction', 'csp.lf.geom2.var1.field_fraction', 'csp.lf.geom2.var2.field_fraction', 'csp.lf.geom2.var3.field_fraction', 'csp.lf.geom2.var4.field_fraction'): 'HCE_FieldFrac', ('csp.lf.geom1.refl_aper_area', 'csp.lf.geom2.refl_aper_area', 'csp.lf.geom1.coll_length', 'csp.lf.geom2.coll_length', 'csp.lf.geom1.opt_mode', 'csp.lf.geom2.opt_mode', 'csp.lf.geom1.track_error', 'csp.lf.geom2.track_error', 'csp.lf.geom1.geom_error', 'csp.lf.geom2.geom_error', 'csp.lf.geom1.mirror_refl', 'csp.lf.geom2.mirror_refl', 'csp.lf.geom1.soiling', 'csp.lf.geom2.soiling', 'csp.lf.geom1.general_error', 'csp.lf.geom2.general_error', 'csp.lf.geom1.hl_mode', 'csp.lf.geom2.hl_mode', 'csp.lf.geom1.diam_absorber_inner', 'csp.lf.geom2.diam_absorber_inner', 'csp.lf.geom1.diam_absorber_outer', 'csp.lf.geom2.diam_absorber_outer', 'csp.lf.geom1.diam_envelope_inner', 'csp.lf.geom2.diam_envelope_inner', 'csp.lf.geom1.diam_envelope_outer', 'csp.lf.geom2.diam_envelope_outer', 'csp.lf.geom1.diam_absorber_plug', 'csp.lf.geom2.diam_absorber_plug', 'csp.lf.geom1.inner_roughness', 'csp.lf.geom2.inner_roughness', 'csp.lf.geom1.flow_type', 'csp.lf.geom2.flow_type', 'csp.lf.geom1.absorber_material', 'csp.lf.geom2.absorber_material'): ('A_aperture', 'L_col', 'OptCharType', 'TrackingError', 'GeomEffects', 'rho_mirror_clean', 'dirt_mirror', 'error', 'HLCharType', 'D_2', 'D_3', 'D_4', 'D_5', 'D_p', 'Rough', 'Flow_type', 'AbsorberMaterial')}} |
class Emoji:
# noinspection PyShadowingBuiltins
def __init__(self, id: str, name: str, animated: bool):
self.emoji_id = id
self.name = name
self.animated = animated
def is_unicode_emoji(self) -> bool:
return self.emoji_id is None
def util_id(self):
if self.is_unicode_emoji():
return self.name
else:
return f"{self.name}:{self.emoji_id}"
def __str__(self):
if self.is_unicode_emoji():
return self.name
else:
return f"<:{self.name}:{self.emoji_id}>"
def __eq__(self, other):
# TODO: coimpare unicode emojies to non unicode
if self.is_unicode_emoji() and isinstance(other, str):
return self.name == other
| class Emoji:
def __init__(self, id: str, name: str, animated: bool):
self.emoji_id = id
self.name = name
self.animated = animated
def is_unicode_emoji(self) -> bool:
return self.emoji_id is None
def util_id(self):
if self.is_unicode_emoji():
return self.name
else:
return f'{self.name}:{self.emoji_id}'
def __str__(self):
if self.is_unicode_emoji():
return self.name
else:
return f'<:{self.name}:{self.emoji_id}>'
def __eq__(self, other):
if self.is_unicode_emoji() and isinstance(other, str):
return self.name == other |
def h(n, x, y):
if n >0:
tmp = 6 - x-y
h(n-1, x, tmp)
print(x, y)
h(n-1, tmp, y)
n = int(input())
h(n, 1, 3) | def h(n, x, y):
if n > 0:
tmp = 6 - x - y
h(n - 1, x, tmp)
print(x, y)
h(n - 1, tmp, y)
n = int(input())
h(n, 1, 3) |
class Fib(object):
@staticmethod
def fib(n):
a = 0
if n == 0:
return a
b = 1
for _ in range(1, n):
c = a + b
a = b
b = c
return b
| class Fib(object):
@staticmethod
def fib(n):
a = 0
if n == 0:
return a
b = 1
for _ in range(1, n):
c = a + b
a = b
b = c
return b |
class OperationEngineException(Exception):
def __init__(self, message):
Exception.__init__(self, message)
| class Operationengineexception(Exception):
def __init__(self, message):
Exception.__init__(self, message) |
class Solution:
def minMalwareSpread(self, graph: List[List[int]], initial: List[int]) -> int:
if not graph: return -1
N = len(graph)
clean = set(range(N)) - set(initial)
def dfs(u, seen):
for v, adj in enumerate(graph[u]):
if adj and v in clean and v not in seen:
seen.add(v)
dfs(v, seen)
d = collections.defaultdict(list)
for u in initial:
seen = set()
dfs(u, seen)
for v in seen:
d[v].append(u)
count = [0] * N
for v, infects in d.items():
if len(infects) == 1:
count[infects[0]] += 1
return count.index(max(count)) if max(count) != 0 else min(initial)
| class Solution:
def min_malware_spread(self, graph: List[List[int]], initial: List[int]) -> int:
if not graph:
return -1
n = len(graph)
clean = set(range(N)) - set(initial)
def dfs(u, seen):
for (v, adj) in enumerate(graph[u]):
if adj and v in clean and (v not in seen):
seen.add(v)
dfs(v, seen)
d = collections.defaultdict(list)
for u in initial:
seen = set()
dfs(u, seen)
for v in seen:
d[v].append(u)
count = [0] * N
for (v, infects) in d.items():
if len(infects) == 1:
count[infects[0]] += 1
return count.index(max(count)) if max(count) != 0 else min(initial) |
############################################################################
#
# Copyright (C) 2016 The Qt Company Ltd.
# Contact: https://www.qt.io/licensing/
#
# This file is part of Qt Creator.
#
# Commercial License Usage
# Licensees holding valid commercial Qt licenses may use this file in
# accordance with the commercial license agreement provided with the
# Software or, alternatively, in accordance with the terms contained in
# a written agreement between you and The Qt Company. For licensing terms
# and conditions see https://www.qt.io/terms-conditions. For further
# information use the contact form at https://www.qt.io/contact-us.
#
# GNU General Public License Usage
# Alternatively, this file may be used under the terms of the GNU
# General Public License version 3 as published by the Free Software
# Foundation with exceptions as appearing in the file LICENSE.GPL3-EXCEPT
# included in the packaging of this file. Please review the following
# information to ensure the GNU General Public License requirements will
# be met: https://www.gnu.org/licenses/gpl-3.0.html.
#
############################################################################
source("../../shared/qtcreator.py")
# test Qt Creator version information from file and dialog
def getQtCreatorVersionFromDialog():
chk = re.search("(?<=Qt Creator)\s\d+.\d+.\d+[-\w]*",
str(waitForObject("{text?='*Qt Creator*' type='QLabel' unnamed='1' visible='1' "
"window=':About Qt Creator_Core::Internal::VersionDialog'}").text))
try:
ver = chk.group(0).strip()
return ver
except:
test.fail("Failed to get the exact version from Dialog")
return ""
def getQtCreatorVersionFromFile():
qtCreatorPriFileName = "../../../../qtcreator.pri"
# open file <qtCreatorPriFileName> and read version
fileText = readFile(qtCreatorPriFileName)
chk = re.search("(?<=QTCREATOR_DISPLAY_VERSION =)\s\d+.\d+.\d+\S*", fileText)
try:
ver = chk.group(0).strip()
return ver
except:
test.fail("Failed to get the exact version from File")
return ""
def checkQtCreatorHelpVersion(expectedVersion):
def rightStart(x):
return x.startswith('Qt Creator Manual')
switchViewTo(ViewConstants.HELP)
try:
helpContentWidget = waitForObject(':Qt Creator_QHelpContentWidget', 5000)
waitFor("any(map(rightStart, dumpItems(helpContentWidget.model())))", 10000)
items = dumpItems(helpContentWidget.model())
test.compare(filter(rightStart, items)[0],
'Qt Creator Manual %s' % expectedVersion,
'Verifying whether manual uses expected version.')
except:
t, v = sys.exc_info()[:2]
test.log("Exception caught", "%s(%s)" % (str(t), str(v)))
test.fail("Missing Qt Creator Manual.")
def setKeyboardShortcutForAboutQtC():
invokeMenuItem("Tools", "Options...")
waitForObjectItem(":Options_QListView", "Environment")
clickItem(":Options_QListView", "Environment", 14, 15, 0, Qt.LeftButton)
clickOnTab(":Options.qt_tabwidget_tabbar_QTabBar", "Keyboard")
filter = waitForObject("{container={title='Keyboard Shortcuts' type='QGroupBox' unnamed='1' "
"visible='1'} type='Utils::FancyLineEdit' unnamed='1' visible='1' "
"placeholderText='Filter'}")
replaceEditorContent(filter, "about")
treewidget = waitForObject("{type='QTreeWidget' unnamed='1' visible='1'}")
modelIndex = waitForObject("{column='0' text='AboutQtCreator' type='QModelIndex' "
"container={column='0' text='QtCreator' type='QModelIndex' "
"container=%s}}" % objectMap.realName(treewidget))
mouseClick(modelIndex, 5, 5, 0, Qt.LeftButton)
shortcutGB = "{title='Shortcut' type='QGroupBox' unnamed='1' visible='1'}"
record = waitForObject("{container=%s type='Core::Internal::ShortcutButton' unnamed='1' "
"visible='1' text~='(Stop Recording|Record)'}" % shortcutGB)
shortcut = ("{container=%s type='Utils::FancyLineEdit' unnamed='1' visible='1' "
"placeholderText='Enter key sequence as text'}" % shortcutGB)
clickButton(record)
nativeType("<Ctrl+Alt+a>")
clickButton(record)
expected = 'Ctrl+Alt+A'
if platform.system() == 'Darwin':
expected = 'Ctrl+Opt+A'
shortcutMatches = waitFor("str(findObject(shortcut).text) == expected", 5000)
if not shortcutMatches and platform.system() == 'Darwin':
test.warning("Squish Issue: shortcut was set to %s - entering it manually now"
% waitForObject(shortcut).text)
replaceEditorContent(shortcut, expected)
else:
test.verify(shortcutMatches, "Expected key sequence is displayed.")
clickButton(waitForObject(":Options.OK_QPushButton"))
def main():
expectedVersion = getQtCreatorVersionFromFile()
if not expectedVersion:
test.fatal("Can't find version from file.")
return
startApplication("qtcreator" + SettingsPath)
if not startedWithoutPluginError():
return
setKeyboardShortcutForAboutQtC()
if platform.system() == 'Darwin':
try:
waitForObject(":Qt Creator.QtCreator.MenuBar_QMenuBar", 2000)
except:
nativeMouseClick(waitForObject(":Qt Creator_Core::Internal::MainWindow", 1000), 20, 20, 0, Qt.LeftButton)
nativeType("<Ctrl+Alt+a>")
# verify qt creator version
try:
waitForObject(":About Qt Creator_Core::Internal::VersionDialog", 5000)
except:
test.warning("Using workaround of invoking menu entry "
"(known issue when running on Win inside Jenkins)")
if platform.system() == "Darwin":
invokeMenuItem("Help", "About Qt Creator")
else:
invokeMenuItem("Help", "About Qt Creator...")
waitForObject(":About Qt Creator_Core::Internal::VersionDialog", 5000)
actualVersion = getQtCreatorVersionFromDialog()
test.compare(actualVersion, expectedVersion,
"Verifying version. Current version is '%s', expected version is '%s'"
% (actualVersion, expectedVersion))
# close and verify about dialog closed
clickButton(waitForObject("{text='Close' type='QPushButton' unnamed='1' visible='1' "
"window=':About Qt Creator_Core::Internal::VersionDialog'}"))
test.verify(checkIfObjectExists(":About Qt Creator_Core::Internal::VersionDialog", False),
"Verifying if About dialog closed.")
checkQtCreatorHelpVersion(expectedVersion)
# exit qt creator
invokeMenuItem("File", "Exit")
# verify if qt creator closed properly
test.verify(checkIfObjectExists(":Qt Creator_Core::Internal::MainWindow", False),
"Verifying if Qt Creator closed.")
| source('../../shared/qtcreator.py')
def get_qt_creator_version_from_dialog():
chk = re.search('(?<=Qt Creator)\\s\\d+.\\d+.\\d+[-\\w]*', str(wait_for_object("{text?='*Qt Creator*' type='QLabel' unnamed='1' visible='1' window=':About Qt Creator_Core::Internal::VersionDialog'}").text))
try:
ver = chk.group(0).strip()
return ver
except:
test.fail('Failed to get the exact version from Dialog')
return ''
def get_qt_creator_version_from_file():
qt_creator_pri_file_name = '../../../../qtcreator.pri'
file_text = read_file(qtCreatorPriFileName)
chk = re.search('(?<=QTCREATOR_DISPLAY_VERSION =)\\s\\d+.\\d+.\\d+\\S*', fileText)
try:
ver = chk.group(0).strip()
return ver
except:
test.fail('Failed to get the exact version from File')
return ''
def check_qt_creator_help_version(expectedVersion):
def right_start(x):
return x.startswith('Qt Creator Manual')
switch_view_to(ViewConstants.HELP)
try:
help_content_widget = wait_for_object(':Qt Creator_QHelpContentWidget', 5000)
wait_for('any(map(rightStart, dumpItems(helpContentWidget.model())))', 10000)
items = dump_items(helpContentWidget.model())
test.compare(filter(rightStart, items)[0], 'Qt Creator Manual %s' % expectedVersion, 'Verifying whether manual uses expected version.')
except:
(t, v) = sys.exc_info()[:2]
test.log('Exception caught', '%s(%s)' % (str(t), str(v)))
test.fail('Missing Qt Creator Manual.')
def set_keyboard_shortcut_for_about_qt_c():
invoke_menu_item('Tools', 'Options...')
wait_for_object_item(':Options_QListView', 'Environment')
click_item(':Options_QListView', 'Environment', 14, 15, 0, Qt.LeftButton)
click_on_tab(':Options.qt_tabwidget_tabbar_QTabBar', 'Keyboard')
filter = wait_for_object("{container={title='Keyboard Shortcuts' type='QGroupBox' unnamed='1' visible='1'} type='Utils::FancyLineEdit' unnamed='1' visible='1' placeholderText='Filter'}")
replace_editor_content(filter, 'about')
treewidget = wait_for_object("{type='QTreeWidget' unnamed='1' visible='1'}")
model_index = wait_for_object("{column='0' text='AboutQtCreator' type='QModelIndex' container={column='0' text='QtCreator' type='QModelIndex' container=%s}}" % objectMap.realName(treewidget))
mouse_click(modelIndex, 5, 5, 0, Qt.LeftButton)
shortcut_gb = "{title='Shortcut' type='QGroupBox' unnamed='1' visible='1'}"
record = wait_for_object("{container=%s type='Core::Internal::ShortcutButton' unnamed='1' visible='1' text~='(Stop Recording|Record)'}" % shortcutGB)
shortcut = "{container=%s type='Utils::FancyLineEdit' unnamed='1' visible='1' placeholderText='Enter key sequence as text'}" % shortcutGB
click_button(record)
native_type('<Ctrl+Alt+a>')
click_button(record)
expected = 'Ctrl+Alt+A'
if platform.system() == 'Darwin':
expected = 'Ctrl+Opt+A'
shortcut_matches = wait_for('str(findObject(shortcut).text) == expected', 5000)
if not shortcutMatches and platform.system() == 'Darwin':
test.warning('Squish Issue: shortcut was set to %s - entering it manually now' % wait_for_object(shortcut).text)
replace_editor_content(shortcut, expected)
else:
test.verify(shortcutMatches, 'Expected key sequence is displayed.')
click_button(wait_for_object(':Options.OK_QPushButton'))
def main():
expected_version = get_qt_creator_version_from_file()
if not expectedVersion:
test.fatal("Can't find version from file.")
return
start_application('qtcreator' + SettingsPath)
if not started_without_plugin_error():
return
set_keyboard_shortcut_for_about_qt_c()
if platform.system() == 'Darwin':
try:
wait_for_object(':Qt Creator.QtCreator.MenuBar_QMenuBar', 2000)
except:
native_mouse_click(wait_for_object(':Qt Creator_Core::Internal::MainWindow', 1000), 20, 20, 0, Qt.LeftButton)
native_type('<Ctrl+Alt+a>')
try:
wait_for_object(':About Qt Creator_Core::Internal::VersionDialog', 5000)
except:
test.warning('Using workaround of invoking menu entry (known issue when running on Win inside Jenkins)')
if platform.system() == 'Darwin':
invoke_menu_item('Help', 'About Qt Creator')
else:
invoke_menu_item('Help', 'About Qt Creator...')
wait_for_object(':About Qt Creator_Core::Internal::VersionDialog', 5000)
actual_version = get_qt_creator_version_from_dialog()
test.compare(actualVersion, expectedVersion, "Verifying version. Current version is '%s', expected version is '%s'" % (actualVersion, expectedVersion))
click_button(wait_for_object("{text='Close' type='QPushButton' unnamed='1' visible='1' window=':About Qt Creator_Core::Internal::VersionDialog'}"))
test.verify(check_if_object_exists(':About Qt Creator_Core::Internal::VersionDialog', False), 'Verifying if About dialog closed.')
check_qt_creator_help_version(expectedVersion)
invoke_menu_item('File', 'Exit')
test.verify(check_if_object_exists(':Qt Creator_Core::Internal::MainWindow', False), 'Verifying if Qt Creator closed.') |
class Solution(object):
"""
A peak element is guaranteed to exist!
Use binary search method. Cannot directly
apply the XXOO template.
A point can have three possible scenarios:
(1) ascending (compare to element at right)
(2) at peak
(3) descending (compare to element at left)
"""
def peakIndexInMountainArrayIterate(self, A):
l, h = 0, len(A) - 1
# the problem was set up such that a peak must exist
while True:
m = (l + h) // 2
if A[m] > max(A[m + 1], A[m - 1]):
return m
elif A[m] < A[m + 1]:
l = m + 1
elif A[m] < A[m - 1]:
h = m - 1
def peakIndexInMountainArray(self, A):
"""
:type A: List[int]
:rtype: int
"""
def helper(A, l, h):
m = (l + h) // 2
if A[m] > max(A[m + 1], A[m - 1]):
return m
elif A[m] < A[m + 1]:
return helper(A, m + 1, h)
elif A[m] < A[m - 1]:
return helper(A, l, m - 1)
return helper(A, 0, len(A) - 1)
solver = Solution()
ans = solver.peakIndexInMountainArrayIterate([0,1,2,3,0])
print(ans)
| class Solution(object):
"""
A peak element is guaranteed to exist!
Use binary search method. Cannot directly
apply the XXOO template.
A point can have three possible scenarios:
(1) ascending (compare to element at right)
(2) at peak
(3) descending (compare to element at left)
"""
def peak_index_in_mountain_array_iterate(self, A):
(l, h) = (0, len(A) - 1)
while True:
m = (l + h) // 2
if A[m] > max(A[m + 1], A[m - 1]):
return m
elif A[m] < A[m + 1]:
l = m + 1
elif A[m] < A[m - 1]:
h = m - 1
def peak_index_in_mountain_array(self, A):
"""
:type A: List[int]
:rtype: int
"""
def helper(A, l, h):
m = (l + h) // 2
if A[m] > max(A[m + 1], A[m - 1]):
return m
elif A[m] < A[m + 1]:
return helper(A, m + 1, h)
elif A[m] < A[m - 1]:
return helper(A, l, m - 1)
return helper(A, 0, len(A) - 1)
solver = solution()
ans = solver.peakIndexInMountainArrayIterate([0, 1, 2, 3, 0])
print(ans) |
""" PythonPackageTemplate Class """
class PythonPackageTemplate:
""" PythonPackageTemplate class """
def __init__(self):
""" Initialize PythonPackageTemplate. """
pass
def __repr__(self):
""" Return PythonPackageTemplate name. """
return self.__class__.__name__
| """ PythonPackageTemplate Class """
class Pythonpackagetemplate:
""" PythonPackageTemplate class """
def __init__(self):
""" Initialize PythonPackageTemplate. """
pass
def __repr__(self):
""" Return PythonPackageTemplate name. """
return self.__class__.__name__ |
a = 1
b = 2
print(a,b) # 1,2
# like JS destructuring
a, b = b, a
print(a,b) # 2,1
| a = 1
b = 2
print(a, b)
(a, b) = (b, a)
print(a, b) |
# ASSIGNMENT 1 - C
# VOLUME OF SPHERE
d=int(input("Enter the diameter : "))
r=d/2
print("-> Radius is {}".format(r))
Vo=(4.0/3.0) *22/7*( r*r*r)
print("-> Volume is {}".format(Vo)) | d = int(input('Enter the diameter : '))
r = d / 2
print('-> Radius is {}'.format(r))
vo = 4.0 / 3.0 * 22 / 7 * (r * r * r)
print('-> Volume is {}'.format(Vo)) |
#Postal abbreviations to three-character NHGIS state codes
state_codes = {
'WA': '530',
'DE': '100',
'DC': '110',
'WI': '550',
'WV': '540',
'HI': '150',
'FL': '120',
'WY': '560',
'PR': '720',
'NJ': '340',
'NM': '350',
'TX': '480',
'LA': '220',
'NC': '370',
'ND': '380',
'NE': '310',
'TN': '470',
'NY': '360',
'PA': '420',
'AK': '020',
'NV': '320',
'NH': '330',
'VA': '510',
'CO': '080',
'CA': '060',
'AL': '010',
'AR': '050',
'VT': '500',
'IL': '170',
'GA': '130',
'IN': '180',
'IA': '190',
'MA': '250',
'AZ': '040',
'ID': '160',
'CT': '090',
'ME': '230',
'MD': '240',
'OK': '400',
'OH': '390',
'UT': '490',
'MO': '290',
'MN': '270',
'MI': '260',
'RI': '440',
'KS': '200',
'MT': '300',
'MS': '280',
'SC': '450',
'KY': '210',
'OR': '410',
'SD': '460',
'PR': '720'
}
| state_codes = {'WA': '530', 'DE': '100', 'DC': '110', 'WI': '550', 'WV': '540', 'HI': '150', 'FL': '120', 'WY': '560', 'PR': '720', 'NJ': '340', 'NM': '350', 'TX': '480', 'LA': '220', 'NC': '370', 'ND': '380', 'NE': '310', 'TN': '470', 'NY': '360', 'PA': '420', 'AK': '020', 'NV': '320', 'NH': '330', 'VA': '510', 'CO': '080', 'CA': '060', 'AL': '010', 'AR': '050', 'VT': '500', 'IL': '170', 'GA': '130', 'IN': '180', 'IA': '190', 'MA': '250', 'AZ': '040', 'ID': '160', 'CT': '090', 'ME': '230', 'MD': '240', 'OK': '400', 'OH': '390', 'UT': '490', 'MO': '290', 'MN': '270', 'MI': '260', 'RI': '440', 'KS': '200', 'MT': '300', 'MS': '280', 'SC': '450', 'KY': '210', 'OR': '410', 'SD': '460', 'PR': '720'} |
"""
:mod:`papy.util.runtime`
========================
Provides a (possibly shared, but not yet) dictionary.
"""
def get_runtime():
"""
Returns a PAPY_RUNTIME dictionary.
"""
PAPY_RUNTIME = {}
return PAPY_RUNTIME
| """
:mod:`papy.util.runtime`
========================
Provides a (possibly shared, but not yet) dictionary.
"""
def get_runtime():
"""
Returns a PAPY_RUNTIME dictionary.
"""
papy_runtime = {}
return PAPY_RUNTIME |
"""Callables settings
==================
Dynamically build smart settings related to django-pipeline, taking into account other settings or installed packages.
"""
def static_storage(settings_dict):
if settings_dict["PIPELINE_ENABLED"]:
return "djangofloor.backends.DjangofloorPipelineCachedStorage"
return "django.contrib.staticfiles.storage.StaticFilesStorage"
static_storage.required_settings = ["PIPELINE_ENABLED"]
def pipeline_enabled(settings_dict):
return settings_dict["USE_PIPELINE"] and not settings_dict["DEBUG"]
pipeline_enabled.required_settings = ["DEBUG", "USE_PIPELINE"]
| """Callables settings
==================
Dynamically build smart settings related to django-pipeline, taking into account other settings or installed packages.
"""
def static_storage(settings_dict):
if settings_dict['PIPELINE_ENABLED']:
return 'djangofloor.backends.DjangofloorPipelineCachedStorage'
return 'django.contrib.staticfiles.storage.StaticFilesStorage'
static_storage.required_settings = ['PIPELINE_ENABLED']
def pipeline_enabled(settings_dict):
return settings_dict['USE_PIPELINE'] and (not settings_dict['DEBUG'])
pipeline_enabled.required_settings = ['DEBUG', 'USE_PIPELINE'] |
class SentenceReverser:
vowels = ["a","e","i","o","u"]
sentence = ""
reverse = ""
vowelCount = 0
def __init__(self,sentence):
self.sentence = sentence
self.reverseSentence()
def reverseSentence(self):
self.reverse = " ".join(reversed(self.sentence.split()))
def getVowelCount(self):
self.vowelCount = sum(s in self.vowels for s in self.sentence.lower())
return self.vowelCount
def getReverse(self):
return self.reverse
items = []
for i in range(3):
reverser = SentenceReverser(input("Enter a sentence :"))
items.append(reverser)
print(reverser.reverse)
print ("Sorted descending vowel count: ")
for i in sorted(items,key=lambda item:item.getVowelCount(),reverse=True):
print (i.getReverse(),"->",i.getVowelCount())
| class Sentencereverser:
vowels = ['a', 'e', 'i', 'o', 'u']
sentence = ''
reverse = ''
vowel_count = 0
def __init__(self, sentence):
self.sentence = sentence
self.reverseSentence()
def reverse_sentence(self):
self.reverse = ' '.join(reversed(self.sentence.split()))
def get_vowel_count(self):
self.vowelCount = sum((s in self.vowels for s in self.sentence.lower()))
return self.vowelCount
def get_reverse(self):
return self.reverse
items = []
for i in range(3):
reverser = sentence_reverser(input('Enter a sentence :'))
items.append(reverser)
print(reverser.reverse)
print('Sorted descending vowel count: ')
for i in sorted(items, key=lambda item: item.getVowelCount(), reverse=True):
print(i.getReverse(), '->', i.getVowelCount()) |
def fac_of_num():
global num
factor = 1
flag = True
while flag:
flag = False
try:
num = int(round(float(input("Enter the Number: "))))
if num == 0:
print("The Factorial of Zero is One")
flag = True
else:
if num < 0:
print("The Number should be Positive")
flag = True
except ValueError:
print("Enter a Valid Input")
flag = True
if num > 0:
for x in range(1, num + 1):
factor = factor * x
return factor
fac = fac_of_num()
print("The factorial of", num,"is",fac) | def fac_of_num():
global num
factor = 1
flag = True
while flag:
flag = False
try:
num = int(round(float(input('Enter the Number: '))))
if num == 0:
print('The Factorial of Zero is One')
flag = True
elif num < 0:
print('The Number should be Positive')
flag = True
except ValueError:
print('Enter a Valid Input')
flag = True
if num > 0:
for x in range(1, num + 1):
factor = factor * x
return factor
fac = fac_of_num()
print('The factorial of', num, 'is', fac) |
""" Optional routine to calculate the alpha values if they have not been precalculated """
# # Calculate the alphas:
# alpha = np.zeros(len(bstart)-1)
# alpha_err = np.zeros(len(bstart)-1)
# tdel = np.zeros(len(bstart)-1)
# for i in range (1,len(bstart)):
# #alpha = Fp cbol delta t /fluence
# if i == 1:
# alpha[i-1]=alpha[i-1]/3. # special for first interval
# tdel[i-1] = bstart[i]-bstart[i-1]
# else:
# alpha[i-1] = (mflux[i-1]*(bstart[i]-bstart[i-1])*86400.00)/(fluen[i-1]*1000.0)
# tdel[i-1] = bstart[i]-bstart[i-1]
# # Correct for missed bursts:
# for (j, i) in zip(N_missed, burst_index):
# alpha[i] = alpha[i]/j
# for i in range (1,len(bstart)):
# alpha_err[i-1]=alpha[i-1]*math.sqrt(np.mean(bce/bc)**2 + np.mean(pfluxe/pflux)**2 + (fluene[i-1]/fluen[i-1])**2)
# # Not sure what's happening with alpha errors, for now just set alpha_err = 5
# alpha_err = np.empty(len(alpha))
# alpha_err.fill(5.0)
| """ Optional routine to calculate the alpha values if they have not been precalculated """ |
class Signal():
def __init__(self):
self.receivers = []
def connect(self, receiver):
self.receivers.append(receiver)
def emit(self):
for receiver in self.receivers:
receiver()
| class Signal:
def __init__(self):
self.receivers = []
def connect(self, receiver):
self.receivers.append(receiver)
def emit(self):
for receiver in self.receivers:
receiver() |
# Functions for working with ELB/ALB
# Checks whether logging is enabled
# For an ALB, load_balancer is an ARN; it's a name for an ELB
def check_elb_logging_status(load_balancer, load_balancer_type, boto_session):
logging_enabled = False
if load_balancer_type == 'ALB':
alb_client = boto_session.client("elbv2")
try:
response = alb_client.describe_load_balancer_attributes(
LoadBalancerArn=load_balancer
)
except Exception as e:
print("Error obtaining attributes for ALB " + load_balancer + " (" + str(e) + ")")
if response: # ALB attributes are a key/value list and return a STRING
for attrib in response['Attributes']:
if attrib['Key'] == 'access_logs.s3.enabled' and attrib['Value'] == 'true':
logging_enabled = True
elif load_balancer_type == 'ELB':
elb_client = boto_session.client('elb')
try:
response = elb_client.describe_load_balancer_attributes(
LoadBalancerName=load_balancer
)
except Exception as e:
print("Error obtaining attributes for ELB " + load_balancer + " (" + str(e) + ")")
if response: # ELB attributes are a set object and return a BOOLEAN
logging_enabled = response['LoadBalancerAttributes']['AccessLog']['Enabled']
return logging_enabled
# Enable access logging on an ALB/ELB
# For an ALB, load_balancer is an ARN; it's a name for an ELB
def enable_elb_access_logging(load_balancer, load_balancer_type, bucket, bucket_prefix, boto_session):
status = False
print("enabling access logs for " + load_balancer + " writing to bucket " + bucket + " prefix " + bucket_prefix)
if load_balancer_type == 'ALB':
elb_client = boto_session.client('elbv2')
try:
response = elb_client.modify_load_balancer_attributes(
LoadBalancerArn=load_balancer,
Attributes=[
{
'Key': 'access_logs.s3.enabled',
'Value': 'true'
},
{
'Key': 'access_logs.s3.bucket',
'Value': bucket
},
{
'Key': 'access_logs.s3.prefix',
'Value': bucket_prefix
}
]
)
# We don't care about the response and it will except if there's any issue
status = True
except Exception as e:
print("Error setting attributes for ALB " + load_balancer + " (" + str(e) + ")")
status = False
elif load_balancer_type == 'ELB':
elb_client = boto_session.client('elb')
try:
response = elb_client.modify_load_balancer_attributes(
LoadBalancerAttributes={
'AccessLog': {
'Enabled': True,
'S3BucketName': bucket,
'EmitInterval': 5,
'S3BucketPrefix': bucket_prefix
},
},
LoadBalancerName=load_balancer,
)
if response:
if response['ResponseMetadata']['HTTPStatusCode'] == 200:
status = True
except Exception as e:
print("Error setting attributes for ELB " + load_balancer + " (" + str(e) + ")")
status = False
return status
# Given a target group, find the ALB it is attached to
def lookup_alb_arn(target_group_arn, boto_session):
print("Looking up LB arn for target group " + target_group_arn)
alb_client = boto_session.client("elbv2")
alb_arn = None
# This whole process kinda violates the schema since a target group can be associated with
# multiple ALBs. However, in our case that's not the case
try:
response = alb_client.describe_target_groups(
TargetGroupArns=[
target_group_arn
],
)
except Exception as e:
print("Error obtaining info for target group " + target_group_arn + " (" + str(e) + ")")
if response:
# get ARN of the first load balancer for this target group
alb_arn = response['TargetGroups'][0]['LoadBalancerArns'][0]
print("ALB arn determined to be " + alb_arn)
return alb_arn
| def check_elb_logging_status(load_balancer, load_balancer_type, boto_session):
logging_enabled = False
if load_balancer_type == 'ALB':
alb_client = boto_session.client('elbv2')
try:
response = alb_client.describe_load_balancer_attributes(LoadBalancerArn=load_balancer)
except Exception as e:
print('Error obtaining attributes for ALB ' + load_balancer + ' (' + str(e) + ')')
if response:
for attrib in response['Attributes']:
if attrib['Key'] == 'access_logs.s3.enabled' and attrib['Value'] == 'true':
logging_enabled = True
elif load_balancer_type == 'ELB':
elb_client = boto_session.client('elb')
try:
response = elb_client.describe_load_balancer_attributes(LoadBalancerName=load_balancer)
except Exception as e:
print('Error obtaining attributes for ELB ' + load_balancer + ' (' + str(e) + ')')
if response:
logging_enabled = response['LoadBalancerAttributes']['AccessLog']['Enabled']
return logging_enabled
def enable_elb_access_logging(load_balancer, load_balancer_type, bucket, bucket_prefix, boto_session):
status = False
print('enabling access logs for ' + load_balancer + ' writing to bucket ' + bucket + ' prefix ' + bucket_prefix)
if load_balancer_type == 'ALB':
elb_client = boto_session.client('elbv2')
try:
response = elb_client.modify_load_balancer_attributes(LoadBalancerArn=load_balancer, Attributes=[{'Key': 'access_logs.s3.enabled', 'Value': 'true'}, {'Key': 'access_logs.s3.bucket', 'Value': bucket}, {'Key': 'access_logs.s3.prefix', 'Value': bucket_prefix}])
status = True
except Exception as e:
print('Error setting attributes for ALB ' + load_balancer + ' (' + str(e) + ')')
status = False
elif load_balancer_type == 'ELB':
elb_client = boto_session.client('elb')
try:
response = elb_client.modify_load_balancer_attributes(LoadBalancerAttributes={'AccessLog': {'Enabled': True, 'S3BucketName': bucket, 'EmitInterval': 5, 'S3BucketPrefix': bucket_prefix}}, LoadBalancerName=load_balancer)
if response:
if response['ResponseMetadata']['HTTPStatusCode'] == 200:
status = True
except Exception as e:
print('Error setting attributes for ELB ' + load_balancer + ' (' + str(e) + ')')
status = False
return status
def lookup_alb_arn(target_group_arn, boto_session):
print('Looking up LB arn for target group ' + target_group_arn)
alb_client = boto_session.client('elbv2')
alb_arn = None
try:
response = alb_client.describe_target_groups(TargetGroupArns=[target_group_arn])
except Exception as e:
print('Error obtaining info for target group ' + target_group_arn + ' (' + str(e) + ')')
if response:
alb_arn = response['TargetGroups'][0]['LoadBalancerArns'][0]
print('ALB arn determined to be ' + alb_arn)
return alb_arn |
load(
"//:versions.bzl",
"SPEC_VERSION",
"BIOGRAPH_VERSION",
"SEQSET_VERSION",
)
VERSION_TABLE = {
"SPEC_VERSION": SPEC_VERSION,
"BIOGRAPH_VERSION": BIOGRAPH_VERSION,
"SEQSET_VERSION": SEQSET_VERSION,
}
def make_version_h(name, out_file):
"""Generates a .h file containing #defines for all the versions in VERSION_TABLE."""
cmd = """(
echo '#pragma once'
"""
for version_id, version in VERSION_TABLE.items():
cmd = cmd + "echo '#define " + version_id + " \"" + version + "\"'\n"
cmd = cmd + """
) > $@"""
native.genrule(name=name, outs=[out_file],
cmd=cmd)
def make_version_py(name, out_file):
"""Generates a .py file containing version definitions for all the
versions in VERSION_TABLE."""
cmd = "("
for version_id, version in VERSION_TABLE.items():
cmd = cmd + "echo '" + version_id + "=\"" + version + "\"'\n"
cmd = cmd + ") > $@"
native.genrule(name=name, outs=[out_file], cmd=cmd)
| load('//:versions.bzl', 'SPEC_VERSION', 'BIOGRAPH_VERSION', 'SEQSET_VERSION')
version_table = {'SPEC_VERSION': SPEC_VERSION, 'BIOGRAPH_VERSION': BIOGRAPH_VERSION, 'SEQSET_VERSION': SEQSET_VERSION}
def make_version_h(name, out_file):
"""Generates a .h file containing #defines for all the versions in VERSION_TABLE."""
cmd = "(\necho '#pragma once'\n"
for (version_id, version) in VERSION_TABLE.items():
cmd = cmd + "echo '#define " + version_id + ' "' + version + '"\'\n'
cmd = cmd + '\n) > $@'
native.genrule(name=name, outs=[out_file], cmd=cmd)
def make_version_py(name, out_file):
"""Generates a .py file containing version definitions for all the
versions in VERSION_TABLE."""
cmd = '('
for (version_id, version) in VERSION_TABLE.items():
cmd = cmd + "echo '" + version_id + '="' + version + '"\'\n'
cmd = cmd + ') > $@'
native.genrule(name=name, outs=[out_file], cmd=cmd) |
WINDOW_SIZE = 3
def window(lines, start):
if start > len(lines) - WINDOW_SIZE:
return None
return int(lines[start]), int(lines[start+1]), int(lines[start+2])
with open("data/input1.txt") as f:
lines = f.readlines()
end_idx = len(lines) - WINDOW_SIZE + 1
last_sum = None
larger_count = 0
for i in range(0, end_idx):
nums = window(lines, i)
this_sum = sum(nums)
if last_sum is None:
last_sum = this_sum
continue
if this_sum > last_sum:
larger_count += 1
last_sum = this_sum
print(larger_count) | window_size = 3
def window(lines, start):
if start > len(lines) - WINDOW_SIZE:
return None
return (int(lines[start]), int(lines[start + 1]), int(lines[start + 2]))
with open('data/input1.txt') as f:
lines = f.readlines()
end_idx = len(lines) - WINDOW_SIZE + 1
last_sum = None
larger_count = 0
for i in range(0, end_idx):
nums = window(lines, i)
this_sum = sum(nums)
if last_sum is None:
last_sum = this_sum
continue
if this_sum > last_sum:
larger_count += 1
last_sum = this_sum
print(larger_count) |
def main():
formatters = {"plain": plain,
"bold": bold,
"italic": italic,
"header": header,
"link": link,
"inline-code": inline_code,
"ordered-list": make_list,
"unordered-list": make_list,
"new-line": new_line}
stored_string = ""
while True:
user_input = input("- Choose a formatter: ").lower()
if user_input == "!help":
print("Available formatters: plain bold italic header link "
"inline-code ordered-list unordered-list new-line")
print("Special commands: !help !done")
elif user_input in formatters.keys():
if user_input in ["ordered-list", "unordered-list"]:
stored_string += formatters[user_input](user_input)
print(stored_string)
else:
stored_string += formatters[user_input]()
print(stored_string)
elif user_input == "!done":
conv_string_file(stored_string)
exit()
else:
print("Unknown formatting type or command. Please try again.")
def plain():
text_input = input("- Text: ")
return text_input
def bold():
text_input = input("- Text: ")
return "**" + text_input + "**"
def italic():
text_input = input("- Text: ")
return "*" + text_input + "*"
def header():
while True:
try:
title_level = int(input('Level: '))
if title_level in range(1, 7):
break
print('The level should be within the range of 1 to 6')
except ValueError:
print(ValueError)
pass
title_input = input("- Text: ")
return "#" * title_level + " " + title_input + "\n"
def link():
input_label = input("- Label: ")
input_url = input("- URL: ")
return "[" + input_label + "]" + "(" + input_url + ")"
def inline_code():
text_input = input("- Text: ")
return "`" + text_input + "`"
# function for ordered-list & unordered-list formatters
def make_list(user_input):
list_string = ""
while True:
try:
rows = int(input("- Number of rows: "))
if rows >= 1:
break
print("The number of rows should be greater than zero")
except ValueError:
print("Please enter a valid number of rows")
pass
for r in range(1, rows + 1):
if user_input == "ordered-list":
list_string += f"{r}. " + input(f"- Row #{r}: ") + "\n"
else:
list_string += "* " + input(f"- Row #{r}: ") + "\n"
return list_string
def new_line():
return "\n"
def conv_string_file(text):
f = open('output.md', 'w+')
f.write(text)
f.close()
if __name__ == '__main__':
main()
| def main():
formatters = {'plain': plain, 'bold': bold, 'italic': italic, 'header': header, 'link': link, 'inline-code': inline_code, 'ordered-list': make_list, 'unordered-list': make_list, 'new-line': new_line}
stored_string = ''
while True:
user_input = input('- Choose a formatter: ').lower()
if user_input == '!help':
print('Available formatters: plain bold italic header link inline-code ordered-list unordered-list new-line')
print('Special commands: !help !done')
elif user_input in formatters.keys():
if user_input in ['ordered-list', 'unordered-list']:
stored_string += formatters[user_input](user_input)
print(stored_string)
else:
stored_string += formatters[user_input]()
print(stored_string)
elif user_input == '!done':
conv_string_file(stored_string)
exit()
else:
print('Unknown formatting type or command. Please try again.')
def plain():
text_input = input('- Text: ')
return text_input
def bold():
text_input = input('- Text: ')
return '**' + text_input + '**'
def italic():
text_input = input('- Text: ')
return '*' + text_input + '*'
def header():
while True:
try:
title_level = int(input('Level: '))
if title_level in range(1, 7):
break
print('The level should be within the range of 1 to 6')
except ValueError:
print(ValueError)
pass
title_input = input('- Text: ')
return '#' * title_level + ' ' + title_input + '\n'
def link():
input_label = input('- Label: ')
input_url = input('- URL: ')
return '[' + input_label + ']' + '(' + input_url + ')'
def inline_code():
text_input = input('- Text: ')
return '`' + text_input + '`'
def make_list(user_input):
list_string = ''
while True:
try:
rows = int(input('- Number of rows: '))
if rows >= 1:
break
print('The number of rows should be greater than zero')
except ValueError:
print('Please enter a valid number of rows')
pass
for r in range(1, rows + 1):
if user_input == 'ordered-list':
list_string += f'{r}. ' + input(f'- Row #{r}: ') + '\n'
else:
list_string += '* ' + input(f'- Row #{r}: ') + '\n'
return list_string
def new_line():
return '\n'
def conv_string_file(text):
f = open('output.md', 'w+')
f.write(text)
f.close()
if __name__ == '__main__':
main() |
"""
Function to define special tokens (ie : CTRL code) and update the model and tokenizer
"""
def add_special_tokens(model=None, tokenizer=None):
"""
update in place the model and tokenizer to take into account special tokens
:param model: GPT2 model from huggingface
:param tokenizer: GPT2 tokenizer from huggingface
"""
if tokenizer:
tokenizer.add_special_tokens(
{'bos_token': '[P2]',
'additional_special_tokens': ['[P1]', '[P3]', '[S]', '[M]', '[L]', '[T]', '[Sum]',
'[Loc]', '[Per]', '[Org]', '[Misc]']}
)
tokenizer.pad_token = tokenizer.eos_token
if model:
model.resize_token_embeddings(len(tokenizer))
| """
Function to define special tokens (ie : CTRL code) and update the model and tokenizer
"""
def add_special_tokens(model=None, tokenizer=None):
"""
update in place the model and tokenizer to take into account special tokens
:param model: GPT2 model from huggingface
:param tokenizer: GPT2 tokenizer from huggingface
"""
if tokenizer:
tokenizer.add_special_tokens({'bos_token': '[P2]', 'additional_special_tokens': ['[P1]', '[P3]', '[S]', '[M]', '[L]', '[T]', '[Sum]', '[Loc]', '[Per]', '[Org]', '[Misc]']})
tokenizer.pad_token = tokenizer.eos_token
if model:
model.resize_token_embeddings(len(tokenizer)) |
#
# PySNMP MIB module ChrComPmSonetSNT-L-Day-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ChrComPmSonetSNT-L-Day-MIB
# Produced by pysmi-0.3.4 at Wed May 1 12:35:58 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
Integer, ObjectIdentifier, OctetString = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsIntersection, ValueSizeConstraint, ValueRangeConstraint, ConstraintsUnion, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsUnion", "SingleValueConstraint")
chrComIfifIndex, = mibBuilder.importSymbols("ChrComIfifTable-MIB", "chrComIfifIndex")
TruthValue, = mibBuilder.importSymbols("ChrTyp-MIB", "TruthValue")
chrComPmSonet, = mibBuilder.importSymbols("Chromatis-MIB", "chrComPmSonet")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
ObjectIdentity, Counter64, ModuleIdentity, IpAddress, NotificationType, Bits, MibIdentifier, TimeTicks, Unsigned32, Integer32, Gauge32, Counter32, MibScalar, MibTable, MibTableRow, MibTableColumn, iso = mibBuilder.importSymbols("SNMPv2-SMI", "ObjectIdentity", "Counter64", "ModuleIdentity", "IpAddress", "NotificationType", "Bits", "MibIdentifier", "TimeTicks", "Unsigned32", "Integer32", "Gauge32", "Counter32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "iso")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
chrComPmSonetSNT_L_DayTable = MibTable((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6), ).setLabel("chrComPmSonetSNT-L-DayTable")
if mibBuilder.loadTexts: chrComPmSonetSNT_L_DayTable.setStatus('current')
if mibBuilder.loadTexts: chrComPmSonetSNT_L_DayTable.setDescription('')
chrComPmSonetSNT_L_DayEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1), ).setLabel("chrComPmSonetSNT-L-DayEntry").setIndexNames((0, "ChrComIfifTable-MIB", "chrComIfifIndex"), (0, "ChrComPmSonetSNT-L-Day-MIB", "chrComPmSonetDayNumber"))
if mibBuilder.loadTexts: chrComPmSonetSNT_L_DayEntry.setStatus('current')
if mibBuilder.loadTexts: chrComPmSonetSNT_L_DayEntry.setDescription('')
chrComPmSonetDayNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: chrComPmSonetDayNumber.setStatus('current')
if mibBuilder.loadTexts: chrComPmSonetDayNumber.setDescription('')
chrComPmSonetSuspectedInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 2), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: chrComPmSonetSuspectedInterval.setStatus('current')
if mibBuilder.loadTexts: chrComPmSonetSuspectedInterval.setDescription('')
chrComPmSonetElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: chrComPmSonetElapsedTime.setStatus('current')
if mibBuilder.loadTexts: chrComPmSonetElapsedTime.setDescription('')
chrComPmSonetSuppressedIntrvls = MibTableColumn((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 4), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: chrComPmSonetSuppressedIntrvls.setStatus('current')
if mibBuilder.loadTexts: chrComPmSonetSuppressedIntrvls.setDescription('')
chrComPmSonetES = MibTableColumn((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 5), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: chrComPmSonetES.setStatus('current')
if mibBuilder.loadTexts: chrComPmSonetES.setDescription('')
chrComPmSonetSES = MibTableColumn((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 6), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: chrComPmSonetSES.setStatus('current')
if mibBuilder.loadTexts: chrComPmSonetSES.setDescription('')
chrComPmSonetCV = MibTableColumn((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 7), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: chrComPmSonetCV.setStatus('current')
if mibBuilder.loadTexts: chrComPmSonetCV.setDescription('')
chrComPmSonetUAS = MibTableColumn((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 8), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: chrComPmSonetUAS.setStatus('current')
if mibBuilder.loadTexts: chrComPmSonetUAS.setDescription('')
chrComPmSonetThresholdProfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 9), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: chrComPmSonetThresholdProfIndex.setStatus('current')
if mibBuilder.loadTexts: chrComPmSonetThresholdProfIndex.setDescription('')
chrComPmSonetResetPmCountersAction = MibTableColumn((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 10), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: chrComPmSonetResetPmCountersAction.setStatus('current')
if mibBuilder.loadTexts: chrComPmSonetResetPmCountersAction.setDescription('')
mibBuilder.exportSymbols("ChrComPmSonetSNT-L-Day-MIB", chrComPmSonetES=chrComPmSonetES, chrComPmSonetThresholdProfIndex=chrComPmSonetThresholdProfIndex, chrComPmSonetSNT_L_DayEntry=chrComPmSonetSNT_L_DayEntry, chrComPmSonetSuspectedInterval=chrComPmSonetSuspectedInterval, chrComPmSonetSES=chrComPmSonetSES, chrComPmSonetCV=chrComPmSonetCV, chrComPmSonetUAS=chrComPmSonetUAS, chrComPmSonetElapsedTime=chrComPmSonetElapsedTime, chrComPmSonetResetPmCountersAction=chrComPmSonetResetPmCountersAction, chrComPmSonetDayNumber=chrComPmSonetDayNumber, chrComPmSonetSuppressedIntrvls=chrComPmSonetSuppressedIntrvls, chrComPmSonetSNT_L_DayTable=chrComPmSonetSNT_L_DayTable)
| (integer, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_intersection, value_size_constraint, value_range_constraint, constraints_union, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsUnion', 'SingleValueConstraint')
(chr_com_ifif_index,) = mibBuilder.importSymbols('ChrComIfifTable-MIB', 'chrComIfifIndex')
(truth_value,) = mibBuilder.importSymbols('ChrTyp-MIB', 'TruthValue')
(chr_com_pm_sonet,) = mibBuilder.importSymbols('Chromatis-MIB', 'chrComPmSonet')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(object_identity, counter64, module_identity, ip_address, notification_type, bits, mib_identifier, time_ticks, unsigned32, integer32, gauge32, counter32, mib_scalar, mib_table, mib_table_row, mib_table_column, iso) = mibBuilder.importSymbols('SNMPv2-SMI', 'ObjectIdentity', 'Counter64', 'ModuleIdentity', 'IpAddress', 'NotificationType', 'Bits', 'MibIdentifier', 'TimeTicks', 'Unsigned32', 'Integer32', 'Gauge32', 'Counter32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'iso')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
chr_com_pm_sonet_snt_l__day_table = mib_table((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6)).setLabel('chrComPmSonetSNT-L-DayTable')
if mibBuilder.loadTexts:
chrComPmSonetSNT_L_DayTable.setStatus('current')
if mibBuilder.loadTexts:
chrComPmSonetSNT_L_DayTable.setDescription('')
chr_com_pm_sonet_snt_l__day_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1)).setLabel('chrComPmSonetSNT-L-DayEntry').setIndexNames((0, 'ChrComIfifTable-MIB', 'chrComIfifIndex'), (0, 'ChrComPmSonetSNT-L-Day-MIB', 'chrComPmSonetDayNumber'))
if mibBuilder.loadTexts:
chrComPmSonetSNT_L_DayEntry.setStatus('current')
if mibBuilder.loadTexts:
chrComPmSonetSNT_L_DayEntry.setDescription('')
chr_com_pm_sonet_day_number = mib_table_column((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chrComPmSonetDayNumber.setStatus('current')
if mibBuilder.loadTexts:
chrComPmSonetDayNumber.setDescription('')
chr_com_pm_sonet_suspected_interval = mib_table_column((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 2), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chrComPmSonetSuspectedInterval.setStatus('current')
if mibBuilder.loadTexts:
chrComPmSonetSuspectedInterval.setDescription('')
chr_com_pm_sonet_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chrComPmSonetElapsedTime.setStatus('current')
if mibBuilder.loadTexts:
chrComPmSonetElapsedTime.setDescription('')
chr_com_pm_sonet_suppressed_intrvls = mib_table_column((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 4), gauge32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chrComPmSonetSuppressedIntrvls.setStatus('current')
if mibBuilder.loadTexts:
chrComPmSonetSuppressedIntrvls.setDescription('')
chr_com_pm_sonet_es = mib_table_column((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 5), gauge32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chrComPmSonetES.setStatus('current')
if mibBuilder.loadTexts:
chrComPmSonetES.setDescription('')
chr_com_pm_sonet_ses = mib_table_column((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 6), gauge32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chrComPmSonetSES.setStatus('current')
if mibBuilder.loadTexts:
chrComPmSonetSES.setDescription('')
chr_com_pm_sonet_cv = mib_table_column((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 7), gauge32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chrComPmSonetCV.setStatus('current')
if mibBuilder.loadTexts:
chrComPmSonetCV.setDescription('')
chr_com_pm_sonet_uas = mib_table_column((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 8), gauge32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chrComPmSonetUAS.setStatus('current')
if mibBuilder.loadTexts:
chrComPmSonetUAS.setDescription('')
chr_com_pm_sonet_threshold_prof_index = mib_table_column((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 9), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
chrComPmSonetThresholdProfIndex.setStatus('current')
if mibBuilder.loadTexts:
chrComPmSonetThresholdProfIndex.setDescription('')
chr_com_pm_sonet_reset_pm_counters_action = mib_table_column((1, 3, 6, 1, 4, 1, 3695, 1, 10, 2, 6, 1, 10), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
chrComPmSonetResetPmCountersAction.setStatus('current')
if mibBuilder.loadTexts:
chrComPmSonetResetPmCountersAction.setDescription('')
mibBuilder.exportSymbols('ChrComPmSonetSNT-L-Day-MIB', chrComPmSonetES=chrComPmSonetES, chrComPmSonetThresholdProfIndex=chrComPmSonetThresholdProfIndex, chrComPmSonetSNT_L_DayEntry=chrComPmSonetSNT_L_DayEntry, chrComPmSonetSuspectedInterval=chrComPmSonetSuspectedInterval, chrComPmSonetSES=chrComPmSonetSES, chrComPmSonetCV=chrComPmSonetCV, chrComPmSonetUAS=chrComPmSonetUAS, chrComPmSonetElapsedTime=chrComPmSonetElapsedTime, chrComPmSonetResetPmCountersAction=chrComPmSonetResetPmCountersAction, chrComPmSonetDayNumber=chrComPmSonetDayNumber, chrComPmSonetSuppressedIntrvls=chrComPmSonetSuppressedIntrvls, chrComPmSonetSNT_L_DayTable=chrComPmSonetSNT_L_DayTable) |
class Show(object):
def __init__(self, drawable):
self.drawable = drawable
def next_frame(self):
self.drawable.show()
return False
| class Show(object):
def __init__(self, drawable):
self.drawable = drawable
def next_frame(self):
self.drawable.show()
return False |
# -*- coding: utf-8 -*-
# Copyright (c) 2015 Fredrik Eriksson <git@wb9.se>
# This file is covered by the BSD-3-Clause license, read LICENSE for details.
CMD_PWR_ON="poweron"
CMD_PWR_OFF="poweroff"
CMD_PWR_QUERY="powerquery"
CMD_SRC_QUERY="sourcequery"
CMD_SRC_SET="sourceset"
CMD_BRT_QUERY="brightnessquery"
CMD_BRT_SET="brightnessset"
| cmd_pwr_on = 'poweron'
cmd_pwr_off = 'poweroff'
cmd_pwr_query = 'powerquery'
cmd_src_query = 'sourcequery'
cmd_src_set = 'sourceset'
cmd_brt_query = 'brightnessquery'
cmd_brt_set = 'brightnessset' |
#
# Problem: Given an array of ints representing a graph, where:
# - the position of the array indicates the node value
# - the value of the array at that position indicates the node value that this node is attached to
# - the beginning of the graph will be the item whose value is equal to the index it is in
# Write a function that returns a list (size = n-1) of ints where each index is equal to the number of nodes at that
# distance away from the beginning of the graph.
# Example:
# Input: [9, 1, 4, 9, 0, 4, 8, 9, 0, 1]
# Beginning of graph is "1" (value 1 at index 1)
# - One item (node/index 9) is next to node 1
# - 3 items (0, 3, 7) is next to node 9
# - so on and so forth
# Solution: [1, 3, 2, 3, 0, 0, 0, 0, 0]
class GraphNode:
def __init__(self, label):
self.label = label
self.neighbors = set()
def __repr__(self):
return f'{self.label}: {self.neighbors}'
def solution(T):
nodes = [GraphNode(i) for i in range(len(T))]
capital = -1
# Create graph representation of our data
for idx, item in enumerate(T):
if idx == item:
capital = idx
else:
nodes[idx].neighbors.add(item)
nodes[item].neighbors.add(idx)
# Track which nodes have been and need to be evaluated at each step
nodes_evaluated = set()
nodes_to_eval = [capital]
# print(nodes)
# Our resulting list
result = []
while len(nodes_to_eval) > 0:
num_neighbors = 0
next_nodes = set()
for node_to_eval in nodes_to_eval:
nodes_evaluated.add(node_to_eval)
num_neighbors += len(nodes[node_to_eval].neighbors) - 1
if node_to_eval == capital:
num_neighbors += 1
for node in nodes[node_to_eval].neighbors:
if node not in nodes_evaluated:
next_nodes.add(node)
result.append(num_neighbors)
nodes_to_eval.clear()
nodes_to_eval.extend(next_nodes)
# Extend our result array with 0s for each distance we did not get to
zeroes = len(T) - 1 - len(result)
result.extend([0 for i in range(zeroes)])
return result
| class Graphnode:
def __init__(self, label):
self.label = label
self.neighbors = set()
def __repr__(self):
return f'{self.label}: {self.neighbors}'
def solution(T):
nodes = [graph_node(i) for i in range(len(T))]
capital = -1
for (idx, item) in enumerate(T):
if idx == item:
capital = idx
else:
nodes[idx].neighbors.add(item)
nodes[item].neighbors.add(idx)
nodes_evaluated = set()
nodes_to_eval = [capital]
result = []
while len(nodes_to_eval) > 0:
num_neighbors = 0
next_nodes = set()
for node_to_eval in nodes_to_eval:
nodes_evaluated.add(node_to_eval)
num_neighbors += len(nodes[node_to_eval].neighbors) - 1
if node_to_eval == capital:
num_neighbors += 1
for node in nodes[node_to_eval].neighbors:
if node not in nodes_evaluated:
next_nodes.add(node)
result.append(num_neighbors)
nodes_to_eval.clear()
nodes_to_eval.extend(next_nodes)
zeroes = len(T) - 1 - len(result)
result.extend([0 for i in range(zeroes)])
return result |
NEW_RANKING_RULES = ['typo', 'exactness']
DEFAULT_RANKING_RULES = [
'words',
'typo',
'proximity',
'attribute',
'sort',
'exactness'
]
def test_get_ranking_rules_default(empty_index):
"""Tests getting the default ranking rules."""
response = empty_index().get_ranking_rules()
assert isinstance(response, list)
for rule in DEFAULT_RANKING_RULES:
assert rule in response
def test_update_ranking_rules(empty_index):
"""Tests changing the ranking rules."""
index = empty_index()
response = index.update_ranking_rules(NEW_RANKING_RULES)
assert isinstance(response, dict)
assert 'updateId' in response
index.wait_for_pending_update(response['updateId'])
response = index.get_ranking_rules()
assert isinstance(response, list)
for rule in NEW_RANKING_RULES:
assert rule in response
def test_update_ranking_rules_none(empty_index):
"""Tests updating the ranking rules at null."""
index = empty_index()
# Update the settings first
response = index.update_ranking_rules(NEW_RANKING_RULES)
update = index.wait_for_pending_update(response['updateId'])
assert update['status'] == 'processed'
# Check the settings have been correctly updated
response = index.get_ranking_rules()
for rule in NEW_RANKING_RULES:
assert rule in response
# Launch test to update at null the setting
response = index.update_ranking_rules(None)
assert isinstance(response, dict)
assert 'updateId' in response
index.wait_for_pending_update(response['updateId'])
response = index.get_ranking_rules()
assert isinstance(response, list)
for rule in DEFAULT_RANKING_RULES:
assert rule in response
def test_reset_ranking_rules(empty_index):
"""Tests resetting the ranking rules setting to its default value."""
index = empty_index()
# Update the settings first
response = index.update_ranking_rules(NEW_RANKING_RULES)
update = index.wait_for_pending_update(response['updateId'])
assert update['status'] == 'processed'
# Check the settings have been correctly updated
response = index.get_ranking_rules()
assert isinstance(response, list)
for rule in NEW_RANKING_RULES:
assert rule in response
# Check the reset of the settings
response = index.reset_ranking_rules()
assert isinstance(response, dict)
assert 'updateId' in response
index.wait_for_pending_update(response['updateId'])
response = index.get_ranking_rules()
for rule in DEFAULT_RANKING_RULES:
assert rule in response
| new_ranking_rules = ['typo', 'exactness']
default_ranking_rules = ['words', 'typo', 'proximity', 'attribute', 'sort', 'exactness']
def test_get_ranking_rules_default(empty_index):
"""Tests getting the default ranking rules."""
response = empty_index().get_ranking_rules()
assert isinstance(response, list)
for rule in DEFAULT_RANKING_RULES:
assert rule in response
def test_update_ranking_rules(empty_index):
"""Tests changing the ranking rules."""
index = empty_index()
response = index.update_ranking_rules(NEW_RANKING_RULES)
assert isinstance(response, dict)
assert 'updateId' in response
index.wait_for_pending_update(response['updateId'])
response = index.get_ranking_rules()
assert isinstance(response, list)
for rule in NEW_RANKING_RULES:
assert rule in response
def test_update_ranking_rules_none(empty_index):
"""Tests updating the ranking rules at null."""
index = empty_index()
response = index.update_ranking_rules(NEW_RANKING_RULES)
update = index.wait_for_pending_update(response['updateId'])
assert update['status'] == 'processed'
response = index.get_ranking_rules()
for rule in NEW_RANKING_RULES:
assert rule in response
response = index.update_ranking_rules(None)
assert isinstance(response, dict)
assert 'updateId' in response
index.wait_for_pending_update(response['updateId'])
response = index.get_ranking_rules()
assert isinstance(response, list)
for rule in DEFAULT_RANKING_RULES:
assert rule in response
def test_reset_ranking_rules(empty_index):
"""Tests resetting the ranking rules setting to its default value."""
index = empty_index()
response = index.update_ranking_rules(NEW_RANKING_RULES)
update = index.wait_for_pending_update(response['updateId'])
assert update['status'] == 'processed'
response = index.get_ranking_rules()
assert isinstance(response, list)
for rule in NEW_RANKING_RULES:
assert rule in response
response = index.reset_ranking_rules()
assert isinstance(response, dict)
assert 'updateId' in response
index.wait_for_pending_update(response['updateId'])
response = index.get_ranking_rules()
for rule in DEFAULT_RANKING_RULES:
assert rule in response |
def distinct(collection: list) -> int:
"""
Checks for the distinct values in a collection and returns the count
Performs operation in nO(nlogn) time
:param collection: Collection of values
:returns number of distinct values in the collection
"""
length = len(collection)
if length == 0:
return 0
# performs operation in O(nlogn)
collection.sort()
result = 1
for x in range(1, length):
if collection[x - 1] != collection[x]:
result += 1
return result
| def distinct(collection: list) -> int:
"""
Checks for the distinct values in a collection and returns the count
Performs operation in nO(nlogn) time
:param collection: Collection of values
:returns number of distinct values in the collection
"""
length = len(collection)
if length == 0:
return 0
collection.sort()
result = 1
for x in range(1, length):
if collection[x - 1] != collection[x]:
result += 1
return result |
# V0
# V1
# https://blog.csdn.net/fuxuemingzhu/article/details/83511833
# IDEA : DP
# STATUS EQ : dp[i] = [b | A[i] for b in dp[i - 1]] + A[i]
class Solution(object):
def subarrayBitwiseORs(self, A):
"""
:type A: List[int]
:rtype: int
"""
res = set()
cur = set()
for a in A:
cur = {n | a for n in cur} | {a}
res |= cur
return len(res)
# V2
# Time: O(32 * n)
# Space: O(1)
class Solution(object):
def subarrayBitwiseORs(self, A):
"""
:type A: List[int]
:rtype: int
"""
result, curr = set(), {0}
for i in A:
curr = {i} | {i | j for j in curr}
result |= curr
return len(result) | class Solution(object):
def subarray_bitwise_o_rs(self, A):
"""
:type A: List[int]
:rtype: int
"""
res = set()
cur = set()
for a in A:
cur = {n | a for n in cur} | {a}
res |= cur
return len(res)
class Solution(object):
def subarray_bitwise_o_rs(self, A):
"""
:type A: List[int]
:rtype: int
"""
(result, curr) = (set(), {0})
for i in A:
curr = {i} | {i | j for j in curr}
result |= curr
return len(result) |
#!/usr/bin/python
# ==============================================================================
# Author: Tao Li (taoli@ucsd.edu)
# Date: Jun 11, 2015
# Question: 225-Implement-Stack-using-Queues
# Link: https://leetcode.com/problems/implement-stack-using-queues/
# ==============================================================================
# Implement the following operations of a stack using queues.
#
# push(x) -- Push element x onto stack.
# pop() -- Removes the element on top of the stack.
# top() -- Get the top element.
# empty() -- Return whether the stack is empty.
#
# Notes:
#
# 1. You must use only standard operations of a queue -- which means only push
# to back, peek/pop from front, size, and is empty operations are valid.
#
# 2. Depending on your language, queue may not be supported natively. You may
# simulate a queue by using a list or deque (double-ended queue), as long
# as you use only standard operations of a queue.
#
# 3. You may assume that all operations are valid (for example, no pop or top
# operations will be called on an empty stack).
# ==============================================================================
# Method: Naive method
# ==============================================================================
class Stack:
# initialize your data structure here.
def __init__(self):
self.items = []
# @param x, an integer
# @return nothing
def push(self, x):
self.items.append(x)
# @return nothing
def pop(self):
self.items.pop()
# @return an integer
def top(self):
return self.items[-1]
# @return an boolean
def empty(self):
return len(self.items) == 0
| class Stack:
def __init__(self):
self.items = []
def push(self, x):
self.items.append(x)
def pop(self):
self.items.pop()
def top(self):
return self.items[-1]
def empty(self):
return len(self.items) == 0 |
#!/usr/bin/env python3
def color_translator(color):
if color == "red":
hex_color = "#ff0000"
elif color == "green":
hex_color = "#00ff00"
elif color == "blue":
hex_color = "#0000ff"
return hex_color
print(color_translator("blue")) #Should be #0000fff
print(color_translator("yellow")) # should be unknown
print(color_translator("red")) #should be #ff0000
print(color_translator("black")) #shouldbe #00ff00
print(color_translator("green")) #should be #00ff00
print(color_translator("")) #should be unknown
| def color_translator(color):
if color == 'red':
hex_color = '#ff0000'
elif color == 'green':
hex_color = '#00ff00'
elif color == 'blue':
hex_color = '#0000ff'
return hex_color
print(color_translator('blue'))
print(color_translator('yellow'))
print(color_translator('red'))
print(color_translator('black'))
print(color_translator('green'))
print(color_translator('')) |
def create_multi_graph(edges):
graph = dict()
for x, y in edges:
graph[x] = []
graph[y] = []
for x, y in edges:
graph[x].append(y)
return graph
def is_eulerian(multi_graph):
number_enter = dict()
number_exit = dict()
for vertex in multi_graph:
number_enter[vertex] = 0
number_exit[vertex] = 0
for vertex in multi_graph:
for neighbor in multi_graph[vertex]:
number_exit[vertex] += 1
number_enter[neighbor] += 1
for vertex in multi_graph:
if number_enter[vertex] != number_exit[vertex]:
return False
return True
def circuit_from_eulerian(multi_graph):
current = None
for vertex in multi_graph:
if len(multi_graph[vertex]) > 0:
current = vertex
if current is None:
return []
circuit = [current]
is_possible = True
while is_possible:
is_possible = False
for next in multi_graph[circuit[-1]]:
if next not in circuit:
circuit.append(next)
is_possible = True
else:
pos = circuit.index(next)
return circuit[pos:] + circuit[:pos]
return None
def copy_multi_graph(multi_graph):
return {x: list(y) for x, y in multi_graph.items()}
def delete_circuit(circuit, multi_graph):
new = copy_multi_graph(multi_graph)
x = circuit[0]
for y in circuit[1:] + [circuit[0]]:
new[x].remove(y)
x = y
return new
def list_of_circuits(multi_graph):
circuits = []
next_circuit = circuit_from_eulerian(multi_graph)
while next_circuit:
circuits.append(next_circuit)
multi_graph = delete_circuit(next_circuit, multi_graph)
next_circuit = circuit_from_eulerian(multi_graph)
return circuits
def raboutage(circuit1, circuit2):
if circuit1 == []:
return list(circuit2)
elif circuit2 == []:
return list(circuit1)
intersection = set(circuit1).intersection(circuit2)
if not intersection:
return None
x = intersection.pop()
pos_x_1 = circuit1.index(x)
pos_x_2 = circuit2.index(x)
return circuit1[:pos_x_1] + circuit2[pos_x_2:] + circuit2[:pos_x_2] + circuit1[pos_x_1:]
def eulerian_circuit(multi_graph):
circuits = list_of_circuits(multi_graph)
if not circuits:
return []
current = []
for circuit in circuits:
current = raboutage(current, circuit)
return current | def create_multi_graph(edges):
graph = dict()
for (x, y) in edges:
graph[x] = []
graph[y] = []
for (x, y) in edges:
graph[x].append(y)
return graph
def is_eulerian(multi_graph):
number_enter = dict()
number_exit = dict()
for vertex in multi_graph:
number_enter[vertex] = 0
number_exit[vertex] = 0
for vertex in multi_graph:
for neighbor in multi_graph[vertex]:
number_exit[vertex] += 1
number_enter[neighbor] += 1
for vertex in multi_graph:
if number_enter[vertex] != number_exit[vertex]:
return False
return True
def circuit_from_eulerian(multi_graph):
current = None
for vertex in multi_graph:
if len(multi_graph[vertex]) > 0:
current = vertex
if current is None:
return []
circuit = [current]
is_possible = True
while is_possible:
is_possible = False
for next in multi_graph[circuit[-1]]:
if next not in circuit:
circuit.append(next)
is_possible = True
else:
pos = circuit.index(next)
return circuit[pos:] + circuit[:pos]
return None
def copy_multi_graph(multi_graph):
return {x: list(y) for (x, y) in multi_graph.items()}
def delete_circuit(circuit, multi_graph):
new = copy_multi_graph(multi_graph)
x = circuit[0]
for y in circuit[1:] + [circuit[0]]:
new[x].remove(y)
x = y
return new
def list_of_circuits(multi_graph):
circuits = []
next_circuit = circuit_from_eulerian(multi_graph)
while next_circuit:
circuits.append(next_circuit)
multi_graph = delete_circuit(next_circuit, multi_graph)
next_circuit = circuit_from_eulerian(multi_graph)
return circuits
def raboutage(circuit1, circuit2):
if circuit1 == []:
return list(circuit2)
elif circuit2 == []:
return list(circuit1)
intersection = set(circuit1).intersection(circuit2)
if not intersection:
return None
x = intersection.pop()
pos_x_1 = circuit1.index(x)
pos_x_2 = circuit2.index(x)
return circuit1[:pos_x_1] + circuit2[pos_x_2:] + circuit2[:pos_x_2] + circuit1[pos_x_1:]
def eulerian_circuit(multi_graph):
circuits = list_of_circuits(multi_graph)
if not circuits:
return []
current = []
for circuit in circuits:
current = raboutage(current, circuit)
return current |
class IntCode:
def __init__(self, intcode):
self.index = 0
self.output_ = 0
self.intcode = intcode
def add(self, a, b):
return a + b
def mult(self, a, b):
return a * b
def store(self, v, p):
self.intcode[p] = v
def output(self, p):
return self.intcode[p]
def lessthan(self, a, b):
return a < b
def equals(self, a, b):
return a == b
def parse_mode(self, position, mode):
if mode == "1": return self.intcode[position]
else: return self.intcode[self.intcode[position]]
def run(self, input_):
# Iterate until reach the stop code
while self.intcode[self.index] != 99:
opcode = int(str(self.intcode[self.index])[-2:])
modes = str(self.intcode[self.index])[:-2][::-1] + '000'
# Addition
if opcode == 1:
self.intcode[self.intcode[self.index + 3]] = self.add(
self.parse_mode(self.index + 1, modes[0]),
self.parse_mode(self.index + 2, modes[1])
)
self.index += 4
# Multiplication
elif opcode == 2:
self.intcode[self.intcode[self.index + 3]] = self.mult(
self.parse_mode(self.index + 1, modes[0]),
self.parse_mode(self.index + 2, modes[1])
)
self.index += 4
# Storage
elif opcode == 3:
if len(input_) > 0:
self.store(input_.pop(0), self.intcode[self.index + 1])
self.index += 2
else:
raise Exception("No input for storage")
# Output
elif opcode == 4:
self.output_ = self.output(self.intcode[self.index + 1])
self.index += 2
# Jump if true
elif opcode == 5:
if self.parse_mode(self.index + 1, modes[0]) != 0:
self.index = self.parse_mode(self.index + 2, modes[1])
else:
self.index += 3
# Jump if false
elif opcode == 6:
if self.parse_mode(self.index + 1, modes[0]) == 0:
self.index = self.parse_mode(self.index + 2, modes[1])
else:
self.index += 3
# Less than
elif opcode == 7:
value = 0
position = self.intcode[self.index + 3]
if self.lessthan(
self.parse_mode(self.index + 1, modes[0]),
self.parse_mode(self.index + 2, modes[1])
):
value = 1
self.store(value, position)
self.index += 4
# Equals
elif opcode == 8:
value = 0
position = self.intcode[self.index + 3]
if self.equals(
self.parse_mode(self.index + 1, modes[0]),
self.parse_mode(self.index + 2, modes[1])
):
value = 1
self.store(value, position)
self.index += 4
# Unknown
else:
raise Exception("Unknown op code")
return self.output_
| class Intcode:
def __init__(self, intcode):
self.index = 0
self.output_ = 0
self.intcode = intcode
def add(self, a, b):
return a + b
def mult(self, a, b):
return a * b
def store(self, v, p):
self.intcode[p] = v
def output(self, p):
return self.intcode[p]
def lessthan(self, a, b):
return a < b
def equals(self, a, b):
return a == b
def parse_mode(self, position, mode):
if mode == '1':
return self.intcode[position]
else:
return self.intcode[self.intcode[position]]
def run(self, input_):
while self.intcode[self.index] != 99:
opcode = int(str(self.intcode[self.index])[-2:])
modes = str(self.intcode[self.index])[:-2][::-1] + '000'
if opcode == 1:
self.intcode[self.intcode[self.index + 3]] = self.add(self.parse_mode(self.index + 1, modes[0]), self.parse_mode(self.index + 2, modes[1]))
self.index += 4
elif opcode == 2:
self.intcode[self.intcode[self.index + 3]] = self.mult(self.parse_mode(self.index + 1, modes[0]), self.parse_mode(self.index + 2, modes[1]))
self.index += 4
elif opcode == 3:
if len(input_) > 0:
self.store(input_.pop(0), self.intcode[self.index + 1])
self.index += 2
else:
raise exception('No input for storage')
elif opcode == 4:
self.output_ = self.output(self.intcode[self.index + 1])
self.index += 2
elif opcode == 5:
if self.parse_mode(self.index + 1, modes[0]) != 0:
self.index = self.parse_mode(self.index + 2, modes[1])
else:
self.index += 3
elif opcode == 6:
if self.parse_mode(self.index + 1, modes[0]) == 0:
self.index = self.parse_mode(self.index + 2, modes[1])
else:
self.index += 3
elif opcode == 7:
value = 0
position = self.intcode[self.index + 3]
if self.lessthan(self.parse_mode(self.index + 1, modes[0]), self.parse_mode(self.index + 2, modes[1])):
value = 1
self.store(value, position)
self.index += 4
elif opcode == 8:
value = 0
position = self.intcode[self.index + 3]
if self.equals(self.parse_mode(self.index + 1, modes[0]), self.parse_mode(self.index + 2, modes[1])):
value = 1
self.store(value, position)
self.index += 4
else:
raise exception('Unknown op code')
return self.output_ |
def math():
lists = []
count = 0
for i in range(20):
j = int(input())
lists.append(j)
for j in range(20)[::-1]:
print('N[' + str(count) + '] =', lists[j])
count += 1
if __name__ == '__main__':
math()
| def math():
lists = []
count = 0
for i in range(20):
j = int(input())
lists.append(j)
for j in range(20)[::-1]:
print('N[' + str(count) + '] =', lists[j])
count += 1
if __name__ == '__main__':
math() |
class NumberCheckerOnGroup:
@classmethod
def numberToGroup(cls, tNumber):
clsNumber = 1
if tNumber >= 1 and tNumber <= 9:
clsNumber = 1
elif tNumber >= 10 and tNumber <= 19:
clsNumber = 10
elif tNumber >= 20 and tNumber <= 29:
clsNumber = 20
elif tNumber >= 30 and tNumber <= 39:
clsNumber = 30
elif tNumber >= 40 and tNumber <= 49:
clsNumber = 40
elif tNumber >= 50 and tNumber <= 59:
clsNumber = 50
elif tNumber >= 60 and tNumber <= 69:
clsNumber = 60
elif tNumber >= 70 and tNumber <= 79:
clsNumber = 70
return clsNumber
def __init__(self):
self.numberGroup = None
def setGroup(self, numberGroupTuple):
self.numberGroup = list(numberGroupTuple)
def matchGroup(self, numberList):
groupList = list(map(lambda n: NumberCheckerOnGroup.numberToGroup(n), numberList))
return groupList == self.numberGroup
if __name__ == '__main__':
numberCheckerOnGroup = NumberCheckerOnGroup()
numberCheckerOnGroup.setGroup((1,20,30,40,40))
numList = list([3,25,34,45,41])
numberCheckerOnGroup.matchGroup(numList)
NumberCheckerOnGroup.numberToGroup(20)
| class Numbercheckerongroup:
@classmethod
def number_to_group(cls, tNumber):
cls_number = 1
if tNumber >= 1 and tNumber <= 9:
cls_number = 1
elif tNumber >= 10 and tNumber <= 19:
cls_number = 10
elif tNumber >= 20 and tNumber <= 29:
cls_number = 20
elif tNumber >= 30 and tNumber <= 39:
cls_number = 30
elif tNumber >= 40 and tNumber <= 49:
cls_number = 40
elif tNumber >= 50 and tNumber <= 59:
cls_number = 50
elif tNumber >= 60 and tNumber <= 69:
cls_number = 60
elif tNumber >= 70 and tNumber <= 79:
cls_number = 70
return clsNumber
def __init__(self):
self.numberGroup = None
def set_group(self, numberGroupTuple):
self.numberGroup = list(numberGroupTuple)
def match_group(self, numberList):
group_list = list(map(lambda n: NumberCheckerOnGroup.numberToGroup(n), numberList))
return groupList == self.numberGroup
if __name__ == '__main__':
number_checker_on_group = number_checker_on_group()
numberCheckerOnGroup.setGroup((1, 20, 30, 40, 40))
num_list = list([3, 25, 34, 45, 41])
numberCheckerOnGroup.matchGroup(numList)
NumberCheckerOnGroup.numberToGroup(20) |
def between_markers(text: str, begin: str, end: str) -> str:
"""
returns substring between two given markers
"""
# your code here
return text[text.find(begin)+1:text.find(end)]
if __name__ == '__main__':
print('Example:')
print(between_markers('What is >apple<', '>', '<'))
# These "asserts" are used for self-checking and not for testing
assert between_markers('What is >apple<', '>', '<') == "apple"
assert between_markers('What is [apple]', '[', ']') == "apple"
assert between_markers('What is ><', '>', '<') == ""
assert between_markers('>apple<', '>', '<') == "apple"
print('Wow, you are doing pretty good. Time to check it!')
| def between_markers(text: str, begin: str, end: str) -> str:
"""
returns substring between two given markers
"""
return text[text.find(begin) + 1:text.find(end)]
if __name__ == '__main__':
print('Example:')
print(between_markers('What is >apple<', '>', '<'))
assert between_markers('What is >apple<', '>', '<') == 'apple'
assert between_markers('What is [apple]', '[', ']') == 'apple'
assert between_markers('What is ><', '>', '<') == ''
assert between_markers('>apple<', '>', '<') == 'apple'
print('Wow, you are doing pretty good. Time to check it!') |
#addBorder
picture = ["abc", "ded"]
def addBorder(mang):
print("*****")
for x in mang:
print("*"+x+"*")
print("*****")
| picture = ['abc', 'ded']
def add_border(mang):
print('*****')
for x in mang:
print('*' + x + '*')
print('*****') |
class Student:
free_students = set()
def __init__(self, sid: int, pref_list: list, math_grade, cs_grade, utils):
self.sid = sid
self.math_grade = math_grade
self.cs_grade = cs_grade
self.pref_list = pref_list
self.project = None
self.utils = utils
self.pair = None
def is_free(self):
return bool(not self.project)
class Project:
def __init__(self, pid):
self.pid = pid
self.grade_type = 'cs_grade' if pid % 2 else 'math_grade'
self.proposals = {}
self.main_student = None
self.partner_student = None
self.price = 0
def is_free(self):
return bool(not self.main_student)
def run_deferred_acceptance(n) -> dict:
return {1: 2, 2: 3, 3: 4, 4: 1, 5: 5}
def run_deferred_acceptance_for_pairs(n) -> dict:
return {1: 2, 2: 2, 3: 3, 4: 3, 5: 5}
def count_blocking_pairs(matching_file, n) -> int:
return 0 if 'single' in matching_file else 1
def calc_total_welfare(matching_file, n) -> int:
return 73 if 'single' in matching_file else 63
| class Student:
free_students = set()
def __init__(self, sid: int, pref_list: list, math_grade, cs_grade, utils):
self.sid = sid
self.math_grade = math_grade
self.cs_grade = cs_grade
self.pref_list = pref_list
self.project = None
self.utils = utils
self.pair = None
def is_free(self):
return bool(not self.project)
class Project:
def __init__(self, pid):
self.pid = pid
self.grade_type = 'cs_grade' if pid % 2 else 'math_grade'
self.proposals = {}
self.main_student = None
self.partner_student = None
self.price = 0
def is_free(self):
return bool(not self.main_student)
def run_deferred_acceptance(n) -> dict:
return {1: 2, 2: 3, 3: 4, 4: 1, 5: 5}
def run_deferred_acceptance_for_pairs(n) -> dict:
return {1: 2, 2: 2, 3: 3, 4: 3, 5: 5}
def count_blocking_pairs(matching_file, n) -> int:
return 0 if 'single' in matching_file else 1
def calc_total_welfare(matching_file, n) -> int:
return 73 if 'single' in matching_file else 63 |
text = "X-DSPAM-Confidence: 0.8475"
pos = text.find(':')
numString = text[pos+1:]
num = float(numString)
print(num)
| text = 'X-DSPAM-Confidence: 0.8475'
pos = text.find(':')
num_string = text[pos + 1:]
num = float(numString)
print(num) |
x = [42,34,33,35,99]
end = len(x) - 1
"""
if len(x) % 2 == 0:
m = int((0 + end) / 2)
else:
m = int((0 + end + 1) / 2)
print(m)
"""
def find(arr, start, stop):
# global peak
if stop % 2 == 0:
mid = int((start + stop) / 2)
else:
mid = int((start + stop - 1) / 2)
if arr[mid] > arr[mid - 1] and arr[mid] > arr[mid + 1]:
peak = arr[mid]
return peak
elif arr[mid] < arr[mid - 1]:
peak = find(arr, start, mid-1)
return peak
else:
peak = find(arr, mid + 1, stop)
return peak
print(find(x, 0, end))
| x = [42, 34, 33, 35, 99]
end = len(x) - 1
'\n\n\nif len(x) % 2 == 0:\n m = int((0 + end) / 2)\nelse:\n m = int((0 + end + 1) / 2)\n \nprint(m)\n'
def find(arr, start, stop):
if stop % 2 == 0:
mid = int((start + stop) / 2)
else:
mid = int((start + stop - 1) / 2)
if arr[mid] > arr[mid - 1] and arr[mid] > arr[mid + 1]:
peak = arr[mid]
return peak
elif arr[mid] < arr[mid - 1]:
peak = find(arr, start, mid - 1)
return peak
else:
peak = find(arr, mid + 1, stop)
return peak
print(find(x, 0, end)) |
def IsPrime(num):
for i in range(2, num):
if num % i == 0:
return False
return True
fac = []
def solve(num):
i = 2
while i <= num:
if not IsPrime(i):
i += 1
continue
if num % i == 0:
fac.append(i)
num /= i
else:
i += 1
solve(600851475143)
print(fac[-1]) | def is_prime(num):
for i in range(2, num):
if num % i == 0:
return False
return True
fac = []
def solve(num):
i = 2
while i <= num:
if not is_prime(i):
i += 1
continue
if num % i == 0:
fac.append(i)
num /= i
else:
i += 1
solve(600851475143)
print(fac[-1]) |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
class TrackedObj(object):
def __init__(self, val):
self.val = val
def __str__(self):
return '[%s]' % self.val
class TrackField(TrackedObj):
pass
class TrackIndex(TrackedObj):
pass
class TrackVariant(TrackedObj):
pass
class Tracker(object):
def __init__(self):
self.cur = []
def push(self, obj):
self.cur.append(obj)
def push_field(self, obj):
self.push(TrackField(obj))
def push_index(self, obj):
self.push(TrackIndex(obj))
def push_variant(self, obj):
self.push(TrackVariant(obj))
def pop(self):
self.cur.pop()
def __str__(self):
return ''.join([str(x) for x in self.cur])
class ArchiveException(Exception):
def __init__(self, *args, **kwargs):
super().__init__(*args)
self.subexc = None if len(args) == 0 else args[0]
self.tracker = kwargs.get('tracker', None)
def __str__(self):
if self.subexc and isinstance(self.subexc, ArchiveException):
return super().__str__()
return '%s, path: %s' % (super().__str__(), self.tracker)
| class Trackedobj(object):
def __init__(self, val):
self.val = val
def __str__(self):
return '[%s]' % self.val
class Trackfield(TrackedObj):
pass
class Trackindex(TrackedObj):
pass
class Trackvariant(TrackedObj):
pass
class Tracker(object):
def __init__(self):
self.cur = []
def push(self, obj):
self.cur.append(obj)
def push_field(self, obj):
self.push(track_field(obj))
def push_index(self, obj):
self.push(track_index(obj))
def push_variant(self, obj):
self.push(track_variant(obj))
def pop(self):
self.cur.pop()
def __str__(self):
return ''.join([str(x) for x in self.cur])
class Archiveexception(Exception):
def __init__(self, *args, **kwargs):
super().__init__(*args)
self.subexc = None if len(args) == 0 else args[0]
self.tracker = kwargs.get('tracker', None)
def __str__(self):
if self.subexc and isinstance(self.subexc, ArchiveException):
return super().__str__()
return '%s, path: %s' % (super().__str__(), self.tracker) |
class DataGridBoolColumn(
DataGridColumnStyle,
IComponent,
IDisposable,
IDataGridColumnStyleEditingNotificationService,
):
"""
Specifies a column in which each cell contains a check box for representing a Boolean value.
DataGridBoolColumn()
DataGridBoolColumn(prop: PropertyDescriptor)
DataGridBoolColumn(prop: PropertyDescriptor,isDefault: bool)
"""
def Abort(self, *args):
"""
Abort(self: DataGridBoolColumn,rowNum: int)
Initiates a request to interrupt an edit procedure.
rowNum: The number of the row in which an operation is being interrupted.
"""
pass
def BeginUpdate(self, *args):
"""
BeginUpdate(self: DataGridColumnStyle)
Suspends the painting of the column until the System.Windows.Forms.DataGridColumnStyle.EndUpdate
method is called.
"""
pass
def CheckValidDataSource(self, *args):
"""
CheckValidDataSource(self: DataGridColumnStyle,value: CurrencyManager)
Throws an exception if the System.Windows.Forms.DataGrid does not have a valid data source,or
if this column is not mapped to a valid property in the data source.
value: A System.Windows.Forms.CurrencyManager to check.
"""
pass
def ColumnStartedEditing(self, *args):
"""
ColumnStartedEditing(self: DataGridColumnStyle,editingControl: Control)
Informs the System.Windows.Forms.DataGrid that the user has begun editing the column.
editingControl: The System.Windows.Forms.Control that hosted by the column.
"""
pass
def Commit(self, *args):
"""
Commit(self: DataGridBoolColumn,dataSource: CurrencyManager,rowNum: int) -> bool
Initiates a request to complete an editing procedure.
dataSource: The System.Data.DataView of the edited column.
rowNum: The number of the edited row.
Returns: true if the editing procedure committed successfully; otherwise,false.
"""
pass
def ConcedeFocus(self, *args):
""" ConcedeFocus(self: DataGridBoolColumn) """
pass
def CreateHeaderAccessibleObject(self, *args):
"""
CreateHeaderAccessibleObject(self: DataGridColumnStyle) -> AccessibleObject
Gets the System.Windows.Forms.AccessibleObject for the column.
Returns: An System.Windows.Forms.AccessibleObject for the column.
"""
pass
def Dispose(self):
"""
Dispose(self: Component,disposing: bool)
Releases the unmanaged resources used by the System.ComponentModel.Component and optionally
releases the managed resources.
disposing: true to release both managed and unmanaged resources; false to release only unmanaged resources.
"""
pass
def Edit(self, *args):
"""
Edit(self: DataGridBoolColumn,source: CurrencyManager,rowNum: int,bounds: Rectangle,readOnly: bool,displayText: str,cellIsVisible: bool)
Prepares the cell for editing a value.
source: The System.Data.DataView of the edited cell.
rowNum: The row number of the edited cell.
bounds: The System.Drawing.Rectangle in which the control is to be sited.
readOnly: true if the value is read only; otherwise,false.
displayText: The text to display in the cell.
cellIsVisible: true to show the cell; otherwise,false.
Edit(self: DataGridColumnStyle,source: CurrencyManager,rowNum: int,bounds: Rectangle,readOnly: bool,displayText: str)
Prepares the cell for editing using the specified System.Windows.Forms.CurrencyManager,row
number,and System.Drawing.Rectangle parameters.
source: The System.Windows.Forms.CurrencyManager for the System.Windows.Forms.DataGridColumnStyle.
rowNum: The row number in this column which is being edited.
bounds: The System.Drawing.Rectangle in which the control is to be sited.
readOnly: A value indicating whether the column is a read-only. true if the value is read-only; otherwise,
false.
displayText: The text to display in the control.
Edit(self: DataGridColumnStyle,source: CurrencyManager,rowNum: int,bounds: Rectangle,readOnly: bool)
Prepares a cell for editing.
source: The System.Windows.Forms.CurrencyManager for the System.Windows.Forms.DataGridColumnStyle.
rowNum: The row number to edit.
bounds: The bounding System.Drawing.Rectangle in which the control is to be sited.
readOnly: A value indicating whether the column is a read-only. true if the value is read-only; otherwise,
false.
"""
pass
def EndUpdate(self, *args):
"""
EndUpdate(self: DataGridColumnStyle)
Resumes the painting of columns suspended by calling the
System.Windows.Forms.DataGridColumnStyle.BeginUpdate method.
"""
pass
def EnterNullValue(self, *args):
"""
EnterNullValue(self: DataGridBoolColumn)
Enters a System.DBNull.Value into the column.
"""
pass
def GetColumnValueAtRow(self, *args):
"""
GetColumnValueAtRow(self: DataGridBoolColumn,lm: CurrencyManager,row: int) -> object
Gets the value at the specified row.
lm: The System.Windows.Forms.CurrencyManager for the column.
row: The row number.
Returns: The value,typed as System.Object.
"""
pass
def GetMinimumHeight(self, *args):
"""
GetMinimumHeight(self: DataGridBoolColumn) -> int
Gets the height of a cell in a column.
Returns: The height of the column. The default is 16.
"""
pass
def GetPreferredHeight(self, *args):
"""
GetPreferredHeight(self: DataGridBoolColumn,g: Graphics,value: object) -> int
Gets the height used when resizing columns.
g: A System.Drawing.Graphics that draws on the screen.
value: An System.Object that contains the value to be drawn to the screen.
Returns: The height used to automatically resize cells in a column.
"""
pass
def GetPreferredSize(self, *args):
"""
GetPreferredSize(self: DataGridBoolColumn,g: Graphics,value: object) -> Size
Gets the optimum width and height of a cell given a specific value to contain.
g: A System.Drawing.Graphics that draws the cell.
value: The value that must fit in the cell.
Returns: A System.Drawing.Size that contains the drawing information for the cell.
"""
pass
def GetService(self, *args):
"""
GetService(self: Component,service: Type) -> object
Returns an object that represents a service provided by the System.ComponentModel.Component or
by its System.ComponentModel.Container.
service: A service provided by the System.ComponentModel.Component.
Returns: An System.Object that represents a service provided by the System.ComponentModel.Component,or
null if the System.ComponentModel.Component does not provide the specified service.
"""
pass
def Invalidate(self, *args):
"""
Invalidate(self: DataGridColumnStyle)
Redraws the column and causes a paint message to be sent to the control.
"""
pass
def MemberwiseClone(self, *args):
"""
MemberwiseClone(self: MarshalByRefObject,cloneIdentity: bool) -> MarshalByRefObject
Creates a shallow copy of the current System.MarshalByRefObject object.
cloneIdentity: false to delete the current System.MarshalByRefObject object's identity,which will cause the
object to be assigned a new identity when it is marshaled across a remoting boundary. A value of
false is usually appropriate. true to copy the current System.MarshalByRefObject object's
identity to its clone,which will cause remoting client calls to be routed to the remote server
object.
Returns: A shallow copy of the current System.MarshalByRefObject object.
MemberwiseClone(self: object) -> object
Creates a shallow copy of the current System.Object.
Returns: A shallow copy of the current System.Object.
"""
pass
def Paint(self, *args):
"""
Paint(self: DataGridBoolColumn,g: Graphics,bounds: Rectangle,source: CurrencyManager,rowNum: int,backBrush: Brush,foreBrush: Brush,alignToRight: bool)
Draws the System.Windows.Forms.DataGridBoolColumn with the given System.Drawing.Graphics,
System.Drawing.Rectangle,row number,System.Drawing.Brush,and System.Drawing.Color.
g: The System.Drawing.Graphics to draw to.
bounds: The bounding System.Drawing.Rectangle to paint into.
source: The System.Windows.Forms.CurrencyManager of the column.
rowNum: The number of the row in the underlying data table being referred to.
backBrush: A System.Drawing.Brush used to paint the background color.
foreBrush: A System.Drawing.Color used to paint the foreground color.
alignToRight: A value indicating whether to align the content to the right. true if the content is aligned to
the right,otherwise,false.
Paint(self: DataGridBoolColumn,g: Graphics,bounds: Rectangle,source: CurrencyManager,rowNum: int,alignToRight: bool)
Draws the System.Windows.Forms.DataGridBoolColumn with the given System.Drawing.Graphics,
System.Drawing.Rectangle,row number,and alignment settings.
g: The System.Drawing.Graphics to draw to.
bounds: The bounding System.Drawing.Rectangle to paint into.
source: The System.Windows.Forms.CurrencyManager of the column.
rowNum: The number of the row in the underlying data table being referred to.
alignToRight: A value indicating whether to align the content to the right. true if the content is aligned to
the right,otherwise,false.
Paint(self: DataGridBoolColumn,g: Graphics,bounds: Rectangle,source: CurrencyManager,rowNum: int)
Draws the System.Windows.Forms.DataGridBoolColumn with the given System.Drawing.Graphics,
System.Drawing.Rectangle and row number.
g: The System.Drawing.Graphics to draw to.
bounds: The bounding System.Drawing.Rectangle to paint into.
source: The System.Windows.Forms.CurrencyManager of the column.
rowNum: The number of the row referred to in the underlying data.
"""
pass
def ReleaseHostedControl(self, *args):
"""
ReleaseHostedControl(self: DataGridColumnStyle)
Allows the column to free resources when the control it hosts is not needed.
"""
pass
def SetColumnValueAtRow(self, *args):
"""
SetColumnValueAtRow(self: DataGridBoolColumn,lm: CurrencyManager,row: int,value: object)
Sets the value of a specified row.
lm: The System.Windows.Forms.CurrencyManager for the column.
row: The row number.
value: The value to set,typed as System.Object.
"""
pass
def SetDataGrid(self, *args):
"""
SetDataGrid(self: DataGridColumnStyle,value: DataGrid)
Sets the System.Windows.Forms.DataGrid control that this column belongs to.
value: The System.Windows.Forms.DataGrid control that this column belongs to.
"""
pass
def SetDataGridInColumn(self, *args):
"""
SetDataGridInColumn(self: DataGridColumnStyle,value: DataGrid)
Sets the System.Windows.Forms.DataGrid for the column.
value: A System.Windows.Forms.DataGrid.
"""
pass
def UpdateUI(self, *args):
"""
UpdateUI(self: DataGridColumnStyle,source: CurrencyManager,rowNum: int,displayText: str)
Updates the value of a specified row with the given text.
source: The System.Windows.Forms.CurrencyManager associated with the
System.Windows.Forms.DataGridColumnStyle.
rowNum: The row to update.
displayText: The new value.
"""
pass
def __enter__(self, *args):
"""
__enter__(self: IDisposable) -> object
Provides the implementation of __enter__ for objects which implement IDisposable.
"""
pass
def __exit__(self, *args):
"""
__exit__(self: IDisposable,exc_type: object,exc_value: object,exc_back: object)
Provides the implementation of __exit__ for objects which implement IDisposable.
"""
pass
def __init__(self, *args):
""" x.__init__(...) initializes x; see x.__class__.__doc__ for signaturex.__init__(...) initializes x; see x.__class__.__doc__ for signaturex.__init__(...) initializes x; see x.__class__.__doc__ for signature """
pass
@staticmethod
def __new__(self, prop=None, isDefault=None):
"""
__new__(cls: type)
__new__(cls: type,prop: PropertyDescriptor)
__new__(cls: type,prop: PropertyDescriptor,isDefault: bool)
"""
pass
def __str__(self, *args):
pass
AllowNull = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets a value indicating whether null values are allowed.
Get: AllowNull(self: DataGridBoolColumn) -> bool
Set: AllowNull(self: DataGridBoolColumn)=value
"""
CanRaiseEvents = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets a value indicating whether the component can raise an event.
"""
DesignMode = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets a value that indicates whether the System.ComponentModel.Component is currently in design mode.
"""
Events = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets the list of event handlers that are attached to this System.ComponentModel.Component.
"""
FalseValue = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets or sets the actual value used when setting the value of the column to false.
Get: FalseValue(self: DataGridBoolColumn) -> object
Set: FalseValue(self: DataGridBoolColumn)=value
"""
FontHeight = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets the height of the column's font.
"""
NullValue = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets the actual value used when setting the value of the column to System.DBNull.Value.
Get: NullValue(self: DataGridBoolColumn) -> object
Set: NullValue(self: DataGridBoolColumn)=value
"""
TrueValue = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets the actual value used when setting the value of the column to true.
Get: TrueValue(self: DataGridBoolColumn) -> object
Set: TrueValue(self: DataGridBoolColumn)=value
"""
AllowNullChanged = None
FalseValueChanged = None
TrueValueChanged = None
| class Datagridboolcolumn(DataGridColumnStyle, IComponent, IDisposable, IDataGridColumnStyleEditingNotificationService):
"""
Specifies a column in which each cell contains a check box for representing a Boolean value.
DataGridBoolColumn()
DataGridBoolColumn(prop: PropertyDescriptor)
DataGridBoolColumn(prop: PropertyDescriptor,isDefault: bool)
"""
def abort(self, *args):
"""
Abort(self: DataGridBoolColumn,rowNum: int)
Initiates a request to interrupt an edit procedure.
rowNum: The number of the row in which an operation is being interrupted.
"""
pass
def begin_update(self, *args):
"""
BeginUpdate(self: DataGridColumnStyle)
Suspends the painting of the column until the System.Windows.Forms.DataGridColumnStyle.EndUpdate
method is called.
"""
pass
def check_valid_data_source(self, *args):
"""
CheckValidDataSource(self: DataGridColumnStyle,value: CurrencyManager)
Throws an exception if the System.Windows.Forms.DataGrid does not have a valid data source,or
if this column is not mapped to a valid property in the data source.
value: A System.Windows.Forms.CurrencyManager to check.
"""
pass
def column_started_editing(self, *args):
"""
ColumnStartedEditing(self: DataGridColumnStyle,editingControl: Control)
Informs the System.Windows.Forms.DataGrid that the user has begun editing the column.
editingControl: The System.Windows.Forms.Control that hosted by the column.
"""
pass
def commit(self, *args):
"""
Commit(self: DataGridBoolColumn,dataSource: CurrencyManager,rowNum: int) -> bool
Initiates a request to complete an editing procedure.
dataSource: The System.Data.DataView of the edited column.
rowNum: The number of the edited row.
Returns: true if the editing procedure committed successfully; otherwise,false.
"""
pass
def concede_focus(self, *args):
""" ConcedeFocus(self: DataGridBoolColumn) """
pass
def create_header_accessible_object(self, *args):
"""
CreateHeaderAccessibleObject(self: DataGridColumnStyle) -> AccessibleObject
Gets the System.Windows.Forms.AccessibleObject for the column.
Returns: An System.Windows.Forms.AccessibleObject for the column.
"""
pass
def dispose(self):
"""
Dispose(self: Component,disposing: bool)
Releases the unmanaged resources used by the System.ComponentModel.Component and optionally
releases the managed resources.
disposing: true to release both managed and unmanaged resources; false to release only unmanaged resources.
"""
pass
def edit(self, *args):
"""
Edit(self: DataGridBoolColumn,source: CurrencyManager,rowNum: int,bounds: Rectangle,readOnly: bool,displayText: str,cellIsVisible: bool)
Prepares the cell for editing a value.
source: The System.Data.DataView of the edited cell.
rowNum: The row number of the edited cell.
bounds: The System.Drawing.Rectangle in which the control is to be sited.
readOnly: true if the value is read only; otherwise,false.
displayText: The text to display in the cell.
cellIsVisible: true to show the cell; otherwise,false.
Edit(self: DataGridColumnStyle,source: CurrencyManager,rowNum: int,bounds: Rectangle,readOnly: bool,displayText: str)
Prepares the cell for editing using the specified System.Windows.Forms.CurrencyManager,row
number,and System.Drawing.Rectangle parameters.
source: The System.Windows.Forms.CurrencyManager for the System.Windows.Forms.DataGridColumnStyle.
rowNum: The row number in this column which is being edited.
bounds: The System.Drawing.Rectangle in which the control is to be sited.
readOnly: A value indicating whether the column is a read-only. true if the value is read-only; otherwise,
false.
displayText: The text to display in the control.
Edit(self: DataGridColumnStyle,source: CurrencyManager,rowNum: int,bounds: Rectangle,readOnly: bool)
Prepares a cell for editing.
source: The System.Windows.Forms.CurrencyManager for the System.Windows.Forms.DataGridColumnStyle.
rowNum: The row number to edit.
bounds: The bounding System.Drawing.Rectangle in which the control is to be sited.
readOnly: A value indicating whether the column is a read-only. true if the value is read-only; otherwise,
false.
"""
pass
def end_update(self, *args):
"""
EndUpdate(self: DataGridColumnStyle)
Resumes the painting of columns suspended by calling the
System.Windows.Forms.DataGridColumnStyle.BeginUpdate method.
"""
pass
def enter_null_value(self, *args):
"""
EnterNullValue(self: DataGridBoolColumn)
Enters a System.DBNull.Value into the column.
"""
pass
def get_column_value_at_row(self, *args):
"""
GetColumnValueAtRow(self: DataGridBoolColumn,lm: CurrencyManager,row: int) -> object
Gets the value at the specified row.
lm: The System.Windows.Forms.CurrencyManager for the column.
row: The row number.
Returns: The value,typed as System.Object.
"""
pass
def get_minimum_height(self, *args):
"""
GetMinimumHeight(self: DataGridBoolColumn) -> int
Gets the height of a cell in a column.
Returns: The height of the column. The default is 16.
"""
pass
def get_preferred_height(self, *args):
"""
GetPreferredHeight(self: DataGridBoolColumn,g: Graphics,value: object) -> int
Gets the height used when resizing columns.
g: A System.Drawing.Graphics that draws on the screen.
value: An System.Object that contains the value to be drawn to the screen.
Returns: The height used to automatically resize cells in a column.
"""
pass
def get_preferred_size(self, *args):
"""
GetPreferredSize(self: DataGridBoolColumn,g: Graphics,value: object) -> Size
Gets the optimum width and height of a cell given a specific value to contain.
g: A System.Drawing.Graphics that draws the cell.
value: The value that must fit in the cell.
Returns: A System.Drawing.Size that contains the drawing information for the cell.
"""
pass
def get_service(self, *args):
"""
GetService(self: Component,service: Type) -> object
Returns an object that represents a service provided by the System.ComponentModel.Component or
by its System.ComponentModel.Container.
service: A service provided by the System.ComponentModel.Component.
Returns: An System.Object that represents a service provided by the System.ComponentModel.Component,or
null if the System.ComponentModel.Component does not provide the specified service.
"""
pass
def invalidate(self, *args):
"""
Invalidate(self: DataGridColumnStyle)
Redraws the column and causes a paint message to be sent to the control.
"""
pass
def memberwise_clone(self, *args):
"""
MemberwiseClone(self: MarshalByRefObject,cloneIdentity: bool) -> MarshalByRefObject
Creates a shallow copy of the current System.MarshalByRefObject object.
cloneIdentity: false to delete the current System.MarshalByRefObject object's identity,which will cause the
object to be assigned a new identity when it is marshaled across a remoting boundary. A value of
false is usually appropriate. true to copy the current System.MarshalByRefObject object's
identity to its clone,which will cause remoting client calls to be routed to the remote server
object.
Returns: A shallow copy of the current System.MarshalByRefObject object.
MemberwiseClone(self: object) -> object
Creates a shallow copy of the current System.Object.
Returns: A shallow copy of the current System.Object.
"""
pass
def paint(self, *args):
"""
Paint(self: DataGridBoolColumn,g: Graphics,bounds: Rectangle,source: CurrencyManager,rowNum: int,backBrush: Brush,foreBrush: Brush,alignToRight: bool)
Draws the System.Windows.Forms.DataGridBoolColumn with the given System.Drawing.Graphics,
System.Drawing.Rectangle,row number,System.Drawing.Brush,and System.Drawing.Color.
g: The System.Drawing.Graphics to draw to.
bounds: The bounding System.Drawing.Rectangle to paint into.
source: The System.Windows.Forms.CurrencyManager of the column.
rowNum: The number of the row in the underlying data table being referred to.
backBrush: A System.Drawing.Brush used to paint the background color.
foreBrush: A System.Drawing.Color used to paint the foreground color.
alignToRight: A value indicating whether to align the content to the right. true if the content is aligned to
the right,otherwise,false.
Paint(self: DataGridBoolColumn,g: Graphics,bounds: Rectangle,source: CurrencyManager,rowNum: int,alignToRight: bool)
Draws the System.Windows.Forms.DataGridBoolColumn with the given System.Drawing.Graphics,
System.Drawing.Rectangle,row number,and alignment settings.
g: The System.Drawing.Graphics to draw to.
bounds: The bounding System.Drawing.Rectangle to paint into.
source: The System.Windows.Forms.CurrencyManager of the column.
rowNum: The number of the row in the underlying data table being referred to.
alignToRight: A value indicating whether to align the content to the right. true if the content is aligned to
the right,otherwise,false.
Paint(self: DataGridBoolColumn,g: Graphics,bounds: Rectangle,source: CurrencyManager,rowNum: int)
Draws the System.Windows.Forms.DataGridBoolColumn with the given System.Drawing.Graphics,
System.Drawing.Rectangle and row number.
g: The System.Drawing.Graphics to draw to.
bounds: The bounding System.Drawing.Rectangle to paint into.
source: The System.Windows.Forms.CurrencyManager of the column.
rowNum: The number of the row referred to in the underlying data.
"""
pass
def release_hosted_control(self, *args):
"""
ReleaseHostedControl(self: DataGridColumnStyle)
Allows the column to free resources when the control it hosts is not needed.
"""
pass
def set_column_value_at_row(self, *args):
"""
SetColumnValueAtRow(self: DataGridBoolColumn,lm: CurrencyManager,row: int,value: object)
Sets the value of a specified row.
lm: The System.Windows.Forms.CurrencyManager for the column.
row: The row number.
value: The value to set,typed as System.Object.
"""
pass
def set_data_grid(self, *args):
"""
SetDataGrid(self: DataGridColumnStyle,value: DataGrid)
Sets the System.Windows.Forms.DataGrid control that this column belongs to.
value: The System.Windows.Forms.DataGrid control that this column belongs to.
"""
pass
def set_data_grid_in_column(self, *args):
"""
SetDataGridInColumn(self: DataGridColumnStyle,value: DataGrid)
Sets the System.Windows.Forms.DataGrid for the column.
value: A System.Windows.Forms.DataGrid.
"""
pass
def update_ui(self, *args):
"""
UpdateUI(self: DataGridColumnStyle,source: CurrencyManager,rowNum: int,displayText: str)
Updates the value of a specified row with the given text.
source: The System.Windows.Forms.CurrencyManager associated with the
System.Windows.Forms.DataGridColumnStyle.
rowNum: The row to update.
displayText: The new value.
"""
pass
def __enter__(self, *args):
"""
__enter__(self: IDisposable) -> object
Provides the implementation of __enter__ for objects which implement IDisposable.
"""
pass
def __exit__(self, *args):
"""
__exit__(self: IDisposable,exc_type: object,exc_value: object,exc_back: object)
Provides the implementation of __exit__ for objects which implement IDisposable.
"""
pass
def __init__(self, *args):
""" x.__init__(...) initializes x; see x.__class__.__doc__ for signaturex.__init__(...) initializes x; see x.__class__.__doc__ for signaturex.__init__(...) initializes x; see x.__class__.__doc__ for signature """
pass
@staticmethod
def __new__(self, prop=None, isDefault=None):
"""
__new__(cls: type)
__new__(cls: type,prop: PropertyDescriptor)
__new__(cls: type,prop: PropertyDescriptor,isDefault: bool)
"""
pass
def __str__(self, *args):
pass
allow_null = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets a value indicating whether null values are allowed.\n\n\n\nGet: AllowNull(self: DataGridBoolColumn) -> bool\n\n\n\nSet: AllowNull(self: DataGridBoolColumn)=value\n\n'
can_raise_events = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets a value indicating whether the component can raise an event.\n\n\n\n'
design_mode = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets a value that indicates whether the System.ComponentModel.Component is currently in design mode.\n\n\n\n'
events = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets the list of event handlers that are attached to this System.ComponentModel.Component.\n\n\n\n'
false_value = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets the actual value used when setting the value of the column to false.\n\n\n\nGet: FalseValue(self: DataGridBoolColumn) -> object\n\n\n\nSet: FalseValue(self: DataGridBoolColumn)=value\n\n'
font_height = property(lambda self: object(), lambda self, v: None, lambda self: None)
"Gets the height of the column's font.\n\n\n\n"
null_value = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets the actual value used when setting the value of the column to System.DBNull.Value.\n\n\n\nGet: NullValue(self: DataGridBoolColumn) -> object\n\n\n\nSet: NullValue(self: DataGridBoolColumn)=value\n\n'
true_value = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Gets or sets the actual value used when setting the value of the column to true.\n\n\n\nGet: TrueValue(self: DataGridBoolColumn) -> object\n\n\n\nSet: TrueValue(self: DataGridBoolColumn)=value\n\n'
allow_null_changed = None
false_value_changed = None
true_value_changed = None |
def standardize_text(df, question_field):
df[question_field] = df[question_field].str.replace(r"http\S+", "")
df[question_field] = df[question_field].str.replace(r"http", "")
df[question_field] = df[question_field].str.replace(r"@\S+", "")
df[question_field] = df[question_field].str.replace(
r"[^A-Za-z0-9(),!?@\'\`\"\_\n]", " "
)
df[question_field] = df[question_field].str.replace(r"@", "at")
df[question_field] = df[question_field].str.lower()
return df
def text_to_array(text):
empyt_emb = np.zeros(300)
text = text[:-1].split()[:30]
embeds = [embeddings_index.get(x, empyt_emb) for x in text]
embeds += [empyt_emb] * (30 - len(embeds))
return np.array(embeds)
def batch_gen(train_df):
n_batches = math.ceil(len(train_df) / batch_size)
while True:
train_df = train_df.sample(frac=1.0) # Shuffle the data.
for i in range(n_batches):
texts = train_df.iloc[i * batch_size : (i + 1) * batch_size, 1]
text_arr = np.array([text_to_array(text) for text in texts])
yield text_arr, np.array(
train_df["target"][i * batch_size : (i + 1) * batch_size]
)
| def standardize_text(df, question_field):
df[question_field] = df[question_field].str.replace('http\\S+', '')
df[question_field] = df[question_field].str.replace('http', '')
df[question_field] = df[question_field].str.replace('@\\S+', '')
df[question_field] = df[question_field].str.replace('[^A-Za-z0-9(),!?@\\\'\\`\\"\\_\\n]', ' ')
df[question_field] = df[question_field].str.replace('@', 'at')
df[question_field] = df[question_field].str.lower()
return df
def text_to_array(text):
empyt_emb = np.zeros(300)
text = text[:-1].split()[:30]
embeds = [embeddings_index.get(x, empyt_emb) for x in text]
embeds += [empyt_emb] * (30 - len(embeds))
return np.array(embeds)
def batch_gen(train_df):
n_batches = math.ceil(len(train_df) / batch_size)
while True:
train_df = train_df.sample(frac=1.0)
for i in range(n_batches):
texts = train_df.iloc[i * batch_size:(i + 1) * batch_size, 1]
text_arr = np.array([text_to_array(text) for text in texts])
yield (text_arr, np.array(train_df['target'][i * batch_size:(i + 1) * batch_size])) |
class Solution:
def countPairs(self, nums: List[int], k: int) -> int:
ans = 0
gcds = Counter()
for num in nums:
gcd_i = math.gcd(num, k)
for gcd_j, count in gcds.items():
if gcd_i * gcd_j % k == 0:
ans += count
gcds[gcd_i] += 1
return ans
| class Solution:
def count_pairs(self, nums: List[int], k: int) -> int:
ans = 0
gcds = counter()
for num in nums:
gcd_i = math.gcd(num, k)
for (gcd_j, count) in gcds.items():
if gcd_i * gcd_j % k == 0:
ans += count
gcds[gcd_i] += 1
return ans |
class WebDriverFactory:
def __init__(self):
self._drivers = {}
self._driver_options = {}
def register_web_driver(self, driver_type, web_driver, driver_options):
self._drivers[driver_type] = web_driver
self._driver_options[driver_type] = driver_options
def get_registered_web_drivers(self):
return self._drivers
def get_web_driver(self, driver_type, driver_path, user_defined_options=None):
driver_options_reference = self._driver_options[driver_type]
web_driver = self._drivers[driver_type]
if not web_driver:
raise NotImplemented(f'Unsupported type for browser {driver_type}.')
if not user_defined_options or not driver_options_reference:
return web_driver(driver_path)
driver_options = driver_options_reference()
if driver_type == 'EDGE':
driver_options.use_chromium = True
driver_options.add_argument(user_defined_options)
return web_driver(executable_path=driver_path, options=driver_options)
| class Webdriverfactory:
def __init__(self):
self._drivers = {}
self._driver_options = {}
def register_web_driver(self, driver_type, web_driver, driver_options):
self._drivers[driver_type] = web_driver
self._driver_options[driver_type] = driver_options
def get_registered_web_drivers(self):
return self._drivers
def get_web_driver(self, driver_type, driver_path, user_defined_options=None):
driver_options_reference = self._driver_options[driver_type]
web_driver = self._drivers[driver_type]
if not web_driver:
raise not_implemented(f'Unsupported type for browser {driver_type}.')
if not user_defined_options or not driver_options_reference:
return web_driver(driver_path)
driver_options = driver_options_reference()
if driver_type == 'EDGE':
driver_options.use_chromium = True
driver_options.add_argument(user_defined_options)
return web_driver(executable_path=driver_path, options=driver_options) |
class Solution(object):
def countConsistentStrings(self, allowed, words):
"""
:type allowed: str
:type words: List[str]
:rtype: int
"""
str_count = 0
for i in words:
flag = True
str_count += 1
for j in i:
if j not in allowed:
flag = False
str_count -= 1
break
return str_count
def main():
allowed = "ab"
words = ["ad","bd","aaab","baa","badab"]
allowed = "fstqyienx"
words = ["n","eeitfns","eqqqsfs","i","feniqis","lhoa","yqyitei","sqtn","kug","z","neqqis"]
obj = Solution()
return obj.countConsistentStrings(allowed, words)
if __name__ == '__main__':
print(main())
| class Solution(object):
def count_consistent_strings(self, allowed, words):
"""
:type allowed: str
:type words: List[str]
:rtype: int
"""
str_count = 0
for i in words:
flag = True
str_count += 1
for j in i:
if j not in allowed:
flag = False
str_count -= 1
break
return str_count
def main():
allowed = 'ab'
words = ['ad', 'bd', 'aaab', 'baa', 'badab']
allowed = 'fstqyienx'
words = ['n', 'eeitfns', 'eqqqsfs', 'i', 'feniqis', 'lhoa', 'yqyitei', 'sqtn', 'kug', 'z', 'neqqis']
obj = solution()
return obj.countConsistentStrings(allowed, words)
if __name__ == '__main__':
print(main()) |
class Image:
def __init__(self):
pass
# @classmethod
# def load(cls, path):
#
# raise NotImplementedError
| class Image:
def __init__(self):
pass |
'''
Just like a balloon without a ribbon, an object without a reference variable cannot be used later.
'''
class Mobile:
def __init__(self, price, brand):
self.price = price
self.brand = brand
Mobile(1000, "Apple")
#After the above line the Mobile
# object created is lost and unusable
| """
Just like a balloon without a ribbon, an object without a reference variable cannot be used later.
"""
class Mobile:
def __init__(self, price, brand):
self.price = price
self.brand = brand
mobile(1000, 'Apple') |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.