1

我是伊德里斯的新手。我正在尝试类型,我的任务是制作一个“洋葱”:一个接受两个参数的函数:一个数字和任何东西,并将任何东西放入List嵌套的次数中。

例如,结果mkOnion 3 "Hello World"应该是[[["Hello World"]]]。我做了这样的功能,这是我的代码:

onionListType : Nat -> Type -> Type
onionListType Z b = b
onionListType (S a) b = onionListType a (List b)

mkOnionList : (x : Nat) -> y -> onionListType x y 
mkOnionList Z a = a
mkOnionList (S n) a = mkOnionList n [a]

prn : (Show a) => a -> IO (); 
prn a = putStrLn $ show a;

main : IO()
main = do
    prn $ mkOnionList 3 4
    prn $ mkOnionList 2 'a'
    prn $ mkOnionList 5 "Hello"
    prn $ mkOnionList 0 3.14

计划工作的结果:

[[[4]]]  
[['a']]  
[[[[["Hello"]]]]]  
3.14

这正是我所需要的。但是当我这样做时,但是像这样将 Nat 更改为 Integer

onionListTypeI : Integer -> Type -> Type
onionListTypeI 0 b = b
onionListTypeI a b = onionListTypeI (a-1) (List b)

mkOnionListI : (x : Integer) -> y -> onionListTypeI x y 
mkOnionListI 0 a = a
mkOnionListI n a = mkOnionListI (n-1) [a]

我收到一个错误:

When checking right hand side of mkOnionListI with expected type   
    onionListTypeI 0 y

Type mismatch between  
    y (Type of a) and   
    onionListTypeI 0 y (Expected type)

为什么类型检查会失败?

我认为这是因为Integer可以采用负值并且Type在负值的情况下无法计算。如果我是对的,编译器如何理解这一点?

4

1 回答 1

2

你是对的,类型无法计算。但那是因为onionListTypeI不是全部。您可以在 REPL 中查看

*test> :total onionListTypeI
Main.onionListTypeI is possibly not total due to recursive path:
    Main.onionListTypeI, Main.onionListTypeI

(或者更好的是,%default total对源代码要求很高,这会引发错误。)

因为类型构造函数不是总的,所以编译器不会规范化onionListTypeI 0 yy. 这不是全部,因为情况onionListTypeI a b = onionListTypeI (a-1) (List b)。编译器只知道从Integer结果中减去 1 到 a 中Integer,但不知道确切的数字(与使用 a 时不同Nat)。这是因为 , 和各种算术Integer是用主要函数定义的,Int如. 如果这些函数不会是盲目的,那么编译器应该会遇到负值问题,就像你假设的那样。DoubleBitsprim__subBigInt

于 2016-05-27T19:16:18.657 回答