I have two classes like so.
class Stuff {
constructor() { }
things: Thing[] = [];
name: string;
}
class Thing {
constructor() { }
active: boolean;
try to use <>
or the as
keyword for casting:
blopp: Stuff[] = [
{name: "aa", things: [{active: true} as Thing , {active: false}as Thing]},
{name: "bb", things: null}];
}
or
blopp: Stuff[] = [
{name: "aa", things: [<Thing>{active: true} , <Thing>{active: false}]},
{name: "bb", things: null}];
}
You should be using the new
keyword to instantiate your objects:
class Stuff {
constructor(public name: string, public things: Thing[] = []) { }
}
class Thing {
constructor(public active: boolean) {
};
}
var blopp: Stuff[] = [
new Stuff("aa", [new Thing(true), new Thing(false)]),
new Stuff("bb", null)
];
Or simply use interfaces:
interface IThing {
active: boolean
}
interface IStuff {
name: string;
things: IThing[]
}
var blopp: IStuff[] = [
{ name: "aa", things: [{ active: true }, { active: false }] },
{ name: "bb", things: null }];
It is important to determine if you need classes or interface as some things will not work with anonymous objects:
/*
class Stuff {
constructor(public name: string, public things: Thing[] = []) { }
}
class Thing {
constructor(public active: boolean) {
};
}
var blopp: Stuff[] = [
{ name: "aa", things: [{ active: true }, { active: false }] },
new Stuff("bb", null)
];
console.log("Is blopp[0] Stuff:", blopp[0] instanceof Stuff);
console.log("Is blopp[1] Stuff:", blopp[1] instanceof Stuff);
*/
var Stuff = (function () {
function Stuff(name, things) {
if (things === void 0) { things = []; }
this.name = name;
this.things = things;
}
return Stuff;
}());
var Thing = (function () {
function Thing(active) {
this.active = active;
}
;
return Thing;
}());
var blopp = [
{ name: "aa", things: [{ active: true }, { active: false }] },
new Stuff("bb", null)
];
console.log("Is blopp[0] Stuff:", blopp[0] instanceof Stuff);
console.log("Is blopp[1] Stuff:", blopp[1] instanceof Stuff);