[toc]
优点
缺点
function createPerson(name, age, job){
var obj = new Object()
obj.name = name
obj.age = age
obj.job = job
obj.sayName = function(){
console.log(this.name)
}
return obj
}
const p1 = createPerson('tom', 3, 'Software Engineer')
const p2 = createPerson('jack', 4, 'Doctor')
function sayName(){
console.log(this.name)
}
function Person(name, age, job){
this.name = name
this.age = age
this.job = job
// this.sayName = function(){
// console.log(this.name)
// }
this.sayName = sayName
}
const p1 = new Person('tom', 3, 'Software Engineer')
const p2 = new Person('jack', 4, 'Doctor')
创建的每个函数都有一个 prototype (原型) 属性,这个属性是一个指针,指向一个对象,而这个对象的用途是包含可以用特定类型的所有实例共享的属性和方法
function Person(){}
Person.prototype = {
constructor: Person,
name: 'tom',
age: 3,
job: 'Software Engineer',
friends: ['jack', 'hri'],
sayName: function(){
console.log(this.name)
}
}
const p1 = new Person()
const p2 = new Person()
p1.friends.push('van')
console.log(p1.friends) // 'jack', 'hri', 'van'
console.log(p2.friends) // 'jack', 'hri', 'van'
Person.prototype.constructor == Person // true
Person.prototype.isPrototypeOf(p1) // true
Object.getPrototypeOf(p1) == Person.prototype // true
function Person(){
this.friends = ['tom', 'jack']
}
Person.prototype = {
constructor: Person,
sayName: function(){
console.log(this.name)
}
}
const p1 = new Person()
const p2 = new Person()
p1.friends.push('van')
console.log(p1.friends) // ['tom', 'jack', 'van']
console.log(p1.friends) // ['tom', 'jack']
function Person(){
this.friends = ['tom', 'jack']
if(typeof this.sayName !== 'function') {
Person.prototype.sayName = function(){
console.log(this.name)
}
}
}
基本思想:创建一个函数,该函数的作用仅仅是封装创建对象的代码, 然后再返回新创建的对象
function Person(name){
var obj = new Object()
obj.name = name
obj.sayName = function(){
console.log(this.name)
}
return obj
}
所谓稳妥对象,指的是没有公共属性,而且其方法也不引用 this 的对象
function Person(){
var obj = new Object()
// 可以再这里定义私有变量和函数
// 添加方法
obj.sayName = function(){
console.log(this.name)
}
return obj
}
function Person(){
this.name = 'hello'
this.skin = ['white', 'yellow', 'black']
return {
name: 'world',
}
}
Person.prototype.name = 'helle world'
const p1 = new Person()
console.log(p1.name) // world
console.log(p1.skin) // undefined
function Parent(){
this.skin = ['white', 'yellow', 'black']
}
function Child(){}
Child.prototype = new Parent()
const m1 = new Child()
const m2 = new Child()
m1.name = 'man1'
m1.skin.push('red')
console.log(m1.name) // man1
console.log(m1.skin) // [ 'white', 'yellow', 'black', 'red' ]
console.log(m2.name) // undefined
console.log(m2.skin) // [ 'white', 'yellow', 'black', 'red' ]