结构型:代理模式

2022-10-19 Golang Go 进阶

# 一、代理的定义

代理模式(Proxy Design Pattern)是在不改变原始类(或叫被代理类)代码的情况下,通过引入代理类来给原始类附加功能。

# 二、使用场景

代理模式常用在业务系统中开发一些非功能性需求,比如:监控、统计、鉴权、限流、事务、幂等、日志。我们将这些附加功能与业务功能解耦,放到代理类统一处理,让程序员只需要关注业务方面的开发。除此之外,代理模式还可以用在 RPC、缓存等应用场景中。

# 三、代理的实现

package proxy

import (
	"fmt"
	"log"
	"time"
)

type IUser interface {
	Login(username, password string)
}

type User struct{}

func (u *User) Login(username, password string) {
	fmt.Println("login...")
}

type UserProxy struct {
	user *User
}

func (u *UserProxy) Login(username, password string) {
	// before 一些统计逻辑
	start := time.Now()

	u.user.Login(username, password)

	// after 一些统计逻辑
	log.Printf("user login cost time: %s", time.Now().Sub(start))
}

func NewUserProxy(user *User) *UserProxy {
	return &UserProxy{
		user: user,
	}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37

# 四、参考资料

Last Updated: 2023-01-28 4:31:25