2

我如何做到这一点:

function Vehicle(){
    this.mobility = true;
};
function Car(){};
Car.prototype = new Vehicle();
var myCar = new Car();
console.log(myCar.mobility);

使用用对象字面量创建的对象?

我知道 Object.create() 但有什么办法像

Car.prototype = new Vehicle();

实现这一目标?

4

3 回答 3

4

这是你如何使用它__proto__

var propertiesToInherit = { 'horsepower': 201, 'make': 'Acura' }
var myCar = {};
myCar.__proto__ = propertiesToInherit;

console.log(myCar.horsepower); // 201
console.log(myCar.make); // Acura

话虽如此,我会避免这样做。看起来它已被弃用

于 2012-07-14T02:06:46.793 回答
1

一种可能是Prototype.js;除其他外,它允许您使用更简洁的语法创建和扩展 JS 类:

// properties are directly passed to `create` method
var Person = Class.create({
  initialize: function(name) {
    this.name = name;
  },
  say: function(message) {
    return this.name + ': ' + message;
  }
});

// when subclassing, specify the class you want to inherit from
var Pirate = Class.create(Person, {
  // redefine the speak method
  say: function($super, message) {
    return $super(message) + ', yarr!';
  }
});

var john = new Pirate('Long John');
john.say('ahoy matey');
// -> "Long John: ahoy matey, yarr!"
于 2012-07-14T01:45:15.677 回答
1

我不知道我是否正确理解了你的问题,但也许你可以试试这个:

var literal = { mobility: true };
function Car(){};
Car.prototype = literal;
var myCar = new Car();
console.log(myCar.mobility);

请注意,如果您更改文字,则会更改Car已创建的所有实例。

于 2012-07-14T01:46:55.627 回答