ฉันเห็นด้วยกับ thomaux ว่าข้อผิดพลาดการตรวจสอบการเริ่มต้นเป็นข้อผิดพลาด TypeScript อย่างไรก็ตามฉันยังต้องการค้นหาวิธีการประกาศและเริ่มต้นพจนานุกรมในคำสั่งเดียวด้วยการตรวจสอบประเภทที่ถูกต้อง การใช้งานนี้มีความยาวขึ้นอย่างไรก็ตามจะเพิ่มฟังก์ชันการทำงานเพิ่มเติมเช่นcontainsKey(key: string)
และremove(key: string)
วิธีการ ฉันสงสัยว่าสิ่งนี้อาจจะง่ายขึ้นเมื่อยาสามัญมีวางจำหน่ายในรุ่น 0.9
ก่อนอื่นเราขอประกาศคลาสพจนานุกรมพื้นฐานและส่วนต่อประสาน จำเป็นต้องใช้อินเตอร์เฟสสำหรับตัวสร้างดัชนีเนื่องจากคลาสไม่สามารถใช้งานได้
interface IDictionary {
add(key: string, value: any): void;
remove(key: string): void;
containsKey(key: string): bool;
keys(): string[];
values(): any[];
}
class Dictionary {
_keys: string[] = new string[];
_values: any[] = new any[];
constructor(init: { key: string; value: any; }[]) {
for (var x = 0; x < init.length; x++) {
this[init[x].key] = init[x].value;
this._keys.push(init[x].key);
this._values.push(init[x].value);
}
}
add(key: string, value: any) {
this[key] = value;
this._keys.push(key);
this._values.push(value);
}
remove(key: string) {
var index = this._keys.indexOf(key, 0);
this._keys.splice(index, 1);
this._values.splice(index, 1);
delete this[key];
}
keys(): string[] {
return this._keys;
}
values(): any[] {
return this._values;
}
containsKey(key: string) {
if (typeof this[key] === "undefined") {
return false;
}
return true;
}
toLookup(): IDictionary {
return this;
}
}
ตอนนี้เราประกาศประเภทบุคคลเฉพาะและอินเตอร์เฟซพจนานุกรม / พจนานุกรม ใน PersonDictionary ให้สังเกตว่าเราลบล้างvalues()
และtoLookup()
คืนค่าประเภทที่ถูกต้องอย่างไร
interface IPerson {
firstName: string;
lastName: string;
}
interface IPersonDictionary extends IDictionary {
[index: string]: IPerson;
values(): IPerson[];
}
class PersonDictionary extends Dictionary {
constructor(init: { key: string; value: IPerson; }[]) {
super(init);
}
values(): IPerson[]{
return this._values;
}
toLookup(): IPersonDictionary {
return this;
}
}
และนี่คือตัวอย่างการเริ่มต้นและการใช้งานอย่างง่าย:
var persons = new PersonDictionary([
{ key: "p1", value: { firstName: "F1", lastName: "L2" } },
{ key: "p2", value: { firstName: "F2", lastName: "L2" } },
{ key: "p3", value: { firstName: "F3", lastName: "L3" } }
]).toLookup();
alert(persons["p1"].firstName + " " + persons["p1"].lastName);
// alert: F1 L2
persons.remove("p2");
if (!persons.containsKey("p2")) {
alert("Key no longer exists");
// alert: Key no longer exists
}
alert(persons.keys().join(", "));
// alert: p1, p3
Index signatures are incompatible.
Type '{ firstName: string; }' is not assignable to type 'IPerson'.
Property 'lastName' is missing in type '{ firstName: string; }'.