Benefits of prototypal inheritance over classical?

80,905

Solution 1

I know that this answer is 3 years late but I really think the current answers do not provide enough information about how prototypal inheritance is better than classical inheritance.

First let's see the most common arguments JavaScript programmers state in defence of prototypal inheritance (I'm taking these arguments from the current pool of answers):

  1. It's simple.
  2. It's powerful.
  3. It leads to smaller, less redundant code.
  4. It's dynamic and hence it's better for dynamic languages.

Now these arguments are all valid, but nobody has bothered explaining why. It's like telling a child that studying Maths is important. Sure it is, but the child certainly doesn't care; and you can't make a child like Maths by saying that it's important.

I think the problem with prototypal inheritance is that it's explained from the perspective of JavaScript. I love JavaScript, but prototypal inheritance in JavaScript is wrong. Unlike classical inheritance there are two patterns of prototypal inheritance:

  1. The prototypal pattern of prototypal inheritance.
  2. The constructor pattern of prototypal inheritance.

Unfortunately JavaScript uses the constructor pattern of prototypal inheritance. This is because when JavaScript was created, Brendan Eich (the creator of JS) wanted it to look like Java (which has classical inheritance):

And we were pushing it as a little brother to Java, as a complementary language like Visual Basic was to C++ in Microsoft’s language families at the time.

This is bad because when people use constructors in JavaScript they think of constructors inheriting from other constructors. This is wrong. In prototypal inheritance objects inherit from other objects. Constructors never come into the picture. This is what confuses most people.

People from languages like Java, which has classical inheritance, get even more confused because although constructors look like classes they don't behave like classes. As Douglas Crockford stated:

This indirection was intended to make the language seem more familiar to classically trained programmers, but failed to do that, as we can see from the very low opinion Java programmers have of JavaScript. JavaScript’s constructor pattern did not appeal to the classical crowd. It also obscured JavaScript’s true prototypal nature. As a result, there are very few programmers who know how to use the language effectively.

There you have it. Straight from the horse's mouth.

True Prototypal Inheritance

Prototypal inheritance is all about objects. Objects inherit properties from other objects. That's all there is to it. There are two ways of creating objects using prototypal inheritance:

  1. Create a brand new object.
  2. Clone an existing object and extend it.

Note: JavaScript offers two ways to clone an object - delegation and concatenation. Henceforth I'll use the word "clone" to exclusively refer to inheritance via delegation, and the word "copy" to exclusively refer to inheritance via concatenation.

Enough talk. Let's see some examples. Say I have a circle of radius 5:

var circle = {
    radius: 5
};

We can calculate the area and the circumference of the circle from its radius:

circle.area = function () {
    var radius = this.radius;
    return Math.PI * radius * radius;
};

circle.circumference = function () {
    return 2 * Math.PI * this.radius;
};

Now I want to create another circle of radius 10. One way to do this would be:

var circle2 = {
    radius: 10,
    area: circle.area,
    circumference: circle.circumference
};

However JavaScript provides a better way - delegation. The Object.create function is used to do this:

var circle2 = Object.create(circle);
circle2.radius = 10;

That's all. You just did prototypal inheritance in JavaScript. Wasn't that simple? You take an object, clone it, change whatever you need to, and hey presto - you got yourself a brand new object.

Now you might ask, "How is this simple? Every time I want to create a new circle I need to clone circle and manually assign it a radius". Well the solution is to use a function to do the heavy lifting for you:

function createCircle(radius) {
    var newCircle = Object.create(circle);
    newCircle.radius = radius;
    return newCircle;
}

var circle2 = createCircle(10);

In fact you can combine all of this into a single object literal as follows:

var circle = {
    radius: 5,
    create: function (radius) {
        var circle = Object.create(this);
        circle.radius = radius;
        return circle;
    },
    area: function () {
        var radius = this.radius;
        return Math.PI * radius * radius;
    },
    circumference: function () {
        return 2 * Math.PI * this.radius;
    }
};

var circle2 = circle.create(10);

Prototypal Inheritance in JavaScript

If you notice in the above program the create function creates a clone of circle, assigns a new radius to it and then returns it. This is exactly what a constructor does in JavaScript:

function Circle(radius) {
    this.radius = radius;
}

Circle.prototype.area = function () {
    var radius = this.radius;
    return Math.PI * radius * radius;
};

Circle.prototype.circumference = function () {         
    return 2 * Math.PI * this.radius;
};

var circle = new Circle(5);
var circle2 = new Circle(10);

The constructor pattern in JavaScript is the prototypal pattern inverted. Instead of creating an object you create a constructor. The new keyword binds the this pointer inside the constructor to a clone of the prototype of the constructor.

Sounds confusing? It's because the constructor pattern in JavaScript unnecessarily complicates things. This is what most programmers find difficult to understand.

Instead of thinking of objects inheriting from other objects they think of constructors inheriting from other constructors and then become utterly confused.

There's a whole bunch of other reasons why the constructor pattern in JavaScript should be avoided. You can read about them in my blog post here: Constructors vs Prototypes


So what are the benefits of prototypal inheritance over classical inheritance? Let's go through the most common arguments again, and explain why.

1. Prototypal Inheritance is Simple

CMS states in his answer:

In my opinion the major benefit of prototypal inheritance is its simplicity.

Let's consider what we just did. We created an object circle which had a radius of 5. Then we cloned it and gave the clone a radius of 10.

Hence we only need two things to make prototypal inheritance work:

  1. A way to create a new object (e.g. object literals).
  2. A way to extend an existing object (e.g. Object.create).

In contrast classical inheritance is much more complicated. In classical inheritance you have:

  1. Classes.
  2. Object.
  3. Interfaces.
  4. Abstract Classes.
  5. Final Classes.
  6. Virtual Base Classes.
  7. Constructors.
  8. Destructors.

You get the idea. The point is that prototypal inheritance is easier to understand, easier to implement, and easier to reason about.

As Steve Yegge puts it in his classical blog post "Portrait of a N00b":

Metadata is any kind of description or model of something else. The comments in your code are just a a natural-language description of the computation. What makes metadata meta-data is that it's not strictly necessary. If I have a dog with some pedigree paperwork, and I lose the paperwork, I still have a perfectly valid dog.

In the same sense classes are just meta-data. Classes aren't strictly required for inheritance. However some people (usually n00bs) find classes more comfortable to work with. It gives them a false sense of security.

Well, we also know that static types are just metadata. They're a specialized kind of comment targeted at two kinds of readers: programmers and compilers. Static types tell a story about the computation, presumably to help both reader groups understand the intent of the program. But the static types can be thrown away at runtime, because in the end they're just stylized comments. They're like pedigree paperwork: it might make a certain insecure personality type happier about their dog, but the dog certainly doesn't care.

As I stated earlier, classes give people a false sense of security. For example you get too many NullPointerExceptions in Java even when your code is perfectly legible. I find classical inheritance usually gets in the way of programming, but maybe that's just Java. Python has an amazing classical inheritance system.

2. Prototypal Inheritance is Powerful

Most programmers who come from a classical background argue that classical inheritance is more powerful than prototypal inheritance because it has:

  1. Private variables.
  2. Multiple inheritance.

This claim is false. We already know that JavaScript supports private variables via closures, but what about multiple inheritance? Objects in JavaScript only have one prototype.

The truth is that prototypal inheritance supports inheriting from multiple prototypes. Prototypal inheritance simply means one object inheriting from another object. There are actually two ways to implement prototypal inheritance:

  1. Delegation or Differential Inheritance
  2. Cloning or Concatenative Inheritance

Yes JavaScript only allows objects to delegate to one other object. However it allows you to copy the properties of an arbitrary number of objects. For example _.extend does just this.

Of course many programmers don't consider this to be true inheritance because instanceof and isPrototypeOf say otherwise. However this can be easily remedied by storing an array of prototypes on every object which inherits from a prototype via concatenation:

function copyOf(object, prototype) {
    var prototypes = object.prototypes;
    var prototypeOf = Object.isPrototypeOf;
    return prototypes.indexOf(prototype) >= 0 ||
        prototypes.some(prototypeOf, prototype);
}

Hence prototypal inheritance is just as powerful as classical inheritance. In fact it's much more powerful than classical inheritance because in prototypal inheritance you can hand pick which properties to copy and which properties to omit from different prototypes.

In classical inheritance it's impossible (or at least very difficult) to choose which properties you want to inherit. They use virtual base classes and interfaces to solve the diamond problem.

In JavaScript however you'll most likely never hear of the diamond problem because you can control exactly which properties you wish to inherit and from which prototypes.

3. Prototypal Inheritance is Less Redundant

This point is a little more difficult to explain because classical inheritance doesn't necessarily lead to more redundant code. In fact inheritance, whether classical or prototypal, is used to reduce the redundancy in code.

One argument could be that most programming languages with classical inheritance are statically typed and require the user to explicitly declare types (unlike Haskell which has implicit static typing). Hence this leads to more verbose code.

Java is notorious for this behavior. I distinctly remember Bob Nystrom mentioning the following anecdote in his blog post about Pratt Parsers:

You gotta love Java's "please sign it in quadruplicate" level of bureaucracy here.

Again, I think that's only because Java sucks so much.

One valid argument is that not all languages which have classical inheritance support multiple inheritance. Again Java comes to mind. Yes Java has interfaces, but that's not sufficient. Sometimes you really need multiple inheritance.

Since prototypal inheritance allows for multiple inheritance, code which requires multiple inheritance is less redundant if written using prototypal inheritance rather than in a language which has classical inheritance but no multiple inheritance.

4. Prototypal Inheritance is Dynamic

One of the most important advantages of prototypal inheritance is that you can add new properties to prototypes after they are created. This allows you to add new methods to a prototype which will be automatically made available to all the objects which delegate to that prototype.

This is not possible in classical inheritance because once a class is created you can't modify it at runtime. This is probably the single biggest advantage of prototypal inheritance over classical inheritance, and it should have been at the top. However I like saving the best for the end.

Conclusion

Prototypal inheritance matters. It's important to educate JavaScript programmers on why to abandon the constructor pattern of prototypal inheritance in favor of the prototypal pattern of prototypal inheritance.

We need to start teaching JavaScript correctly and that means showing new programmers how to write code using the prototypal pattern instead of the constructor pattern.

Not only will it be it easier to explain prototypal inheritance using the prototypal pattern, but it will also make better programmers.

If you liked this answer then you should also read my blog post on "Why Prototypal Inheritance Matters". Trust me, you will not be disappointed.

Solution 2

Allow me to actually answer the question inline.

Prototype inheritance has the following virtues:

  1. It is better suited to dynamic languages because the inheritance is as dynamic as the environment it is in. (The applicability to JavaScript should be obvious here.) This permits you to do things quickly on the fly like customizing classes without huge amounts of infrastructure code.
  2. It is easier to implement a prototyping object scheme than the classic class/object dichotomy schemes.
  3. It eliminates the need for the complex sharp edges around the object model like "metaclasses" (I never metaclass I liked... sorry!) or "eigenvalues" or the like.

It has the following disadvantages however:

  1. Type checking a prototype language isn't impossible, but it's very, very difficult. Most "type checking" of prototypical languages is pure run-time "duck typing"-style checks. This is not suitable to all environments.
  2. It is similarly difficult to do things like optimizing method dispatch by static (or, often, even dynamic!) analysis. It can (I stress: can) be very inefficient very easily.
  3. Similarly object creation can be (and usually is) much slower in a prototyping language than it can be in a more conventional class/object dichotomy scheme.

I think you can read between the lines above and come up with the corresponding advantages and disadvantages of traditional class/object schemes. There are, of course, more in each area so I'll leave the rest up to other people answering.

Solution 3

IMO the major benefit of prototypal inheritance is its simplicity.

The prototypal nature of the language can confuse people who are classically trained, but it turns out that actually this is a really simple and powerful concept, differential inheritance.

You don't need to make classification, your code is smaller, less redundant, objects inherit from other, more general objects.

If you think prototypically you will soon notice that you don't need classes...

Prototypal inheritance will be much more popular in the near future, the ECMAScript 5th Edition specification introduced the Object.create method, which allows you to produce a new object instance that inherits from another one in a really simple way:

var obj = Object.create(baseInstance);

This new version of the standard is being implemented by all browser vendors, and I think we will start to see more pure prototypal inheritance...

Solution 4

There is really not a lot to choose between the two methods. The basic idea to grasp is that when the JavaScript engine is given a property of an object to read, it first checks the instance and if that property is missing, it checks up the prototype chain. Here is an example that shows the difference between prototypal and classical:

Prototypal

var single = { status: "Single" },
    princeWilliam = Object.create(single),
    cliffRichard = Object.create(single);

console.log(Object.keys(princeWilliam).length); // 0
console.log(Object.keys(cliffRichard).length); // 0

// Marriage event occurs
princeWilliam.status = "Married";

console.log(Object.keys(princeWilliam).length); // 1 (New instance property)
console.log(Object.keys(cliffRichard).length); // 0 (Still refers to prototype)

Classical with instance methods (Inefficient because each instance stores it's own property)

function Single() {
    this.status = "Single";
}

var princeWilliam = new Single(),
    cliffRichard = new Single();

console.log(Object.keys(princeWilliam).length); // 1
console.log(Object.keys(cliffRichard).length); // 1

Efficient classical

function Single() {
}

Single.prototype.status = "Single";

var princeWilliam = new Single(),
    cliffRichard = new Single();

princeWilliam.status = "Married";

console.log(Object.keys(princeWilliam).length); // 1
console.log(Object.keys(cliffRichard).length); // 0
console.log(cliffRichard.status); // "Single"

As you can see, since it is possible to manipulate the prototype of "classes" declared in the classical style, there is really no benefit to using prototypal inheritance. It is a subset of the classical method.

Solution 5

Web Development: Prototypal Inheritance vs. Classical Inheritance

http://chamnapchhorn.blogspot.com/2009/05/prototypal-inheritance-vs-classical.html

Classical Vs prototypal inheritance - Stack Overflow

Classical Vs prototypal inheritance

Share:
80,905

Related videos on Youtube

Pierreten
Author by

Pierreten

Updated on December 25, 2021

Comments

  • Pierreten
    Pierreten over 2 years

    So I finally stopped dragging my feet all these years and decided to learn JavaScript “properly”. One of the most head-scratching elements of the languages design is its implementation of inheritance. Having experience in Ruby, I was really happy to see closures and dynamic typing; but for the life of me can’t figure out what benefits are to be had from object instances using other instances for inheritance.

  • James Westgate
    James Westgate about 14 years
    I think its better to summarise the contents of links rather than pasting the link (something I myself used to do), unless its another SO link. This is because links/sites go down and you loose the response to the question, and it potentially affects the search results.
  • viebel
    viebel about 12 years
    The 1st link doesn't answer the question of why prototypal inheritance? It simply describes it.
  • Noel Abrahams
    Noel Abrahams over 11 years
    "your code is smaller, less redundant...", why? I've had a look at the wikipedia link for "differential inheritance" and there is nothing supporting these assertions. Why would classical inheritance result in larger, more redundant code?
  • redline
    redline almost 11 years
    Exactly, I agree with Noel. Prototypal inheritance is simply one way to get a job done, but that doesn't make it the right way. Different tools will perform in different ways for different jobs. Prototypal inheritance has its place. It is an extremely powerful and simple concept. With that being said, the lack of support for true encapsulation and polymorphism puts JavaScript at a significant disadvantage. These methodologies have been around much longer than JavaScript has, and they are sound in their principals. So thinking prototypal is "better" is just the wrong mentality altogether.
  • Aadit M Shah
    Aadit M Shah almost 11 years
    @redline The point is that JavaScript is a prototypal language. Not a classical language. Most programmers start with trying to emulate classical inheritance in JavaScript, and it's really easy to do so. However they soon realize that true prototypal inheritance is better (at least in JavaScript). JavaScript is the most popular prototypal language. Unfortunately it uses the constructor pattern instead of the prototypal pattern, making understanding prototypal inheritance difficult.
  • Aadit M Shah
    Aadit M Shah almost 11 years
    @redline, I hate to be the one to break your bubble but trying to emulate classical inheritance in JavaScript is a very bad idea. ECMAScript Harmony will have classes but it'll only be syntactic sugar for the constructor pattern. On the other hand I saw your jTypes library and I think it's totally going in the wrong direction. Classical inheritance is fine for Java or C++, but trying to emulate access modifiers, virtual classes, etc. in JavaScript is a very flaky solution. JavaScript is not meant for classical OOP. =)
  • Aadit M Shah
    Aadit M Shah almost 11 years
    @redline, CoffeeScript is popular. TypeScript, not so much. Best of luck for your endeavors. Personally I feel adding access modifiers, etc. as jTypes does is overkill. You really don't need it in JavaScript. Your library targets a very small group of programmers who come from a classical inheritance background. Hence I doubt it will gain much momentum. On the other hand I browsed through your code and it was very impressive. You're a talented programmer. I hate to see such talent go to waste. I would suggest you think of another project which has more scope. Write a blog perhaps - that helps.
  • Pavel Horal
    Pavel Horal almost 11 years
    You can simulate class-based inheritance using prototype-based inheritance, but not vice versa. That might be a good argument. Also I see encapsulation more as a convention than language feature (usually you can break encapsulation via reflection). Regarding polymorphism - all you gain is not having to write some simple "if" conditions when checking method arguments (and a little bit of speed if the target method is resolved during compilation). No real JavaScript disadvantages here.
  • Pavel Horal
    Pavel Horal almost 11 years
    You are using word clone a lot, which is simply wrong. Object.create is creating new object with the specified prototype. Your choosing of words give impression that the prototype gets cloned.
  • Aadit M Shah
    Aadit M Shah almost 11 years
    @PavelHoral I used the word "clone" for the lack of a better word. However I did distinguish the difference between delegation (linking to a prototype) and concatenation (copying the properties of a prototype). I used the word "clone" exclusively for delegation and the word "copy" exclusively for concatenation. Nevertheless I'll edit my answer to explain the meaning of clone in this context. Would you mind removing your downvote? I really don't think my answer deserves it just because of the choice of one word. If you can think of a better word then I'll happily replace "clone" with that word.
  • samarjit samanta
    samarjit samanta over 10 years
    @AaditMShah Although I like your 4th point. Think in terms of maintaining a few thousand lines of multiple javascript files. We need to look up variables in very file. A little mistake in variable name creates havoc. Compilers don't point that mistake out. Good IDEs could not be written so far with auto suggestions or autocorrections. Variable names cannot be refactored. And IDEs cannot also suggest interfaces of 3rd party modules. Javascript programmers have to look up other's code to make sense. Java has jar files which can be introspected. Static typed language has all these advantages.
  • samarjit samanta
    samarjit samanta over 10 years
    Javascript is a good language for its simplicity. But recent efforts to write large modular javascript applications has shown its shortcomings. Thus google(dart) and microsoft(TypeScript) both tried to come up with a typesystem for javascript which might help a better module system in javascript also enable them to optimize with JIT. Mozilla attempts to restrict javascript asmjs.org/spec/latest/#linking for optimization. If you see there will be some kind of inheritance in javascript in future: developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/….
  • Doug
    Doug over 10 years
    While I appreciate the rigor and enthusiasm of your answer, I don't think one must be a n00b to appreciate the beauty of languages designed for static analysis. Perhaps a way to approach this is to take your analogy of the paperwork (metadata) associated with ones dog. Let's say that paperwork provided a list of medical treatments administered to trhe dog. Sure, that information is not necessary for your dog to be a dog. But it gives the vet something to work with when treating your dog the next time.
  • Aadit M Shah
    Aadit M Shah over 10 years
    @DougR I think you got it all wrong. Static analysis is indeed a powerful and indispensable tool. However the static type systems of most classical object-oriented languages like Java and C++ are poor and obtrusive. Type systems work best when the compiler infers the type of your declarations. If you have to explicitly tell the compiler the type of every variable you declare then that's just added redundancy. Java does that. Haskell is smart. It infers types. The pedigree in the above context is a type not a data structure. It should be inferred. You shouldn't have to specify it explicitly. =)
  • Aadit M Shah
    Aadit M Shah over 10 years
    @DougR The bottom line is that static type systems are good. However Java and C++ have irreparably bad static type systems. In contrast Python has a great dynamic type system. It's unobtrusive and still catches most type errors. On the other hand JavaScript doesn't have a type system at all. Nevertheless in my humble opinion it's still better than Java because 1) the lack of a type system doesn't come in your way 2) you can build a static analysis tool for JavaScript (there are lots). The best type system however is that of Haskell. It is static, strong and smart enough to infer your types. =)
  • Andy E
    Andy E about 10 years
    clone is definitely a poor choice of words. A clone is defined as an exact copy of something else, and that isn't what's happening with constructors or Object.create. There's no copying going on. The way the answer is worded now, you run the risk of creating more confusion.
  • Aadit M Shah
    Aadit M Shah about 10 years
    @AndyE I fail to see how "linked" can be used as a drop in replacement for "clone". The former is a verb. The latter is, in addition, a noun. The noun "link" doesn't seem approbate in the context of the answer. I would be happy to replace "clone" with a more appropriate word. Nevertheless in want of a better word I'll leave my answer unchanged. Beside I abundantly elucidated the connotation of the terms I used in my answer, and seeing as to how many people upvoted it I opine that it actually clears confusion rather than contributing to it.
  • Andy E
    Andy E about 10 years
    @Aadit: there's really no need to be so defensive. Your answer is very detailed and deserving of votes. I wasn't suggesting that "linked" should be a drop-in replacement for "clone", but that it more appropriately describes the connection between an object and the prototype it inherits from, whether you assert your own definition of the term "clone" or not. Change it or don't change it, it's entirely your choice.
  • A Fader Darkly
    A Fader Darkly about 9 years
    Looking at other answers and resources about this topic, your answer would appear to be stating: "Prototypal inheritance is a subset of the syntactic sugar added to JavaScript to allow the appearance of classical inheritance". The OP appears to be asking about the benefits of prototypal inheritance in JS over classical inheritance in other languages rather than comparing instantiation techniques within JavaScript.
  • Michael Lafayette
    Michael Lafayette over 8 years
    As for "private variables via closures", I find that to be unsightly. You are creating a function with a member variable that returns an object which contains a member variable that in turn is a function which refers to the private variable in the outside scope. Two objects instead of one. I find that hideous and convoluted.
  • Michael Lafayette
    Michael Lafayette over 8 years
    "this can be easily remedied by storing an array of prototypes on every object". Now you are extending object in a non-standard way to make up for functionality missing in the language. And you are creating a convention of always using your new copyOf method instead of instanceOf and isPrototypeOf, a convention which you must teach to every new programmer on your team, and which they must pass down. This is ugly - javascript simply isn't built for codebases meant to by used and updated by generations of people for decades to come.
  • Michael Lafayette
    Michael Lafayette over 8 years
    As for redundancy, I think you over-estimate that point. For example, say I am skimming through your code and I see something like: " var obj = FactoryOfFactories.makeObjectWith("fire", "ice", "metal") ". In this case, I have absolutely no idea what type is going to come out of this factory of factories, only that it is built with fire, ice, and metal. I have no idea what variables it has. I have no idea what methods it has. I have no way to use an IDE to pull up its methods. And unless you have really good documentation, I am pretty much screwed.
  • Michael Lafayette
    Michael Lafayette over 8 years
    Finally, "Prototypal Inheritance is Dynamic". This has nothing to do with the prototypical inheritance itself, but rather with the mechanism used to represent objects. In javascript, objects are represented as HashMaps, which are dynamic. You can add extra variables and functions to a HashMap (just like in my language Prototypal C). But it is also possible (in theory) to do Prototypal inheritance with static, fixed sized objects just as long as they have a pointer called "prototype". You could also have a language with fixed relationships in which objects are re-sizable. Prototypal != dynamic.
  • Aadit M Shah
    Aadit M Shah over 8 years
    @MichaelLafayette Wow. That's a lot to digest. Forgive me if I don't address all the points you make. Anyway, I just wanted to inform you that I no longer endorse my answer because I now believe that functional programming is better than most OOP languages. I'm not saying that OOP is bad. However, having used OOP languages for over 8 years I have realized that most of them are not in the same league as languages like Haskell and OCaml. In fact, the only OOP language I like anymore is Fortress, but I'm still stuck with JavaScript.
  • Aadit M Shah
    Aadit M Shah over 8 years
    @MichaelLafayette About Prototypal C, I don't understand the point that you're trying to make. Are you trying to say that it's possible to implement prototypal inheritance in C? Well, technically you can also implement prototypal inheritance in a Turing machine. That doesn't mean that you should. Speaking of which, what does static analysis, auto-complete, pop-up documentation, etc. have to do with anything?
  • Aadit M Shah
    Aadit M Shah over 8 years
    @MichaelLafayette I agree. The copyOf solution is a very inelegant hack. That's the reason we use traits, mixins and type classes instead. Speaking of type classes, I believe that they are a much more elegant abstraction than "classes" in OOP languages.
  • Aadit M Shah
    Aadit M Shah over 8 years
    @MichaelLafayette The FactoryOfFactories example that you provided is very contrived. In fact, I would never write code like that so your entire argument is moot. I believe in self-explanatory code and opaque code like that is neither something that I would write nor teach anyone else to write.
  • Aadit M Shah
    Aadit M Shah over 8 years
    @MichaelLafayette When I said that "prototypal inheritance is dynamic" I meant that you can modify a prototype object and that change will be reflected in the instances of that prototype. In that sense, prototypal inheritance is indeed dynamic. Yes, this dynamic property belongs to the data representation of objects. Indeed, you can have prototypal OOP languages in which this dynamic property doesn't exist. However, I was trying to point out that you can't do this with classes. You can't modify a class after it's created and have the change reflected on its instances. That's all I was saying.
  • Michael Lafayette
    Michael Lafayette over 8 years
    @AaditMShah - One by one. I could implement a statically and strongly typed prototypal, functional, oop language that compiles into C and has nearly the same performance as C after full compilation and it would be nice to write in. Those three programming paradigms are not mutually exclusive. If you could allow objects in Scala to change their supertype at runtime and could make instances by copying other instances, it would be a strongly prototypal, functional, OOP language. All that prototypal means is objects have prototypes.
  • Michael Lafayette
    Michael Lafayette over 8 years
    @AaditMShah - "Speaking of which, what does static analysis, auto-complete, pop-up documentation, etc. have to do with anything?" These are advantages of a language whose hierarchies/relationships can be statically analyzed at runtime. Given that a prototypal language could allow you to set the parent one way in a branch and another way in another branch, good auto-complete is impossible and that is a disadvantage of prototypal vs OOP inheritance. That being said, I never type more than 3 consecutive characters without auto-complete, so this is a huge deal.
  • Michael Lafayette
    Michael Lafayette over 8 years
    @AaditMShah - the fact that Javascript requires that you double the numbers you instantiate just to make variables private is ugly. You may not notice it because you're used to it, but from someone looking at Javascript for the first time, it just looks messy and unnecessary.
  • Michael Lafayette
    Michael Lafayette over 8 years
    @AaditMShah - The factory of factories thing that takes in a String is a design pattern. I have seen and used real code that does stuff like "CodecFactory.makeCode(String s)" where you don't know the concrete type of what comes out and you have to figure out what that type will be and downcast to it. When the code explicitly states what type comes out, it can really makes factory methods clearer.
  • Michael Lafayette
    Michael Lafayette over 8 years
    @AaditMShah - "You can't modify a class after it's created and have the change reflected on its instances. That's all I was saying." Maybe I'm saying this because I am not a Javascript programmer, but I really don't think that making changes to the top of the proto chain in the middle of a program and having it propagate down to all the inheritors is a good idea. I mean I can understand removing an arm from a Person object or giving a Human object the fly function, or even re-classifying Crocodile from sub-typing Lizard to sub-typing Bird, but making all Crocodiles have a missing leg seems bad
  • Giorgi Moniava
    Giorgi Moniava over 7 years
    @AaditMShah Hey, are you really describing inheritance? With inheritance I would expect setup like having a structure say Shape and then you would show how to derive Circle from Shape say. But you are exclusively working with Circles all the time.
  • Aadit M Shah
    Aadit M Shah over 7 years
    @GiorgiMoniava Yes, it is really inheritance. We're taking something abstract (i.e. a description of a circle) and making something concrete (i.e. a particular circle). That's inheritance in a nutshell. I think you're getting confused because prototypes conflate instantiation with inheritance. In classical languages you'd have a Circle class and you'd be able to make instances of Circle using new. You'd consider this different from inheritance. In prototypal languages they're the same thing. Read the following answer I wrote for more information stackoverflow.com/a/19640910/783743
  • siliconrockstar
    siliconrockstar over 5 years
    Hey look, a concise answer that doesn't fanboy. Really wish this were the top answer for the question.
  • aoeu256
    aoeu256 almost 5 years
    We have Dynamic Just-in-time compilers today that can compile the code while the code is running creating different pieces of code for each section. JavaScript is actually faster than Ruby or Python that use classical classes because of this even if you use prototypes because lots of work has been done on optimizing it.
  • VimNing
    VimNing over 4 years
    Thanks for your good explanation! I don't know about classical inheritance, did you answer this before? Or could you recommend some good article about classical inheritance? Thanks again!
  • Aadit M Shah
    Aadit M Shah over 4 years
    @s̮̦̩e̝͓c̮͔̞ṛ̖̖e̬̣̦t̸͉̥̳̼ It's been a while since I wrote this answer. My views have changed since I wrote it. Now, I believe that inheritance, both classical and prototypal, are bad and should be avoided at all costs. There's never a good reason to use inheritance. If you're writing object-oriented code then you should always prefer composition over inheritance. Even better, don't write object-oriented code. Embrace functional programming.
  • Andrew
    Andrew almost 4 years
    This should be top answer for sure.
  • Ghost Unit
    Ghost Unit over 3 years
    @AaditMShah i love it. i wondered if your views had softened in the seven years since you posted this -- instead you've gone even more hardcore :) so what would your circle function would look like today? i'm familiar with composition and functional programming, but a bit of a JS n00b.
  • Aadit M Shah
    Aadit M Shah over 3 years
    @GhostUnit I would convert the constructor and the class methods into regular functions. jsfiddle.net/wq8efhpz
  • Sourav Kannantha B
    Sourav Kannantha B over 3 years
    Does prototypal inheritance work in statically typed languages? I wonder what would be the type to mention in front of the variable for an 'area' function argument, if it wants its argument to have a 'radius' property.
  • VimNing
    VimNing almost 3 years
    Two years later, still a very good reading for me :) I'm the one called secret.