我的目标是编写一个可用于计算设备所有属性的类。
import numpy as np
class pythagoras:
def __init__(self, a=None, b=None, c=None):
self.a = a
self.b = b
self.c = c
if(a == None):
assert(b != None)
assert(c != None)
self.a = np.sqrt(c**2 - b**2)
elif(b == None):
assert(a != None)
assert(c != None)
self.b = np.sqrt(c**2 - a**2)
elif(c == None):
assert(a != None)
assert(b != None)
self.c = np.sqrt(a**2 + b**2)
else:
assert (a**2 + b**2 == c**2), "The values are incompatible."
example1 = pythagoras(a=3, b=4)
print(example.c)
# 5
example2 = pythagoras(a=3, c=5)
print(example2.b)
# 4
example3 = pythagoras(b=4, c=5)
print(example3.a)
# 3
所以我的问题是简化这个例子:有没有更简单的方法来实现这种问题?对于更复杂的例子,它很快变得相当复杂和无法管理。
最终目标是拥有一个包含所有设备属性的类,例如:
class crystal:
absorption
refractive_index
transmission
reflection
heat_conductivity
heat_resistance
在这里可以想象这些属性相互依赖,根据我对属性的了解,我可以推断其余的属性。
对于编写更好的代码的任何评论我都很优雅。即使我学习和阅读有关面向对象编码的文献,我也没有写过这样的文章。
答案 0 :(得分:2)
我认为一旦你使用@property
装饰器,这很容易计算。让我举个例子。
导入数学
class Pythagoras(object):
def __init__(self, a=None, b=None, c=None):
self._a = a
self._b = b
self._c = c
count = 0
if self._a is None:
count += 1
if self._b is None:
count += 1
if self._c is None:
count += 1
if count > 1:
raise Exception("More than one of the values are None.")
@property
def a(self):
if self._a is None:
return math.sqrt(self.c**2 - self.b**2)
else:
return self._a
@property
def b(self):
if self._b is None:
return math.sqrt(self.c**2 - self.a**2)
else:
return self._b
@property
def c(self):
if self._c is None:
return math.sqrt(self.a**2 + self.b**2)
else:
return self._c
工作行为:
>>> from temp import Pythagoras
>>> p = Pythagoras(a=10, b=20)
>>> p.c
22.360679774997898
编辑:更新了代码以确保它正常工作。
答案 1 :(得分:0)
试试这个:
import pandas as pd
class Pyth():
def __init__(self, a=np.NaN, b=np.NaN, c=np.NaN):
df = pd.DataFrame({
'sides': [a,b,c],
'equation':[np.sqrt(c**2 - b**2), np.sqrt(c**2 - a**2), np.sqrt(a**2 + b**2)]
})
df.loc[df.sides.isnull(), 'sides'] = df[df.sides.isnull()]['equation']
self.a = df.sides[0]
self.b = df.sides[1]
self.c = df.sides[2]
测试结果:
test = Pyth(a=3,b=4)
test.c
Out[217]:
5.0
In [218]:
test.b
Out[218]:
4.0
In [219]:
test.a
Out[219]:
3.0