1. What is reflection? The concept of reflection exists in many programming languages, such as In object-oriented programming, classes and methods are usually defined first, and then objects are created to explicitly call methods, such as the following example: public class User{ private String name; private Date birthday; //.... public int calculateAgeByBirthday(){ // ..... } } // Call User u = new User("jack", new Date()); u.calculateAgeByBirthday(); We are familiar with the above calling method. However, when you want to write some abstract frameworks (the frameworks need to interoperate with business-defined classes), since you do not know the members and methods of the business classes, reflection is used to dynamically obtain member variables or call methods. In the following example, we use reflection to convert json into a Java object. public static class User { private String name; public String getName() { return name; } public void setName(String name) { this.name = name; } } // Use reflection to call the object setter method. public static <T> T fill(Class<T> userClass, Map<String, Object> json) throws Exception { Field[] fields = userClass.getDeclaredFields(); T user = userClass.newInstance(); for (Field field : fields) { // Capitalize the first letter String name = field.getName(); char[] arr = name.toCharArray(); arr[0] = Character.toUpperCase(arr[0]); System.out.println(new String(arr)); Method method = userClass.getDeclaredMethod("set" + new String(arr), field.getType()); Object returnValue = method.invoke(user, json.get(name)); } return user; } 2. Reflect in JavaScript
2.1 Reflect.get(target, name, receiver) The const obj = { name: 'jack', age: 12, get userInfo() { return this.name + 'age is ' + this.age; } } Reflect.get(obj, 'name') // jack Reflect.get(obj, 'age') // 12 Reflect.get(obj, 'userInfo') // jack age is 12 // If the receiver parameter is passed, when the userInfo() function is called, this refers to the receiver object. const receiverObj = { name: 'Xiaoming', age: 22 }; Reflect.get(obj, 'userInfo', receiverObj) // Xiaoming's age is 22 2.2 Reflect.set(target, name, value, receiver) const obj = { name: 'jack', age: 12, set updateAge(value) { return this.age = value; }, } Reflect.set(obj, 'age', 22); obj.age // 22 // If the receiver parameter is passed, when the updateAge() function is called, this refers to the receiver object. const receiverObj = { age: 0 }; Reflect.set(obj, 'updateAge', 10, receiverObj) // obj.age // 22 receiverObj.age // 10 2.3 Reflect.has(obj, name) const obj = { name: 'jack', } obj in name // true Reflect.has(obj, 'name') // true 2.4 Reflect.deleteProperty(obj, name) const obj = { name: 'jack', } delete obj.name Reflect.deleteProperty(obj, 'name') 2.5 Reflect.construct(target, args) The function User(name){ this.name = name; } const user = new User('jack'); Reflect.construct(User, ['jack']); Reflect.getPrototypeOf(obj) The Reflect.getPrototypeOf method is used to read the __proto__ property of an object. 2.6 Reflect.setPrototypeOf(obj, newProto) const obj = { name: 'jack', } Reflect.setPrototypeOf(obj, Array.prototype); obj.length // 0 2.7 Reflect.apply(func, thisArg, args) The const nums = [1,2,3,4,5]; const min = Math.max.apply(Math, nums); // Called via Reflect.apply const min = Reflect.apply(Math.min, Math, nums); 2.8 Reflect.defineProperty(target, propertyKey, attributes) const obj = {}; Object.defineProperty(obj, 'property', { value: 0, writable: false }); Reflect.defineProperty(obj, 'property', { value: 0, writable: false }); 2.9 Reflect.getOwnPropertyDescriptor(target, propertyKey)
2.10 Reflect.isExtensible (target)
2.11 Reflect.preventExtensions(target)
2.13 Reflect.ownKeys (target) const obj = { name: 'jack', age: 12, get userInfo() { return this.name + 'age is ' + this.age; } } Object.getOwnPropertyNames(obj) Reflect.ownKeys(obj) // ['name', 'age', 'userInfo'] 3. Proxy in JavaScriptProxies are very useful in programming. They can add a layer of "interception" before the target object to implement some common logic.
const user = {name: 'hello'} const proxy = new Proxy(user, { get: function(target, property) { // Triggered when reading the property return 'hi'; } }); proxy.name // 'hi' 3.1 Interception operations supported in Proxy
3.2 get() It is used to intercept the read operation of a certain attribute. It can accept three parameters, namely the target object, the attribute name and const user = { name: 'jack' } // Return a value only if the attribute exists, otherwise throw an exception. const proxy = new Proxy(user, { get: function(target, property) { if (!(property in target)) { throw new ReferenceError(`${property} does not exist.`); } return target[property]; } }); proxy.name // jack proxy.age // ReferenceError: age does not exist. We can define some common proxy objects and then let child objects inherit them. // Return a value only if the attribute exists, otherwise throw an exception. const proxy = new Proxy({}, { get: function(target, property) { if (!(property in target)) { throw new ReferenceError(`${property} does not exist.`); } return target[property]; } }); let obj = Object.create(proxy); obj.name = 'hello' obj.name // hello obj.age // ReferenceError: age does not exist. 3.3 set() It is used to intercept the assignment operation of a certain attribute. It can accept four parameters, namely the target object, attribute name, attribute value and // Character type attribute length check let sizeValidator = { set: function(target, property, value, receiver) { if (typeof value == 'string' && value.length > 5) { throw new RangeError('Cannot exceed 5 characters.'); } target[property] = value; return true; } }; const validator = new Proxy({}, sizeValidator); let obj = Object.create(validator); obj.name = '123456' // RangeError: Cannot exceed 5 characters. obj.age = 12 // 12 3.4 has() Used to intercept the It accepts two parameters, the target object and the attribute name to be queried. const handler = { has (target, key) { if (key[0] === '_') { return false; } return key in target; } }; var target = { _prop: 'foo', prop: 'foo' }; var proxy = new Proxy(target, handler); '_prop' in proxy // false 3.5 defineProperty()
3.6 deleteProperty()
3.7 getOwnPropertyDescriptor()
3.8 getPrototypeOf()It is mainly used to intercept and obtain the object prototype. The interception operation is as follows:
const obj = {}; const proto = {}; const handler = { getPrototypeOf(target) { console.log(target === obj); // true console.log(this === handler); // true return proto; } }; const p = new Proxy(obj, handler); console.log(Object.getPrototypeOf(p) === proto); // true 3.9 setPrototypeOf() Mainly used to intercept const handlerReturnsFalse = { setPrototypeOf(target, newProto) { return false; } }; const newProto = {}, target = {}; const p1 = new Proxy(target, handlerReturnsFalse); Object.setPrototypeOf(p1, newProto); // throws a TypeError Reflect.setPrototypeOf(p1, newProto); // returns false 3.10 isExtensible()Method intercepts the Object.isExtensible() operation. const p = new Proxy({}, { isExtensible: function(target) { console.log('called'); return true; //You can also return 1; etc. to represent the value of true} }); console.log(Object.isExtensible(p)); // "called" // true 3.11 ownKeys()Used to intercept the read operation of the object's own attributes. Specifically, the following operations are intercepted.
const p = new Proxy({}, { ownKeys: function(target) { console.log('called'); return ['a', 'b', 'c']; } }); console.log(Object.getOwnPropertyNames(p)); // "called" 3.12 preventExtensions() Used to intercept This method has a limitation: const p = new Proxy({}, { preventExtensions: function(target) { console.log('called'); Object.preventExtensions(target); return true; } }); console.log(Object.preventExtensions(p)); // "called" // false 3.13 apply()The apply method intercepts the following operations.
It accepts three parameters: the target object, the context object of the target object (this), and the parameter array of the target object. const handler = { apply (target, ctx, args) { return Reflect.apply(...arguments); } }; example: const target = function () { }; const handler = { apply: function (target, thisArg, argumentsList) { console.log('called: ' + argumentsList.join(', ')); return argumentsList[0] + argumentsList[1] + argumentsList[2]; } }; const p = new Proxy(target, handler); p(1,2,3) // "called: 1, 2, 3" 6 3.14 construct() Used to intercept const handler = { construct (target, args, newTarget) { return new target(...args); } }; This method accepts three parameters.
Note: The method must return an object and the target object must be a function, otherwise an error will be reported. const p = new Proxy(function() {}, { construct: function(target, argumentsList) { return 0; } }); new p() // The return value is not an object, error is reported const p = new Proxy({}, { construct: function(target, argumentsList) { return {}; } }); new p() //The target object is not a function, error 4. Observer PatternObserver is a very common pattern, which is defined as when the state of an object changes, all objects that depend on it are notified and automatically updated. We use Observer function, wraps the observation target and adds the observation function.
const queuedObservers = new Set(); const observe = fn => queuedObservers.add(fn); const observable = obj => new Proxy(obj, {set}); // Automatically execute the observation function when the property changes. function set(target, key, value, receiver) { const result = Reflect.set(target, key, value, receiver); queuedObservers.forEach(observer => observer()); return result; } example: const user = observable({ name: 'jack', age: 20 }); function userInfo() { console.log(`${user.name}, ${user.age}`) } observe(userInfo); user.name = 'Xiaoming'; // Xiaoming, 20 This concludes this article about reflection and proxy in front-end You may also be interested in:
|
<<: How to separate static and dynamic state by combining Apache with Tomcat
>>: MySQL primary key naming strategy related
Six steps of JDBC: 1. Register the driver 2. Get ...
Table of contents 4 isolation levels of MySQL Cre...
Table of contents JS reads file FileReader docume...
This article introduces the content related to gi...
1. Get is used to obtain data from the server, wh...
It's easy to send messages to other users in ...
Original link: https://vien.tech/article/138 Pref...
This article shares the specific code of JavaScri...
Preface Let me share with you how I deployed a Sp...
This article uses examples to illustrate the prin...
This article example shares the specific code of ...
Record lock locks a single index record. Record l...
When a running container is terminated, how can w...
1. Open port 2375 Edit docker.service vim /lib/sy...
When programmers do TypeScript/JavaScript develop...