0

为了好玩,我正在为 Python 制作一个单位转换函数。

这是我的代码,到目前为止:

def UnitConverter(number,*units):
    if units == ("feet","inches"):
        return number*12
    elif units == ("ft","yd"):
        return number/3

你可能知道我是如何完成这项工作的。

因为我对优雅、良好的代码实践和整体流程非常着迷,所以除了我的主要问题之外,我想知道您的编码人员对此的一般看法:如何有效地检查if语句中的排列列表?

示例:有没有一种有效的方法来完成这项工作?

def UnitConverter(number,*units):
    if units == (("feet" or "foot" or "ft."),("inches" or "in" or "in.")):
        return number*12
    elif units == ("ft","yd"):
        return number/3

如果没有,有没有办法重组我的程序,以便有人可以输入三个参数number, unit1unit2在编码端,我可以有效地包含每个单元的所有替代拼写(feet, foot, ft, etc)?

我真的很重视每个人的意见。

谢谢!

4

3 回答 3

4

使用套装。

foot_units = {"ft.", "feet", "foot"}

然后您可以检查集合中的所有权。

if(units[0] in foot_units):
   ...

除此之外,制作一个用于通用转换元素的 conversion_factor 字典。然后你可以强制进入你的决赛。

inches -> feet -> yards
inches -> feet -> feet

RemcoGerlich 为这一步提供了一个很好的解决方案。

于 2013-10-25T19:57:15.540 回答
4

我会选择一个标准的长度单位,比如说 m。然后我会有一个字典,为每个其他单位提供一个因素,并转换:

conversion_factors = {
    'foot': 0.3048,  # Google search '1 foot in m'
    'yard': 0.9144,
    # etc
}

def unit_convert(number, from_unit='m', to_unit='m'):
    m = number * conversion_factor[from_unit]
    return m / conversion_factor[to_unit]

对于同义词(feet、ft 等),您可以制作第二个字典并在第一个字典中查找规范名称:

conversion_factors = { ... }  # as above

synonyms = {
    'feet': 'foot',
    'ft': 'foot',
    ...
}

def unit_convert(number, from_unit='m', to_unit='m'):
    from_unit = synonyms.get(from_unit, from_unit)
    to_unit = synonyms.get(to_unit, to_unit)
    # etc

conversion_factors...或者只是将它们多次放入字典中:

conversion_factors = {
    'foot': 0.3048,  # Google search '1 foot in m'
    'feet': 0.3048,
    'ft': 0.3048,
    'yard': 0.9144,
    # etc
}
于 2013-10-25T20:03:38.777 回答
2

可能类似于以下内容,使用in检查包含的运算符:

def UnitConverter(number,*units):
    feet = {'feet', 'foot', 'ft.'}
    inches = {'inches', 'in', 'in.'}
    yards = {'yard', 'yd', 'yd.'}
    if units[0] in feet and units[1] in inches:
        return number*12
    elif units[0] in feet and units[1] in yards:
        return number/3
于 2013-10-25T19:56:58.993 回答