SoFunction
Updated on 2025-04-03

What to do in JavaScript

JavaScript() method

ES5 defines a method called () which creates an object, where the first parameter is the prototype of the object. () provides a second optional parameter to further describe the properties of the object.

// () is a static method// The following shows the usage of different parameters
// A parametervar o = (null) // Equivalent to an empty object, no attributes arevar o = () // equivalent to var o = {}var o = ({x: 1, y: 2}) // equivalent to var o = {}; = {x: 1, y: 2}
// The second parameter is an object, which is used to add attributes and attribute descriptions to the created object// Attributes are divided into data attributes and accessor attributes// The attributes of the descriptor object of the data attribute include value (value), writable (writability), enumerable (enumerable), and configurable (configurability)// The attributes of the descriptor object of the accessor attribute include get (read), set (write), enumerable (enumerability), and configurable (configurability)
// Two parametersvar o = ({x: 1, y: 2}, {
   a: {
   		value: 100,
   		......
   }
}) // Add a data attribute a to create object o with a value of 100. The other description attributes are false by default
var o = ({x: 1, y: 2}, {
   a: {
   		get() {
   			return  + 
   		},
   		......
   	}
}) // Add an accessor attribute a to create object o, and execute its get method. The set attribute defaults to undefined, and the other description attribute defaults to false

JavaScript handwritten functions

Let me share with you the handwritten functions.

Functional Function

() method creates a new object, using the existing object to provide the newly created object's __proto__

Code:

function create(parentPrototype, props) {
  function Fn() {
 
  }
   = parentPrototype;
  let fn = new Fn();
  for (let key in props) {
    (fn, key, {
      enumerable: true, // If you cannot view this object without enumeration      ...props[key]
    })
  }
  return fn
}
 
 
function Parent() {
   = "parent";
}
 
 = function () {
  ("eat");
};
 
function Child() {
   = 9;
  (this);
}
 
 = create(, { constructor: { value: Child } });
 
// { constructor: { value: Child } } This code ensures that the constructor of Child's prototype also points to the constructor of Child 
let child = new Child();
(,'constructor'); // [Function: Child] 'constructor'
() // eat

Summarize

The above is personal experience. I hope you can give you a reference and I hope you can support me more.