When you try to add a property to an object’s prototype using TypeScript, you’ll get a compiler error inside Visual Studio.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
// Module | |
module Shapes { | |
// Class | |
export class Point implements IPoint { | |
// Constructor | |
constructor (public x: number, public y: number) { } | |
// Instance member | |
getDist() { return Math.sqrt(this.x * this.x + this.y * this.y); } | |
// Static member | |
static origin = new Point(0, 0); | |
} | |
Point.prototype.getCoordinates = function () { } | |
} |
Too get rid of the error message, you’ll have to create an interface on the prototype object type and declare the function there:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
interface Object { | |
getCoordinates(): any; | |
} | |
// Module | |
module Shapes { | |
// Class | |
export class Point implements IPoint { | |
// Constructor | |
constructor (public x: number, public y: number) { } | |
// Instance member | |
getDist() { return Math.sqrt(this.x * this.x + this.y * this.y); } | |
// Static member | |
static origin = new Point(0, 0); | |
} | |
Point.prototype.getCoordinates = function () { } | |
} |