如何在链接列表中封装联接或展平方法?

时间:2019-04-16 16:25:03

标签: typescript linked-list encapsulation

我在打字稿中有一个基本的链表,并带有可区分的联合。

type ListType<T> = {
Kind: "Cons",
Head: T,
Tail: List<T>
} | {
 Kind: "Empty"
}

type ListOperations<T> = {
 reduce: <U>(this: List<T>, f: (state: U, x: T) => U, accumulator: U) => U
 map: <U>(this: List<T>, f: (_: T) => U) => List<U>
 reverse: (this: List<T>) => List<T>
 concat: (this: List<T>, l: List<T>) => List<T>
 toArray: (this: List<T>) => T[]
 join: (this: List<List<T>>) => List<T>
}

type List<T> = ListType<T> & ListOperations<T>

我也有一些针对empty和cons的构造函数:

export const Cons = <T>(head: T, tail: List<T>): List<T> => ({
 Kind: "Cons",
 Head: head,
 Tail: tail,
 ...ListOperations()
})

export const Empty = <T>(): List<T> => ({
   Kind: "Empty",
   ...ListOperations()
})

最后,我实现了不同方法:

const ListOperations = <T>(): ListOperations<T> => ({
reduce: function <U>(this: List<T>, f: (state: U, x: T) => U, accumulator: U): U {
    return this.Kind == "Empty" ? accumulator : this.Tail.reduce(f, f(accumulator, this.Head))
},
map: function <U>(this: List<T>, f: (_: T) => U): List<U> {
    return this.reduce((s, x) => Cons(f(x), s), Empty())
},
reverse: function (this: List<T>): List<T> {
    return this.reduce((s, x) => Cons(x, s), Empty())
},
concat: function (this: List<T>, l: List<T>): List<T> {
    return this.reverse().reduce((s, x) => Cons(x, s), l)
},
toArray: function (this: List<T>): T[] {
    return this.reduce<T[]>((s, x) => s.concat([x]), [])
},
join: function (this: List<List<T>>): List<T> {
    return this.reduce((s, x) => s.concat(x), Empty())
}

})

一切正常,但尝试运行以下命令时出现编译错误:

let x = Cons(1, Cons(2, Cons(3, Cons(4, Empty()))))
let y = x.map(x => x + 4)

let z = Cons(x, Cons(y, Empty()))
z.join()
  

类型List<List<number>>的'this'上下文不可分配给     类型为List<List<List<number>>>的方法的“ this”。

这是由于join方法(或您可能有人称为flatten)造成的。当我在列表类型之外编写联接时,它起作用了,所以我的问题是:是否有一种方法可以明确告诉编译器this必须为List<List<T>>类型?

我已经尝试使用extends

join: function <T1 extends List<T>>(this: List<T1>): List<T>

1 个答案:

答案 0 :(得分:2)

这是因为您的列表是List<T>,而T本身是List<T>。正确的输入应为:

 join(this: List<T>): T {

然后要确保T是列表本身,请使用条件类型:

 join(this: T extends List<*> ? List<T> : "Only nested lists can be joined!"): T