从类的实例调用python类方法无法正常工作

时间:2018-08-02 12:22:23

标签: python

我是Python的新手,我想我正在尝试做一些简单的事情。但是,我对获得的结果感到困惑。我声明一个具有2个类方法的类,即add和remove,在我的简单示例中,它们从列表类变量中添加或删除客户端。这是我的代码:

Service.py

from Client import Client

class Service:
    clients = []

    @classmethod
    def add(cls, client):
        cls.clients.append(client)

    @classmethod
    def remove(cls, client):
        if client in cls.clients:
            cls.clients.remove(client)


if __name == '__main__'
    a = Client()
    b = Client()
    c = Client()

    Service.add(a)
    Service.add(b)
    Service.add(c)
    print(Service.clients)
    c.kill()
    print(Service.clients)
    Service.remove(c)
    print(Service.clients)

Client.py

class Client:
    def kill(self):
        from Service import Service
        Service.remove(self)

我希望调用c.kill()会将实例从客户端列表中删除。  但是,当我评估客户列表时,它显示0个项目。当我调用Service.remove(c)时,它显示正确的列表,并按预期将其删除。我不确定我在这里缺少什么。

如果有关系,我目前正在使用PyCharm,并且我的代码在具有Python 3.6.5的Virtualenv中运行。

1 个答案:

答案 0 :(得分:0)

您当前的代码使用循环导入,因为两个文件相互利用。另外,不要依赖客户端破坏连接,而要使用contextmanager来促进clients的更新,并且在过程结束时,请清空clients

import contextlib
class Client:
  pass

class Service:
  clients = []
  @classmethod
  def add(cls, client):
    cls.clients.append(client)
  @classmethod
  @contextlib.contextmanager
  def thread(cls):
    yield cls
    cls.clients = []

with Service.thread() as t:
  t.add(Client())
  t.add(Client())