9

假设我想比较 2 个具有不同数据类型的变量:字符串和整数。我已经在 Python 2.7.3 和 Python 3.2.3 中对其进行了测试,并且都没有抛出异常。比较的结果是False。在这种情况下,我可以使用不同的选项配置或运行 Python 以引发异常吗?

ks@ks-P35-DS3P:~$ python2
Python 2.7.3 (default, Aug  1 2012, 05:14:39) 
[GCC 4.6.3] on linux2
Type "help", "copyright", "credits" or "license" for more information.
>>> a="123"
>>> b=123
>>> a==b
False
>>> 
ks@ks-P35-DS3P:~$ python3
Python 3.2.3 (default, Apr 12 2012, 19:08:59) 
[GCC 4.6.3] on linux2
Type "help", "copyright", "credits" or "license" for more information.
>>> a="123"
>>> b=123
>>> a==b
False
>>> 
ks@ks-P35-DS3P:~$ 
4

3 回答 3

7

不,你不能。这些项目不相等,那里没有错误。

一般来说,强制你的代码只接受特定类型是不合常规的。如果您想创建 的子类int,并让它在任何地方都能工作,该int怎么办?Python 布尔类型是 的子类int,例如 ( True== 1, False== 0)。

如果你必须有一个例外,你可以做以下两件事之一:

  1. 测试它们的类型是否相等并自己引发异常:

    if not isinstance(a, type(b)) and not isinstance(b, type(a)):
        raise TypeError('Not the same type')
    if a == b:
        # ...
    

    此示例允许 a 或 b 成为其他类型的子类,您需要根据需要缩小范围(type(a) is type(b)非常严格)。

  2. 尝试订购类型:

    if not a < b and not a > b:
        # ...
    

    在 Python 3 中,当将数值类型与序列类型(例如字符串)进行比较时,这会引发异常。比较在 Python 2 中成功。

    Python 3 演示:

    >>> a, b = 1, '1'
    >>> not a < b and not a > b
    Traceback (most recent call last):
      File "<stdin>", line 1, in <module>
    TypeError: unorderable types: int() < str()
    >>> a, b = 1, 1
    >>> not a < b and not a > b
    True
    
于 2013-03-16T16:14:43.697 回答
1

我想不出一种方法来完成它,它不会太难看而无法常规使用。这是 Python 程序员在没有语言帮助的情况下必须小心数据类型的一种情况。

谢天谢地,您没有使用数据类型在字符串和 int 之间静默强制转换的语言。

于 2013-03-16T17:19:58.173 回答
0

您可以定义一个函数来执行此操作:

def isEqual(a, b):
    if not isinstance(a, type(b)): raise TypeError('a and b must be of same type')
    return a == b # only executed if an error is not raised
于 2013-03-16T16:11:28.003 回答