4

对于以下代码

# -*- coding: utf-8 -*-
import typing


class A(object):
    pass

class B(A):
    pass

class C(A):
    pass

class D(A):
    pass

class E(A):
    pass

MAPPING_X = {
    B: 'b',
    C: 'c',
}
MAPPING_Y = {
    D: 'd',
    E: 'e',
}

all_mappings = {}  # type: typing.Dict[typing.Type[A], str]
all_mappings.update(MAPPING_X)
all_mappings.update(MAPPING_Y)

mypy 返回以下错误(python 3.4):

t.py:30: error: Argument 1 to "update" of "dict" has incompatible type Dict[type, str]; expected Mapping[Type[A], str]
t.py:31: error: Argument 1 to "update" of "dict" has incompatible type Dict[type, str]; expected Mapping[Type[A], str]

我不明白如何指定我想要的子类A作为字典键。如何声明类型?

4

2 回答 2

1

我可能不理解typingandmypy模块是如何工作的,但这里似乎存在某种错误。如果我这样做(示例改编自文档typing.Type部分):

import typing

class User(): pass
class BasicUser(User): pass

def make_new(u: typing.Type[User]) -> User:
    return u()

x = make_new(BasicUser)

没有mypy错误。如果我这样做:

import typing

class A():
    pass

MAPPING_X = {
    A: 'a',
}
all_mappings = {}  # type: typing.Dict[typing.Type[A], str]
all_mappings.update(MAPPING_X)

也没有错误。但是,这确实会产生mypy错误:

import typing

class A():
    pass

class B(A):
    pass

MAPPING_X = {
    A: 'a',
    B: 'b',
}

all_mappings = {}  # type: typing.Dict[typing.Type[A], str]
all_mappings.update(MAPPING_X)

根据我对文档的理解,这个错误不应该发生。

于 2017-02-03T16:51:38.623 回答
0

看起来您这样做是正确的,但需要先声明MAPPING_Xand的类型MAPPING_Y。这解决了问题。

# -*- coding: utf-8 -*-
import typing

class A(object):
    pass

class B(A):
    pass

class C(A):
    pass

class D(A):
    pass

class E(A):
    pass

MAPPING_X = {}  # type: typing.Dict[typing.Type[A], str]
MAPPING_Y = {}  # type: typing.Dict[typing.Type[A], str]

MAPPING_X = {
    B: 'b',
    C: 'c',
}
MAPPING_Y = {
    D: 'd',
    E: 'e',
}

all_mappings = {}  # type: typing.Dict[typing.Type[A], str]
all_mappings.update(MAPPING_X)
all_mappings.update(MAPPING_Y)

没有mypy错误。

但是,在我看来,您编写的代码应该可以工作,这是错误的症状。

于 2017-02-04T05:31:00.687 回答