设计模式之美学习笔记09: 基于接口编程
2019-11-22
今天继续打卡学习极客时间上的专栏“设计模式之美”, 本篇是专栏第9节的学习笔记,第9节是专栏中介绍"面向对象"这一设计原则和设计思想的一节。
笔记 #
基于接口编程(Interface-based programing)
是一个设计原则,理解这条原则里的接口
两字,接口
是一组协议
或约定
。
接口这个词在不同场景下有不同的含义,比如后端服务提供给前端服务的"接口"、类库提供的"接口"、而一组自定义的私有通信协议也可以被称作"接口",而具体编程语言中的接口一般指的是这种编程语言中的"接口或抽象类"的语法特性。我们再来看一下维基百科中“基于接口编程”的定义:
基于接口编程也称基于接口的架构,它是一种在没有模块系统的面向对象程序设计语言中的组件层面实现模块化编程的架构模式。
使用这条设计原则,可以将接口和实现分离,封装不稳定的实现,暴露稳定的接口。上游系统面向接口而非实现编程,不依赖于不稳定的实现细节,以此来降低耦合性、提高扩展性和可维护性。可以看出这条设计原则往更高层抽象可以是系统组件中的"接口",而落到具体的代码上就是使用"接口或抽象类"
示例代码重写 #
专栏作者使用Java给出了基于接口编程的例子,这里分别用python和go重写一下:
python版本 #
1class Image:
2 pass
3
4class AliyunImageStore:
5
6 def upload(self, image, bucket_name):
7 print('upload image to aliyun image store')
8
9 def download(self, url):
10 print('download iamge from aliyun image store')
11
12class PrivateImageStore:
13
14 def upload(self, image, bucket_name):
15 print('upload image to private image store')
16
17 def download(self, url):
18 print('download iamge from private image store')
19
20def main():
21 image = Image()
22 # image_store = AliyunImageStore()
23 image_store = PrivateImageStore()
24 image_store.upload(image, 'the-bucket-name')
25
26if __name__ == '__main__':
27 main()
python中没有直接提供接口和抽象类的特性,如果想在python中定义一个接口或抽象类,来通过执行类型检查确保子类实现了某些特定的方法话可以使用python的abc
模块。
这个在前面设计模式之美学习笔记05: 封装、抽象、继承、多态,面向对象的四大特性中学习抽象特性时有一个示例代码。而本篇的例子并没有使用abc
模块,这里不需要静态的类型检查,而是直接使用了python动态语言的特性。
go版本 #
1package main
2
3import (
4 "fmt"
5)
6
7type Image struct {
8}
9
10type ImageStore interface {
11 upload(image *Image, bucketName string) (string, error)
12 download(url string) (*Image, error)
13}
14
15type AliyunImageStore struct {
16}
17
18func (imageStore *AliyunImageStore) upload(image *Image, bucketName string) (string, error) {
19 fmt.Println("upload image to aliyun image store")
20 return "", nil
21}
22
23func (imageStore *AliyunImageStore) download(url string) (*Image, error) {
24 fmt.Println("download iamge from aliyun image store")
25 return &Image{}, nil
26}
27
28type PrivateImageStore struct {
29}
30
31func (imageStore *PrivateImageStore) upload(image *Image, bucketName string) (string, error) {
32 fmt.Println("upload image to private image store")
33 return "", nil
34}
35
36func (imageStore *PrivateImageStore) download(url string) (*Image, error) {
37 fmt.Println("download iamge from private image store")
38 return &Image{}, nil
39}
40
41func main() {
42 var imageStore ImageStore
43 imageStore = &PrivateImageStore{}
44 imageStore.upload(&Image{}, "the-bucket-name")
45}