이전 블로그에서 객체 생성 메커니즘을 다루는 다양한 창의적 디자인 패턴을 살펴봤습니다. 이제 객체와 클래스를 구성하여 유연성과 효율성을 유지하면서 더 큰 구조를 형성하는 방법에 초점을 맞춘 구조적 디자인 패턴을 살펴보겠습니다. 프록시 디자인 패턴부터 시작해 보겠습니다.
프록시 디자인 패턴은 다른 객체를 나타내는 객체를 제공하는 구조적 디자인 패턴입니다. 원본 객체의 코드를 변경하지 않고 지연 초기화, 로깅, 액세스 제어 또는 캐싱과 같은 추가 동작을 추가하여 실제 객체에 대한 액세스를 제어하는 중개자 역할을 합니다.
자바스크립트에서 프록시는 프록시 객체가 제공하는 내장 기능으로, 이를 통해 속성 액세스, 할당, 함수 호출 등과 같은 기본 작업에 대한 사용자 정의 동작을 정의할 수 있습니다.
프록시 패턴은 다음과 같은 경우에 특히 유용합니다.
손님에게 보여주고 싶은 큰 그림이 있는데 창고에서 꺼내는 데 시간이 많이 걸린다고 상상해 보세요. (무거워서 옮기는 데 시간이 걸리기 때문입니다.) 매번 기다리는 대신 그림의 작은 엽서 이미지를 사용하여 실제 그림을 가져오기를 기다리는 동안 신속하게 보여 주기로 결정했습니다.
이 비유에서:
부동산 중개인을 대리인으로 생각해 보세요. 집을 사고 싶을 때 즉시 모든 집을 방문하지 않습니다(실물 로딩). 대신 부동산 중개업자(대리인)가 먼저 사진과 설명을 보여줍니다. 구매할 준비가 되었을 때만(즉, display()를 호출할 때) 에이전트가 집 방문을 주선합니다(실제 물건 로드).
사용자가 요청할 때까지 이미지 로드를 지연하려는(지연 로드) 웹 애플리케이션의 이미지 로드 예를 사용해 보겠습니다. 프록시는 실제 이미지가 로드될 때까지 자리 표시자 역할을 할 수 있습니다.
JavaScript에서 프록시 디자인 패턴을 구현하는 방법은 다음과 같습니다.
// Step 1: The real object class RealImage { constructor(filename) { this.filename = filename; this.loadImageFromDisk(); } loadImageFromDisk() { console.log(`Loading ${this.filename} from disk...`); } display() { console.log(`Displaying ${this.filename}`); } } // Step 2: The proxy object class ProxyImage { constructor(filename) { this.realImage = null; // no real image yet this.filename = filename; } display() { if (this.realImage === null) { // load the real image only when needed this.realImage = new RealImage(this.filename); } this.realImage.display(); // display the real image } } // Step 3: Using the proxy to display the image const image = new ProxyImage("photo.jpg"); image.display(); // Loads and displays the image image.display(); // Just displays the image (already loaded)
설명:
1). 실제 이미지:
2). 프록시 이미지:
3). 용법:
ES6 프록시는 대상 및 핸들러를 인수로 받아들이는 프록시 생성자로 구성됩니다.
const proxy = new Proxy(target, handler)
여기서 target은 프록시가 적용되는 개체를 나타내고, handler는 프록시의 동작을 정의하는 특수 개체를 나타냅니다.
핸들러 개체에는 프록시 인스턴스에서 해당 작업이 수행될 때 자동으로 호출되는 트랩 메서드(예: Apply, get, set 및 has)라는 이름이 미리 정의된 일련의 선택적 메서드가 포함되어 있습니다.
내장된 프록시를 사용하여 계산기를 구현하여 이해해 보겠습니다.
// Step 1: Define the Calculator class with prototype methods class Calculator { constructor() { this.result = 0; } // Prototype method to add numbers add(a, b) { this.result = a b; return this.result; } // Prototype method to subtract numbers subtract(a, b) { this.result = a - b; return this.result; } // Prototype method to multiply numbers multiply(a, b) { this.result = a * b; return this.result; } // Prototype method to divide numbers divide(a, b) { if (b === 0) throw new Error("Division by zero is not allowed."); this.result = a / b; return this.result; } } // Step 2: Create a proxy handler to intercept operations const handler = { // Intercept 'get' operations to ensure access to prototype methods get(target, prop, receiver) { if (prop in target) { console.log(`Accessing property: ${prop}`); return Reflect.get(target, prop, receiver); // Access property safely } else { throw new Error(`Property "${prop}" does not exist.`); } }, // Intercept 'set' operations to prevent mutation set(target, prop, value) { throw new Error(`Cannot modify property "${prop}". The calculator is immutable.`); } }; // Step 3: Create a proxy instance that inherits the Calculator prototype const calculator = new Calculator(); // Original calculator object const proxiedCalculator = new Proxy(calculator, handler); // Proxy wrapping the calculator // Step 4: Use the proxy instance try { console.log(proxiedCalculator.add(5, 3)); // Output: 8 console.log(proxiedCalculator.multiply(4, 2)); // Output: 8 console.log(proxiedCalculator.divide(10, 2)); // Output: 5 // Attempt to access prototype directly through proxy console.log(proxiedCalculator.__proto__ === Calculator.prototype); // Output: true // Attempt to modify a property (should throw an error) proxiedCalculator.result = 100; // Error: Cannot modify property "result". } catch (error) { console.error(error.message); // Output: Cannot modify property "result". The calculator is immutable. }
이 방법으로 프록시를 사용하는 가장 좋은 부분은 다음과 같습니다.
- 프록시 객체는 원래 Calculator 클래스의 프로토타입을 상속합니다.
- 프록시의 설정된 트랩을 통해 돌연변이를 방지합니다.
코드 설명
1). 프로토타입 상속:
2). getOperations 처리:
3). 변이 방지:
설정 트랩은 대상 객체의 속성을 수정하려고 할 때마다 오류를 발생시킵니다. 이는 불변성을 보장합니다.
4). 프록시를 통해 프로토타입 방법 사용:
프록시를 사용하면 원본 개체의 프로토타입에 정의된 더하기, 빼기, 곱하기, 나누기와 같은 메서드에 액세스할 수 있습니다.
여기서 관찰해야 할 핵심 사항은 다음과 같습니다.
여기까지 오셨다면 좋아요를 누르시고 질문이나 생각이 있으시면 아래에 댓글을 남겨주세요. 귀하의 피드백은 저에게 큰 의미가 있으며 귀하의 의견을 듣고 싶습니다!
부인 성명: 제공된 모든 리소스는 부분적으로 인터넷에서 가져온 것입니다. 귀하의 저작권이나 기타 권리 및 이익이 침해된 경우 자세한 이유를 설명하고 저작권 또는 권리 및 이익에 대한 증거를 제공한 후 이메일([email protected])로 보내주십시오. 최대한 빨리 처리해 드리겠습니다.
Copyright© 2022 湘ICP备2022001581号-3