如何在链表中封装 join 或 flatten 方法?

How to encapsulate a join or flatten method in linked list?

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

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>

我也有一些针对空和缺点的构造函数:

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()

The 'this' context of type List<List<number>> is not assignable to method's 'this' of type List<List<List<number>>>.

这是因为 join 方法(或某些人可能称之为 flatten 的方法)。当我在 List 类型之外编写连接时它就可以工作,所以我的问题是:有没有办法明确告诉编译器 this 需要是 List<List<T>> 类型?

我已经尝试使用 extends

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

那是因为您的列表是 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