0

我有一个包含字符串的变量(从 XML 提要中提取)。字符串值可以是整数、日期或字符串类型。我需要将它从字符串转换为给定的数据类型。我正在这样做,但它有点难看,所以我问是否有更好的技术。如果我要检查更多类型,我将以非常嵌套的 try 结束 - 除了块。

def normalize_availability(self, value):
    """
    Normalize the availability date.
    """
    try:
        val = int(value)
    except ValueError:
        try:
            val = datetime.datetime.strptime(value, '%Y-%m-%d')
        except (ValueError, TypeError):
            # Here could be another try - except block if more types needed
            val = value

谢谢!

4

3 回答 3

5

使用方便的辅助函数。

def tryconvert(value, default, *types):
    """Converts value to one of the given types.  The first type that succeeds is
       used, so the types should be specified from most-picky to least-picky (e.g.
       int before float).  The default is returned if all types fail to convert
       the value.  The types needn't actually be types (any callable that takes a
       single argument and returns a value will work)."""
    value = value.strip()
    for t in types:
        try:
            return t(value)
        except (ValueError, TypeError):
            pass
    return default

然后编写一个解析日期/时间的函数:

def parsedatetime(value, format="%Y-%m-%d")
    return datetime.datetime.striptime(value, format)

现在把它们放在一起:

value = tryconvert(value, None, parsedatetime, int)
于 2013-02-04T15:53:17.057 回答
0

正确的方法是从 xml 中知道每个应该是什么类型。这将防止碰巧是数字字符串的事物最终成为 int 等。但假设这是不可能的。

对于 int 类型我更喜欢

if value.isdigit():
    val = int(value)

对于日期,我能想到的唯一其他方法是将其拆分并查看各个部分,这会更混乱,然后让 strptime 引发异常。

于 2013-02-04T15:42:38.043 回答
0
def normalize_availability(value):
    """
    Normalize the availability date.
    """
    val = value
    try:
        val = datetime.datetime.strptime(value, '%Y-%m-%d')
    except (ValueError):
        if value.strip(" -+").isdigit():
            val = int(value)

    return val
于 2013-02-04T15:49:16.707 回答