1. ホーム
  2. javascript

TypeScript オーバーライド ToString() [終了しました]。

2023-08-20 15:45:53

質問

例えば、クラス Person というクラスがあり、これは次のように見えます。

class Person {
    constructor(
        public firstName: string,
        public lastName: string,
        public age: number
    ) {}
}

をオーバーライドして toString メソッドを次のようにオーバーライドします。

public toString(): string {
    return this.firstName + ' ' + this.lastName;
}

これで、実行時に動作する以下のようなことができるようになると思います。

function alertMessage(message: string) {
    alert(message);
}

alertMessage(new Person('John', 'Smith', 20));

でも、これでもこのエラーは出ます。

TS2345: 型 'Person' の引数は、型 'string' のパラメータに割り当てられません。

どのようにすれば Person をこの string という引数になりますか?

どのように解決する?

オーバーライド toString は、ある種の期待通りに動作します。

class Foo {
    private id: number = 23423;
    public toString = () : string => {
        return `Foo (id: ${this.id})`;
    }
}

class Bar extends Foo {
   private name:string = "Some name"; 
   public toString = () : string => {
        return `Bar (${this.name})`;
    }
}

let a: Foo = new Foo();
// Calling log like this will not automatically invoke toString
console.log(a); // outputs: Foo { id: 23423, toString: [Function] }

// To string will be called when concatenating strings
console.log("" + a); // outputs: Foo (id: 23423)
console.log(`${a}`); // outputs: Foo (id: 23423)

// and for overridden toString in subclass..
let b: Bar = new Bar();
console.log(b); // outputs: Bar { id: 23423, toString: [Function], name: 'Some name' }
console.log("" + b); // outputs: Bar (Some name)
console.log(`${b}`); // outputs: Bar (Some name)

// This also works as expected; toString is run on Bar instance. 
let c: Foo = new Bar();
console.log(c); // outputs: Bar { id: 23423, toString: [Function], name: 'Some name' }
console.log("" + c); // outputs: Bar (Some name)
console.log(`${c}`); // outputs: Bar (Some name)

しかし、ときどき問題になるのは、このメソッドにアクセスする際に toString にアクセスできないことです。

console.log("" + (new Bar() as Foo));

FooではなくBarに対してtoStringを実行します。