geekdoc-python-zh/docs/realpython/python-interface.md

25 KiB
Raw Blame History

在 Python 中实现接口

原文:https://realpython.com/python-interface/

接口在软件工程中起着重要的作用。随着应用程序的增长,对代码库的更新和更改变得更加难以管理。通常情况下,您最终会得到看起来非常相似但不相关的类,这可能会导致一些混淆。在本教程中,您将看到如何使用一个 Python 接口来帮助确定应该使用什么类来解决当前的问题。

在本教程中,你将能够:

  • 了解接口如何工作以及 Python 接口创建的注意事项
  • 理解在像 Python 这样的动态语言中接口是多么有用
  • 实现一个非正式的 Python 接口
  • 使用 abc.ABCMeta@abc.abstractmethod实现一个正式的 Python 接口

Python 中的接口处理方式不同于大多数其他语言,它们的设计复杂度也各不相同。在本教程结束时,您将对 Python 数据模型的某些方面有更好的理解,以及 Python 中的接口与 Java、C++和 Go 等语言中的接口的比较。

免费奖励: 掌握 Python 的 5 个想法,这是一个面向 Python 开发者的免费课程,向您展示将 Python 技能提升到下一个水平所需的路线图和心态。

Python 接口概述

在高层次上,接口充当设计类的蓝图。像类一样,接口定义方法。与类不同,这些方法是抽象的。一个抽象方法是接口简单定义的方法。它没有实现这些方法。这是由类来完成的,然后实现接口,并赋予接口的抽象方法具体的含义。

与像 Java 、Go 和 C++ 这样的语言相比Python 的界面设计方法有些不同。这些语言都有一个interface关键字,而 Python 没有。Python 在另一个方面进一步偏离了其他语言。它不需要实现接口的类来定义接口的所有抽象方法。

Remove ads

非正式接口

在某些情况下,您可能不需要正式 Python 接口的严格规则。Python 的动态特性允许你实现一个非正式接口。非正式的 Python 接口是一个定义了可以被覆盖的方法的类,但是没有严格的执行。

在下面的例子中,您将从一个数据工程师的角度出发,他需要从各种不同的非结构化文件类型中提取文本,比如 pdf 和电子邮件。您将创建一个非正式的接口,它定义了在PdfParserEmlParser具体类中的方法:

class InformalParserInterface:
    def load_data_source(self, path: str, file_name: str) -> str:
        """Load in the file for extracting text."""
        pass

    def extract_text(self, full_file_name: str) -> dict:
        """Extract text from the currently loaded file."""
        pass

InformalParserInterface定义了两种方法.load_data_source().extract_text()。这些方法已定义但未实现。一旦你创建了从InformalParserInterface继承的具体类,这个实现就会发生。

如您所见,InformalParserInterface看起来和标准 Python 类一样。你依靠鸭打字来通知用户这是一个接口,应该相应地使用。

注:没听说过鸭打字?这个术语说,如果你有一个看起来像鸭子,走路像鸭子,叫声像鸭子的物体,那么它一定是鸭子!要了解更多,请查看鸭子打字

记住 duck 类型,定义两个实现InformalParserInterface的类。要使用您的接口,您必须创建一个具体的类。一个具体类是接口的子类,提供接口方法的实现。您将创建两个具体的类来实现您的接口。第一个是PdfParser,您将使用它来解析来自 PDF 文件的文本:

class PdfParser(InformalParserInterface):
    """Extract text from a PDF"""
    def load_data_source(self, path: str, file_name: str) -> str:
        """Overrides InformalParserInterface.load_data_source()"""
        pass

    def extract_text(self, full_file_path: str) -> dict:
        """Overrides InformalParserInterface.extract_text()"""
        pass

InformalParserInterface的具体实现现在允许你从 PDF 文件中提取文本。

第二个具体的类是EmlParser,您将使用它来解析来自电子邮件的文本:

class EmlParser(InformalParserInterface):
    """Extract text from an email"""
    def load_data_source(self, path: str, file_name: str) -> str:
        """Overrides InformalParserInterface.load_data_source()"""
        pass

    def extract_text_from_email(self, full_file_path: str) -> dict:
        """A method defined only in EmlParser.
 Does not override InformalParserInterface.extract_text()
 """
        pass

InformalParserInterface的具体实现现在允许你从电子邮件文件中提取文本。

到目前为止,您已经定义了InformalPythonInterface的两个具体实现。然而,请注意EmlParser未能正确定义.extract_text()。如果您要检查EmlParser是否实现了InformalParserInterface,那么您会得到以下结果:

>>> # Check if both PdfParser and EmlParser implement InformalParserInterface
>>> issubclass(PdfParser, InformalParserInterface)
True

>>> issubclass(EmlParser, InformalParserInterface)
True

这将返回True,这造成了一点问题,因为它违反了接口的定义!

现在检查PdfParserEmlParser方法解析顺序(MRO) 。这将告诉您正在讨论的类的超类,以及它们在执行方法时被搜索的顺序。你可以通过使用邓德方法cls.__mro__来查看一个类的 MRO:

>>> PdfParser.__mro__
(__main__.PdfParser, __main__.InformalParserInterface, object)

>>> EmlParser.__mro__
(__main__.EmlParser, __main__.InformalParserInterface, object)

这种非正式的接口对于只有少数开发人员开发源代码的小项目来说很好。然而,随着项目越来越大,团队越来越多,这可能导致开发人员花费无数时间在代码库中寻找难以发现的逻辑错误!

使用元类

理想情况下,当实现类没有定义接口的所有抽象方法时,您会希望issubclass(EmlParser, InformalParserInterface)返回False。为此,您将创建一个名为ParserMeta元类。您将覆盖两个 dunder 方法:

  1. .__instancecheck__()
  2. .__subclasscheck__()

在下面的代码块中,您创建了一个名为UpdatedInformalParserInterface的类,它从ParserMeta元类构建而来:

class ParserMeta(type):
    """A Parser metaclass that will be used for parser class creation.
 """
    def __instancecheck__(cls, instance):
        return cls.__subclasscheck__(type(instance))

    def __subclasscheck__(cls, subclass):
        return (hasattr(subclass, 'load_data_source') and 
                callable(subclass.load_data_source) and 
                hasattr(subclass, 'extract_text') and 
                callable(subclass.extract_text))

class UpdatedInformalParserInterface(metaclass=ParserMeta):
    """This interface is used for concrete classes to inherit from.
 There is no need to define the ParserMeta methods as any class
 as they are implicitly made available via .__subclasscheck__().
 """
    pass

现在已经创建了ParserMetaUpdatedInformalParserInterface,您可以创建您的具体实现了。

首先,创建一个名为PdfParserNew的解析 pdf 的新类:

class PdfParserNew:
    """Extract text from a PDF."""
    def load_data_source(self, path: str, file_name: str) -> str:
        """Overrides UpdatedInformalParserInterface.load_data_source()"""
        pass

    def extract_text(self, full_file_path: str) -> dict:
        """Overrides UpdatedInformalParserInterface.extract_text()"""
        pass

这里,PdfParserNew覆盖了.load_data_source().extract_text(),所以issubclass(PdfParserNew, UpdatedInformalParserInterface)应该返回True

在下一个代码块中,您有了一个名为EmlParserNew的电子邮件解析器的新实现:

class EmlParserNew:
    """Extract text from an email."""
    def load_data_source(self, path: str, file_name: str) -> str:
        """Overrides UpdatedInformalParserInterface.load_data_source()"""
        pass

    def extract_text_from_email(self, full_file_path: str) -> dict:
        """A method defined only in EmlParser.
 Does not override UpdatedInformalParserInterface.extract_text()
 """
        pass

在这里,您有一个用于创建UpdatedInformalParserInterface的元类。通过使用元类,您不需要显式定义子类。相反,子类必须定义所需的方法。如果没有,那么issubclass(EmlParserNew, UpdatedInformalParserInterface)将返回False

在您的具体类上运行issubclass()将产生以下结果:

>>> issubclass(PdfParserNew, UpdatedInformalParserInterface)
True

>>> issubclass(EmlParserNew, UpdatedInformalParserInterface)
False

正如所料,EmlParserNew不是UpdatedInformalParserInterface的子类,因为.extract_text()没有在EmlParserNew中定义。

现在,让我们来看看 MRO:

>>> PdfParserNew.__mro__
(<class '__main__.PdfParserNew'>, <class 'object'>)

如您所见,UpdatedInformalParserInterfacePdfParserNew的超类,但是它没有出现在 MRO 中。这种不寻常的行为是由于UpdatedInformalParserInterfacePdfParserNew虚拟基类造成的。

Remove ads

使用虚拟基类

在前面的例子中,issubclass(EmlParserNew, UpdatedInformalParserInterface)返回了True,即使UpdatedInformalParserInterface没有出现在EmlParserNew MRO 中。那是因为UpdatedInformalParserInterfaceEmlParserNew的一个虚拟基类

这些子类和标准子类之间的关键区别在于,虚拟基类使用.__subclasscheck__() dunder 方法来隐式检查一个类是否是超类的虚拟子类。此外,虚拟基类不会出现在子类 MRO 中。

看一下这个代码块:

class PersonMeta(type):
    """A person metaclass"""
    def __instancecheck__(cls, instance):
        return cls.__subclasscheck__(type(instance))

    def __subclasscheck__(cls, subclass):
        return (hasattr(subclass, 'name') and 
                callable(subclass.name) and 
                hasattr(subclass, 'age') and 
                callable(subclass.age))

class PersonSuper:
    """A person superclass"""
    def name(self) -> str:
        pass

    def age(self) -> int:
        pass

class Person(metaclass=PersonMeta):
    """Person interface built from PersonMeta metaclass."""
    pass

这里,您有了创建虚拟基类的设置:

  1. 元类PersonMeta
  2. 基类PersonSuper
  3. Python 接口Person

现在创建虚拟基类的设置已经完成,您将定义两个具体的类,EmployeeFriendEmployee类继承自PersonSuper,而Friend隐式继承自Person:

# Inheriting subclasses
class Employee(PersonSuper):
    """Inherits from PersonSuper
 PersonSuper will appear in Employee.__mro__
 """
    pass

class Friend:
    """Built implicitly from Person
 Friend is a virtual subclass of Person since
 both required methods exist.
 Person not in Friend.__mro__
 """
    def name(self):
        pass

    def age(self):
        pass

虽然Friend没有显式继承Person,但是它实现了.name().age(),所以Person成为了Friend虚拟基类。当你运行issubclass(Friend, Person)时,它应该返回True,这意味着FriendPerson的子类。

下面的 UML 图显示了当您在Friend类上调用issubclass()时会发生什么:

virtual base class

看一看PersonMeta,您会注意到还有另一个名为.__instancecheck__()的 dunder 方法。该方法用于检查是否从Person接口创建了Friend的实例。当你使用isinstance(Friend, Person)时,你的代码将调用.__instancecheck__()

正式接口

非正式接口对于代码基数小、程序员数量有限的项目非常有用。然而,非正式接口对于大型应用程序来说是错误的。为了创建一个正式的 Python 接口,你将需要 Python 的abc模块中的一些工具。

使用abc.ABCMeta

为了强制抽象方法的子类实例化,您将利用 Python 的内置模块 abc 中的ABCMeta。回到您的UpdatedInformalParserInterface接口,您创建了自己的元类ParserMeta,用被覆盖的 dunder 方法.__instancecheck__().__subclasscheck__()

您将使用abc.ABCMeta作为元类,而不是创建自己的元类。然后,您将覆盖.__subclasshook__()来代替.__instancecheck__().__subclasscheck__(),因为它创建了这些 dunder 方法的更可靠的实现。

使用.__subclasshook__()

下面是使用abc.ABCMeta作为元类的FormalParserInterface的实现:

import abc

class FormalParserInterface(metaclass=abc.ABCMeta):
    @classmethod
    def __subclasshook__(cls, subclass):
        return (hasattr(subclass, 'load_data_source') and 
                callable(subclass.load_data_source) and 
                hasattr(subclass, 'extract_text') and 
                callable(subclass.extract_text))

class PdfParserNew:
    """Extract text from a PDF."""
    def load_data_source(self, path: str, file_name: str) -> str:
        """Overrides FormalParserInterface.load_data_source()"""
        pass

    def extract_text(self, full_file_path: str) -> dict:
        """Overrides FormalParserInterface.extract_text()"""
        pass

class EmlParserNew:
    """Extract text from an email."""
    def load_data_source(self, path: str, file_name: str) -> str:
        """Overrides FormalParserInterface.load_data_source()"""
        pass

    def extract_text_from_email(self, full_file_path: str) -> dict:
        """A method defined only in EmlParser.
 Does not override FormalParserInterface.extract_text()
 """
        pass

如果在PdfParserNewEmlParserNew上运行issubclass(),那么issubclass()将分别返回TrueFalse

Remove ads

使用abc注册一个虚拟子类

一旦导入了abc模块,就可以通过使用.register()元方法直接注册一个虚拟子类。在下一个例子中,您将接口Double注册为内置__float__类的虚拟基类:

class Double(metaclass=abc.ABCMeta):
    """Double precision floating point number."""
    pass

Double.register(float)

你可以看看使用.register()的效果:

>>> issubclass(float, Double)
True

>>> isinstance(1.2345, Double)
True

通过使用.register()元方法,您已经成功地将Double注册为float的虚拟子类。

一旦你注册了Double,你就可以用它作为类装饰器来将装饰类设置为虚拟子类:

@Double.register
class Double64:
    """A 64-bit double-precision floating-point number."""
    pass

print(issubclass(Double64, Double))  # True

decorator register 方法帮助您创建自定义虚拟类继承的层次结构。

通过注册使用子类检测

当你组合.__subclasshook__().register()时,你必须小心,因为.__subclasshook__()优先于虚拟子类注册。为了确保注册的虚拟子类被考虑在内,您必须将NotImplemented添加到.__subclasshook__() dunder 方法中。FormalParserInterface将更新为以下内容:

class FormalParserInterface(metaclass=abc.ABCMeta):
    @classmethod
    def __subclasshook__(cls, subclass):
        return (hasattr(subclass, 'load_data_source') and 
                callable(subclass.load_data_source) and 
                hasattr(subclass, 'extract_text') and 
                callable(subclass.extract_text) or 
                NotImplemented)

class PdfParserNew:
    """Extract text from a PDF."""
    def load_data_source(self, path: str, file_name: str) -> str:
        """Overrides FormalParserInterface.load_data_source()"""
        pass

    def extract_text(self, full_file_path: str) -> dict:
        """Overrides FormalParserInterface.extract_text()"""
        pass

@FormalParserInterface.register
class EmlParserNew:
    """Extract text from an email."""
    def load_data_source(self, path: str, file_name: str) -> str:
        """Overrides FormalParserInterface.load_data_source()"""
        pass

    def extract_text_from_email(self, full_file_path: str) -> dict:
        """A method defined only in EmlParser.
 Does not override FormalParserInterface.extract_text()
 """
        pass

print(issubclass(PdfParserNew, FormalParserInterface))  # True
print(issubclass(EmlParserNew, FormalParserInterface))  # True

因为您已经使用了注册,所以您可以看到EmlParserNew被视为FormalParserInterface接口的虚拟子类。这不是你想要的,因为EmlParserNew不会覆盖.extract_text()请谨慎注册虚拟子类!

使用抽象方法声明

抽象方法是由 Python 接口声明的方法,但它可能没有有用的实现。抽象方法必须由实现相关接口的具体类重写。

要在 Python 中创建抽象方法,需要在接口的方法中添加@abc.abstractmethod decorator。在下一个例子中您更新了FormalParserInterface以包含抽象方法.load_data_source().extract_text():

class FormalParserInterface(metaclass=abc.ABCMeta):
    @classmethod
    def __subclasshook__(cls, subclass):
        return (hasattr(subclass, 'load_data_source') and 
                callable(subclass.load_data_source) and 
                hasattr(subclass, 'extract_text') and 
                callable(subclass.extract_text) or 
                NotImplemented)

    @abc.abstractmethod
    def load_data_source(self, path: str, file_name: str):
        """Load in the data set"""
        raise NotImplementedError

    @abc.abstractmethod
    def extract_text(self, full_file_path: str):
        """Extract text from the data set"""
        raise NotImplementedError

class PdfParserNew(FormalParserInterface):
    """Extract text from a PDF."""
    def load_data_source(self, path: str, file_name: str) -> str:
        """Overrides FormalParserInterface.load_data_source()"""
        pass

    def extract_text(self, full_file_path: str) -> dict:
        """Overrides FormalParserInterface.extract_text()"""
        pass

class EmlParserNew(FormalParserInterface):
    """Extract text from an email."""
    def load_data_source(self, path: str, file_name: str) -> str:
        """Overrides FormalParserInterface.load_data_source()"""
        pass

    def extract_text_from_email(self, full_file_path: str) -> dict:
        """A method defined only in EmlParser.
 Does not override FormalParserInterface.extract_text()
 """
        pass

在上面的例子中,您最终创建了一个正式的接口,当抽象方法没有被覆盖时,它会引发错误。因为PdfParserNew正确地覆盖了FormalParserInterface抽象方法,所以PdfParserNew实例pdf_parser不会引发任何错误。但是,EmlParserNew会引发一个错误:

>>> pdf_parser = PdfParserNew()
>>> eml_parser = EmlParserNew()
Traceback (most recent call last):
  File "real_python_interfaces.py", line 53, in <module>
    eml_interface = EmlParserNew()
TypeError: Can't instantiate abstract class EmlParserNew with abstract methods extract_text

如您所见, traceback 消息告诉您还没有覆盖所有的抽象方法。这是您在构建正式 Python 接口时所期望的行为。

Remove ads

其他语言界面

接口出现在许多编程语言中,并且它们的实现因语言而异。在接下来的几节中,您将比较 Python 与 Java、C++和 Go 中的接口。

Java

与 Python 不同, Java 包含一个interface关键字。按照文件解析器的例子,用 Java 声明一个接口,如下所示:

public  interface FileParserInterface  { // Static fields, and abstract methods go here ... public  void  loadDataSource(); public  void  extractText(); }

现在您将创建两个具体的类,PdfParserEmlParser,来实现FileParserInterface。为此,您必须在类定义中使用implements关键字,如下所示:

public  class EmlParser  implements  FileParserInterface  { public  void  loadDataSource()  { // Code to load the data set } public  void  extractText()  { // Code to extract the text } }

继续您的文件解析示例,一个全功能的 Java 接口应该是这样的:

import  java.util.*; import  java.io.*; public  class FileParser  { public  static  void  main(String[]  args)  throws  IOException  { // The main entry point } public  interface FileParserInterface  { HashMap<String,  ArrayList<String>>  file_contents  =  null; public  void  loadDataSource(); public  void  extractText(); } public  class PdfParser  implements  FileParserInterface  { public  void  loadDataSource()  { // Code to load the data set } public  void  extractText()  { // Code to extract the text } } public  class EmlParser  implements  FileParserInterface  { public  void  loadDataSource()  { // Code to load the data set } public  void  extractText()  { // Code to extract the text } } }

如您所见Python 接口在创建过程中比 Java 接口提供了更多的灵活性。

C++

像 Python 一样C++使用抽象基类来创建接口。在 C++中定义接口时,使用关键字virtual来描述应该在具体类中覆盖的方法:

class  FileParserInterface  { public: virtual  void  loadDataSource(std::string  path,  std::string  file_name); virtual  void  extractText(std::string  full_file_name); };

当您想要实现接口时,您将给出具体的类名,后跟一个冒号(:),然后是接口的名称。下面的示例演示了 C++接口的实现:

class  PdfParser  :  FileParserInterface  { public: void  loadDataSource(std::string  path,  std::string  file_name); void  extractText(std::string  full_file_name); }; class  EmlParser  :  FileParserInterface  { public: void  loadDataSource(std::string  path,  std::string  file_name); void  extractText(std::string  full_file_name); };

Python 接口和 C++接口有一些相似之处,因为它们都利用抽象基类来模拟接口。

转到

虽然 Go 的语法让人想起 Python但是 Go 编程语言包含了一个interface关键字,就像 Java 一样。让我们在 Go 中创建fileParserInterface:

type  fileParserInterface  interface  { loadDataSet(path  string,  filename  string) extractText(full_file_path  string) }

Python 和 Go 的一个很大的区别就是 Go 没有类。更确切地说Go 类似于 C ,因为它使用struct关键字来创建结构。一个结构类似于一个类因为一个结构包含数据和方法。然而与类不同的是所有的数据和方法都是公开访问的。Go 中的具体结构将用于实现fileParserInterface

下面是 Go 如何使用接口的一个例子:

package  main type  fileParserInterface  interface  { loadDataSet(path  string,  filename  string) extractText(full_file_path  string) } type  pdfParser  struct  { // Data goes here ... } type  emlParser  struct  { // Data goes here ... } func  (p  pdfParser)  loadDataSet()  { // Method definition ... } func  (p  pdfParser)  extractText()  { // Method definition ... } func  (e  emlParser)  loadDataSet()  { // Method definition ... } func  (e  emlParser)  extractText()  { // Method definition ... } func  main()  { // Main entrypoint }

与 Python 接口不同Go 接口是使用 structs 和显式关键字interface创建的。

Remove ads

结论

当你创建接口时Python 提供了很大的灵活性。非正式的 Python 接口对于小型项目非常有用,在这些项目中,您不太可能对方法的返回类型感到困惑。随着项目的增长,对正式 Python 接口的需求变得更加重要,因为推断返回类型变得更加困难。这确保了实现接口的具体类覆盖了抽象方法。

现在你可以:

  • 理解接口如何工作以及创建 Python 接口的注意事项
  • 理解像 Python 这样的动态语言中接口的用途
  • 用 Python 实现正式和非正式的接口
  • 将 Python 接口与 Java、C++和 Go 等语言中的接口进行比较

既然您已经熟悉了如何创建 Python 接口,那么在您的下一个项目中添加一个 Python 接口来看看它的实际用途吧!*****