我想知道我需要添加到以下内容以使其通过dafny?
function mapper (input: seq<int>) : seq<(int, int)>
ensures |mapper(input)| == |input|
{
if |input| == 0 then []
else [(0,input[0])] + mapper(input[1..])
}
// given [(0,n1), (0,n2) ... ] recovers [n1, n2, ...]
function retList (input: seq<(int, int)>, v : int) : seq<int>
ensures |input| >= |retList(input, v)|
ensures forall i :: 0 <= i < |input| && input[i].0 == v ==> input[i].1 in retList(input, v)
ensures forall x,y : int :: (x,y) in input && x == v ==> y in retList(input, v)
{
if input == [] then []
else if input[0].0 == v then [input[0].1] + retList(input[1..], v)
else retList(input[1..], v)
}
method test (input: seq<int>)
requires |input| > 0
{
assert retList(mapper(input), 0) == input;
}
答案 0 :(得分:1)
编辑(我之前的回答是不准确的):我认为因为归纳涉及input
序列,所以Dafny不能自己进行归纳。您编写的代码中没有一个位置会促使Dafny的归纳启发式尝试在input
上进行归纳。
所以你需要写a lemma with input
as an argument,当你这样做时,Dafny会猜测参数的归纳可能会有所帮助,然后就可以自动进行了。您实际上并不需要添加任何规范。
function mapper (input: seq<int>) : seq<(int, int)>
{
if |input| == 0 then []
else [(0,input[0])] + mapper(input[1..])
}
lemma allKeysRetainsInput(input: seq<int>)
ensures retList(mapper(input), 0) == input
{ }
// given [(v,n1), (v+1,n2), (v,n3), ... ] recovers [n1, n3,...]
function retList (input: seq<(int, int)>, v : int) : seq<int>
{
if input == [] then []
else if input[0].0 == v then [input[0].1] + retList(input[1..], v)
else retList(input[1..], v)
}
method test (input: seq<int>)
requires |input| > 0
{
allKeysRetainsInput(input);
assert retList(mapper(input), 0) == input;
}
如果您想要查看更多的证据,可以关闭该引理的自动感应。然后,您需要手动调用归纳假设
lemma {:induction false} allKeysRetainsInput(input: seq<int>)
ensures retList(mapper(input), 0) == input
{
if input != [] {
allKeysRetainsInput(input[1..]);
}
}