对于特定的应用程序,我们将对象的ID存储在特定的类中。例如,“产品”对象会将其字符串ID存储在“产品ID”对象中。同样,“用户”对象会将其字符串ID存储在UserId对象中(请参见下面的示例代码)。
class Product {
id: ProductId;
price: number;
...
}
class User {
id: UserId;
name: string;
...
constructor(id: UserId, name: string) {
this.id = id;
this.name = name;
...
}
}
class ProductId {
id: string;
constructor(id: string) {
this.id = id;
}
}
class UserId {
id: string;
constructor(id: string) {
this.id = id;
}
}
此方法的一个问题是,将对象存储在Map中,然后尝试检索它们(请参见下面的代码)不起作用,因为具有相同基础ID的两个UserId与===不相等。
const users = new Map<UserId, User>();
const user = new User(new UserId('8753098'), 'John');
users.set(user.id, user);
console.log(users.get(new UserId('8753098')); //undefined
似乎javascript没有运算符重载,或者没有方法可以覆盖均等函数。
我还考虑过使用全局地图,并使用静态方法创建ID:
class UserId {
private id: string;
constructor(id: string) {
this.id = id;
}
static userIds = new Map<string, UserId>();
static fromString(id: string) {
let userId = userIds.get(id);
if (userId === undefined) {
userId = new UserId(id);
userIds.set(id, userId);
}
return userId;
}
}
但这会导致潜在的内存泄漏,因为所有对象都保留在映射中并且从未释放。
有人对此有解决方案吗?
答案 0 :(得分:3)
有人对此有解决方案吗?
执行class UserId
类型而不是type UserId = string
。
如果您担心结构均等并且更喜欢名义类型,则可以使用枚举as shown here来添加品牌
enum UserIdBrand {}
type UserId = UserIdBrand & string;