Mundo sem a "nova" palavra-chave.
E mais simples sintaxe "tipo prosa" com Object.create ().
* Este exemplo é atualizado para as classes ES6.
Primeiro, lembre-se de que o Javascript é uma linguagem prototípica . Não é baseado em classe. Portanto, escrever em forma de protótipo expõe sua verdadeira natureza e pode ser muito simples, parecido com uma prosa e poderoso.
TLDR;
const Person = { name: 'Anonymous' } // person has a name
const jack = Object.create(Person) // jack is a person
jack.name = 'Jack' // and has a name 'Jack'
Não, você não precisa de construtores, nenhuma new
instanciação ( leia por que você não deve usarnew
), não super
, nada engraçado __construct
. Você simplesmente cria objetos e depois os estende ou transforma.
( Se você souber sobre getters e setters, consulte a seção "Leitura adicional" para ver como esse padrão oferece getters e setters gratuitos da maneira que o Javascript originalmente pretendia, e quão poderosos eles são .)
Sintaxe em forma de prosa: protótipo de base
const Person = {
//attributes
firstName : 'Anonymous',
lastName: 'Anonymous',
birthYear : 0,
type : 'human',
//methods
name() { return this.firstName + ' ' + this.lastName },
greet() {
console.log('Hi, my name is ' + this.name() + ' and I am a ' + this.type + '.' )
},
age() {
// age is a function of birth time.
}
}
const person = Object.create(Person). // that's it!
À primeira vista, parece muito legível.
Extensão, criando um descendente de Person
* Os termos corretos são prototypes
e os deles descendants
. Não há classes
e não há necessidade instances
.
const Skywalker = Object.create(Person)
Skywalker.lastName = 'Skywalker'
const anakin = Object.create(Skywalker)
anakin.firstName = 'Anakin'
anakin.birthYear = '442 BBY'
anakin.gender = 'male' // you can attach new properties.
anakin.greet() // 'Hi, my name is Anakin Skywalker and I am a human.'
Person.isPrototypeOf(Skywalker) // outputs true
Person.isPrototypeOf(anakin) // outputs true
Skywalker.isPrototypeOf(anakin) // outputs true
Uma maneira de fornecer uma maneira "padrão" de criar a descendant
é anexando um #create
método:
Skywalker.create = function(firstName, gender, birthYear) {
let skywalker = Object.create(Skywalker)
Object.assign(skywalker, {
firstName,
birthYear,
gender,
lastName: 'Skywalker',
type: 'human'
})
return skywalker
}
const anakin = Skywalker.create('Anakin', 'male', '442 BBY')
As maneiras abaixo têm menor legibilidade:
Compare com o equivalente "clássico":
function Person (firstName, lastName, birthYear, type) {
this.firstName = firstName
this.lastName = lastName
this.birthYear = birthYear
this.type = type
}
// attaching methods
Person.prototype.name = function() { return firstName + ' ' + lastName }
Person.prototype.greet = function() { ... }
Person.prototype.age = function() { ... }
function Skywalker(firstName, birthYear) {
Person.apply(this, [firstName, 'Skywalker', birthYear, 'human'])
}
// confusing re-pointing...
Skywalker.prototype = Person.prototype
Skywalker.prototype.constructor = Skywalker
const anakin = new Skywalker('Anakin', '442 BBY')
Person.isPrototypeOf(anakin) // returns false!
Skywalker.isPrototypeOf(anakin) // returns false!
A legibilidade do código usando o estilo "clássico" não é tão boa.
Classes ES6
É certo que alguns desses problemas são erradicados pelas classes ES6, mas ainda assim:
class Person {
constructor(firstName, lastName, birthYear, type) {
this.firstName = firstName
this.lastName = lastName
this.birthYear = birthYear
this.type = type
}
name() { return this.firstName + ' ' + this.lastName }
greet() { console.log('Hi, my name is ' + this.name() + ' and I am a ' + this.type + '.' ) }
}
class Skywalker extends Person {
constructor(firstName, birthYear) {
super(firstName, 'Skywalker', birthYear, 'human')
}
}
const anakin = new Skywalker('Anakin', '442 BBY')
// prototype chain inheritance checking is partially fixed.
Person.isPrototypeOf(anakin) // returns false!
Skywalker.isPrototypeOf(anakin) // returns true
Ramificação do protótipo de base
// create a `Robot` prototype by extending the `Person` prototype:
const Robot = Object.create(Person)
Robot.type = 'robot'
Robot.variant = '' // add properties for Robot prototype
Anexar métodos exclusivos para Robot
// Robots speak in binaries, so we need a different greet function:
Robot.machineGreet = function() { /*some function to convert strings to binary */ }
// morphing the `Robot` object doesn't affect `Person` prototypes
anakin.greet() // 'Hi, my name is Anakin Skywalker and I am a human.'
anakin.machineGreet() // error
Verificando herança
Person.isPrototypeOf(Robot) // outputs true
Robot.isPrototypeOf(Skywalker) // outputs false
Você já tem tudo o que precisa! Sem construtores, sem instanciação. Prosa limpa e clara.
Leitura adicional
Gravabilidade, configurabilidade e getters e setters gratuitos!
Para getters e setters gratuitos, ou configuração extra, você pode usar o segundo argumento de Object.create (), conhecido como propertiesObject. Também está disponível em # Object.defineProperty e # Object.defineProperties .
Para ilustrar o quão poderoso isso é, suponha que queremos que todos Robot
sejam estritamente feitos de metal (via writable: false
) e padronize powerConsumption
valores (via getters e setters).
const Robot = Object.create(Person, {
// define your property attributes
madeOf: {
value: "metal",
writable: false,
configurable: false,
enumerable: true
},
// getters and setters, how javascript had (naturally) intended.
powerConsumption: {
get() { return this._powerConsumption },
set(value) {
if (value.indexOf('MWh')) return this._powerConsumption = value.replace('M', ',000k')
this._powerConsumption = value
throw new Error('Power consumption format not recognised.')
}
}
})
const newRobot = Object.create(Robot)
newRobot.powerConsumption = '5MWh'
console.log(newRobot.powerConsumption) // outputs 5,000kWh
E todos os protótipos de Robot
não podem ser madeOf
outra coisa porque writable: false
.
const polymerRobot = Object.create(Robot)
polymerRobot.madeOf = 'polymer'
console.log(polymerRobot.madeOf) // outputs 'metal'
Mixins (usando # Object.assign) - Anakin Skywalker
Você pode sentir para onde isso está indo ...?
const darthVader = Object.create(anakin)
// for brevity, property assignments are skipped because you get the point by now.
Object.assign(darthVader, Robot)
Darth Vader obtém os métodos de Robot
:
darthVader.greet() // inherited from `Person`, outputs "Hi, my name is Darth Vader..."
darthVader.machineGreet() // inherited from `Robot`, outputs 001010011010...
Juntamente com outras coisas estranhas:
console.log(darthVader.type) // outputs robot.
Robot.isPrototypeOf(darthVader) // returns false.
Person.isPrototypeOf(darthVader) // returns true.
Bem, se Darth Vader é homem ou máquina é realmente subjetivo:
"Ele é mais máquina agora do que homem, distorcido e mal." - Obi wan Kenobi
"Eu sei que há algo bom em você." - Luke Skywalker
Extra - sintaxe um pouco mais curta com # Object.assign
Com toda a probabilidade, esse padrão reduz sua sintaxe. Porém, o ES6 # Object.assign pode reduzir um pouco mais (para o polyfill usar em navegadores mais antigos, consulte MDN no ES6 ).
//instead of this
const Robot = Object.create(Person)
Robot.name = "Robot"
Robot.madeOf = "metal"
//you can do this
const Robot = Object.create(Person)
Object.assign(Robot, {
name: "Robot",
madeOf: "metal"
// for brevity, you can imagine a long list will save more code.
})