目的

基于已有类的对象上,不修改该类代码,增加额外行为。
代理模式是一种结构型设计模式, 让你能够提供对象的替代品或其占位符。 代理控制着对于原对象的访问, 并允许在将请求提交给对象前后进行一些处理。
代理模式会将所有实际工作委派给一些其他对象。 除非代理是某个服务的子类, 否则每个代理方法最后都应该引用一个服务对象。

类比

信用卡是银行账户的代理,银行账户则是一大捆现金的代理。 它们都实现了同样的接口, 均可用于进行支付。 消费者会非常满意, 因为不必随身携带大量现金; 商店老板同样会十分高兴, 因为交易收入能以电子化的方式进入商店的银行账户中, 无需担心存款时出现现金丢失或被抢劫的情况。

应用场景

延迟初始化 (虚拟代理)。 如果你有一个偶尔使用的重量级服务对象, 一直保持该对象运行会消耗系统资源时, 可使用代理模式。
你无需在程序启动时就创建该对象, 可将对象的初始化延迟到真正有需要的时候。

本地执行远程服务 (远程代理)。 适用于服务对象位于远程服务器上的情形。
在这种情形中, 代理通过网络传递客户端请求, 负责处理所有与网络相关的复杂细节。

记录日志请求 (日志记录代理)。 适用于当你需要保存对于服务对象的请求历史记录时
代理可以在向服务传递请求前进行记录。

缓存请求结果 (缓存代理)。 适用于需要缓存客户请求结果并对缓存生命周期进行管理时, 特别是当返回结果的体积非常大时。
代理可对重复请求所需的相同结果进行缓存, 还可使用请求参数作为索引缓存的键值。

实现方式

  • 如果没有现成的服务接口, 你就需要创建一个接口来实现代理和服务对象的可交换性。 从服务类中抽取接口并非总是可行的, 因为你需要对服务的所有客户端进行修改, 让它们使用接口。 备选计划是将代理作为服务类的子类, 这样代理就能继承服务的所有接口了。
  • 创建代理类, 其中必须包含一个存储指向服务的引用的成员变量。 通常情况下, 代理负责创建服务并对其整个生命周期进行管理。 在一些特殊情况下, 客户端会通过构造函数将服务传递给代理。
  • 根据需求实现代理方法。 在大部分情况下, 代理在完成一些任务后应将工作委派给服务对象。
  • 可以考虑新建一个构建方法来判断客户端可获取的是代理还是实际服务。 你可以在代理类中创建一个简单的静态方法, 也可以创建一个完整的工厂方法。
  • 可以考虑为服务对象实现延迟初始化。

对接口进行一定程度的隐藏,用于封装复杂类。

  1. // 比如Car有很多属性,我们只需要一个简单的版本
  2. class Car {
  3. a: number = 1
  4. b: number = 2
  5. c: number = 3
  6. d: number = 4
  7. name: string = 'name'
  8. test() {
  9. console.log('this is test')
  10. }
  11. }
  12. class CarProxy {
  13. private car: Car
  14. name: string
  15. constructor() {
  16. if(this.car === null) {
  17. this.car = new Car
  18. }
  19. this.name = this.car.name
  20. }
  21. test() {
  22. this.car.test()
  23. }
  24. }
  25. /**
  26. * The Subject interface declares common operations for both RealSubject and the
  27. * Proxy. As long as the client works with RealSubject using this interface,
  28. * you'll be able to pass it a proxy instead of a real subject.
  29. */
  30. interface Subject {
  31. request(): void;
  32. }
  33. /**
  34. * The RealSubject contains some core business logic. Usually, RealSubjects are
  35. * capable of doing some useful work which may also be very slow or sensitive -
  36. * e.g. correcting input data. A Proxy can solve these issues without any
  37. * changes to the RealSubject's code.
  38. */
  39. class RealSubject implements Subject {
  40. public request(): void {
  41. console.log('RealSubject: Handling request.');
  42. }
  43. }
  44. /**
  45. * The Proxy has an interface identical to the RealSubject.
  46. */
  47. class Proxy implements Subject {
  48. private realSubject: RealSubject;
  49. /**
  50. * The Proxy maintains a reference to an object of the RealSubject class. It
  51. * can be either lazy-loaded or passed to the Proxy by the client.
  52. */
  53. constructor(realSubject: RealSubject) {
  54. this.realSubject = realSubject;
  55. }
  56. /**
  57. * The most common applications of the Proxy pattern are lazy loading,
  58. * caching, controlling the access, logging, etc. A Proxy can perform one of
  59. * these things and then, depending on the result, pass the execution to the
  60. * same method in a linked RealSubject object.
  61. */
  62. public request(): void {
  63. if (this.checkAccess()) {
  64. this.realSubject.request();
  65. this.logAccess();
  66. }
  67. }
  68. private checkAccess(): boolean {
  69. // Some real checks should go here.
  70. console.log('Proxy: Checking access prior to firing a real request.');
  71. return true;
  72. }
  73. private logAccess(): void {
  74. console.log('Proxy: Logging the time of request.');
  75. }
  76. }
  77. /**
  78. * The client code is supposed to work with all objects (both subjects and
  79. * proxies) via the Subject interface in order to support both real subjects and
  80. * proxies. In real life, however, clients mostly work with their real subjects
  81. * directly. In this case, to implement the pattern more easily, you can extend
  82. * your proxy from the real subject's class.
  83. */
  84. function clientCode(subject: Subject) {
  85. // ...
  86. subject.request();
  87. // ...
  88. }
  89. console.log('Client: Executing the client code with a real subject:');
  90. const realSubject = new RealSubject();
  91. clientCode(realSubject);
  92. console.log('');
  93. console.log('Client: Executing the same client code with a proxy:');
  94. const proxy = new Proxy(realSubject);
  95. clientCode(proxy);
  96. // Client: Executing the client code with a real subject:
  97. // RealSubject: Handling request.
  98. // Client: Executing the same client code with a proxy:
  99. // Proxy: Checking access prior to firing a real request.
  100. // RealSubject: Handling request.
  101. // Proxy: Logging the time of request.

js 种可以直接使用 proxy 拦截和控制与目标对象的交互.
当我们处理对象,比如获取或者设置对象字段时。
代理对象可以在我们与对象交互时确定行为,例如当我们获取值或设置值时。

一般来说,代理是指代他人。您将与代表您尝试联系的人的代理人交谈,而不是直接与该人交谈。 JavaScript 中也是如此:我们将与 Proxy 对象进行交互,而不是直接与目标对象交互。

代理是添加对对象行为的控制的强大方法。代理可以有各种用例:它可以帮助验证、格式化、通知或调试。
过度使用 Proxy 对象或对每个处理程序方法调用执行繁重的操作很容易对应用程序的性能产生负面影响。最好不要将代理用于性能关键代码。

  1. const person = {
  2. name: "John Doe",
  3. age: 42,
  4. nationality: "American"
  5. };
  6. const personProxy = new Proxy(person, {
  7. get: (obj, prop) => {
  8. console.log(`The value of ${prop} is ${obj[prop]}`);
  9. },
  10. set: (obj, prop, value) => {
  11. console.log(`Changed ${prop} from ${obj[prop]} to ${value}`);
  12. obj[prop] = value;
  13. return true;
  14. }
  15. });
  16. console.log(person.name, 'origin name')
  17. personProxy.age = 43;
  18. console.table(person)
  19. console.table(personProxy)
  20. // 加上一些校验逻辑
  21. const personProxy = new Proxy(person, {
  22. get: (obj, prop) => {
  23. // 不存在的属性
  24. if (!obj[prop]) {
  25. console.log(`Hmm.. this property doesn't seem to exist`);
  26. } else {
  27. console.log(`The value of ${prop} is ${obj[prop]}`);
  28. }
  29. },
  30. set: (obj, prop, value) => {
  31. // age 值是字符串,且 < 10 才能进行修改
  32. if (prop === "age" && typeof value !== "number") {
  33. console.log(`Sorry, you can only pass numeric values for age.`);
  34. } else if (prop === "name" && value.length < 2) {
  35. console.log(`You need to provide a valid name.`);
  36. } else {
  37. console.log(`Changed ${prop} from ${obj[prop]} to ${value}.`);
  38. obj[prop] = value;
  39. }
  40. return true;
  41. }
  42. });
  43. const person = {
  44. name: "John Doe",
  45. age: 42,
  46. nationality: "American"
  47. };
  48. // Reflect
  49. const personProxy = new Proxy(person, {
  50. get: (obj, prop) => {
  51. console.log(`The value of ${prop} is ${Reflect.get(obj, prop)}`);
  52. },
  53. set: (obj, prop, value) => {
  54. console.log(`Changed ${prop} from ${obj[prop]} to ${value}`);
  55. return Reflect.set(obj, prop, value);
  56. }
  57. });
  58. personProxy.name;
  59. personProxy.age = 43;
  60. personProxy.name = "Jane Doe";

JavaScript 提供了一个名为 Reflect 的内置对象,它使我们在使用代理时更容易操作目标对象。
我们可以通过 Reflect.get()Reflect.set() 访问或修改目标对象上的属性,而不是通过 obj[prop] 访问属性或通过 obj[prop] = value 设置属性。这些方法接收与处理程序对象上的方法相同的参数。
image.png
点击查看【codepen】

优点

  • 你可以在客户端毫无察觉的情况下控制服务对象。
  • 如果客户端对服务对象的生命周期没有特殊要求, 你可以对生命周期进行管理。
  • 即使服务对象还未准备好或不存在, 代理也可以正常工作。
  • 开闭原则。 你可以在不对服务或客户端做出修改的情况下创建新代理。

缺点

  • 代码可能会变得复杂, 因为需要新建许多类。
  • 服务响应可能会延迟。

代理是一种结构型设计模式, 让你能提供真实服务对象的替代品给客户端使用。 代理接收客户端的请求并进行一些处理 (访问控制和缓存等), 然后再将请求传递给服务对象。
代理对象拥有和服务对象相同的接口, 这使得当其被传递给客户端时可与真实对象互换。

访问控制 (保护代理)。 如果你只希望特定客户端使用服务对象, 这里的对象可以是操作系统中非常重要的部分, 而客户端则是各种已启动的程序 (包括恶意程序), 此时可使用代理模式。
代理可仅在客户端凭据满足要求时将请求传递给服务对象。