3

我正在研究python中的类和OO,当我尝试从包中导入类时发现了一个问题。项目结构和类描述如下:

ex1/
    __init__.py
    app/
        __init__.py
        App1.py
    pojo/
        __init__.py
        Fone.py

课程:

fone.py

class Fone(object):

    def __init__(self,volume):
        self.change_volume(volume)

    def get_volume(self):
        return self.__volume

    def change_volume(self,volume):
        if volume >100:
            self.__volume = 100
        elif volume <0:
            self.__volume = 0
        else:
            self.__volume = volume

volume = property(get_volume,change_volume)

应用程序1.py

from ex1.pojo import Fone

if __name__ == '__main__':
    fone = Fone(70)
    print fone.volume

    fone.change_volume(110)
    print fone.get_volume()

    fone.change_volume(-12)
    print fone.get_volume()

    fone.volume = -90
    print fone.volume

    fone.change_volume(fone.get_volume() **2)
    print fone.get_volume()

当我尝试使用from ex1.pojo import Fone时,会引发以下错误:

fone = Fone(70)
TypeError: 'module' object is not callable

但是当我使用from ex1.pojo.Fone import *时,程序运行良好。

为什么我不能用我编码的方式导入 Fone 类?

4

3 回答 3

5

在python中,您可以导入模块或该模块的成员

当你这样做时:

from ex1.pojo import Fone

你正在导入你的模块Fone,所以你可以使用

fone = Fone.Fone(6)

或该模块的任何其他成员。

但是您也只能导入该模块的某些成员,例如

from ex1.pojo.Fone import Fone

我认为值得回顾一些关于 python 模块、包和导入的文档

于 2013-05-23T14:43:03.210 回答
3

您应该导入类,而不是模块。例子:

from ex1.pojo.Fone import Fone

此外,您应该为模块名称使用小写命名约定。

于 2013-05-23T14:43:30.393 回答
0
from ex1.pojo.Fone import Fone
于 2013-05-23T14:42:53.850 回答