我试图在Coq。
中的两个参数上定义嵌套递归函数Require Import List.
Import ListNotations.
Fixpoint map_sequence2 {A B C : Set} (f : A -> B -> option C)
(xs : list A) (ys : list B) : option (list C) :=
match xs, ys with
| [], [] => Some []
| x :: xs, y :: ys =>
match f x y, map_sequence2 f xs ys with
| Some z, Some zs => Some (z :: zs)
| _, _ => None
end
| _, _ => None
end.
Inductive T : Set := TA | TB : list T -> T.
Definition max n m := if Nat.leb n m then m else n.
Fixpoint height (t : T) : nat :=
match t with
| TA => 1
| TB xs => 1 + List.fold_left max (List.map height xs) 0
end.
Function bar (t1 : T) (t2 : T) {measure height t2} : option T :=
match t1, t2 with
| TA, TA => Some TA
| TB xs, TB ys =>
match map_sequence2 bar xs ys with
| Some zs => Some (TB zs)
| None => None
end
| _, _ => None
end.
Proof.
Abort.
但是我收到以下错误:
错误:没有这样的部分变量或假设:bar。
Function
的文档明确说明:
函数不支持部分应用正在定义的函数。
但这正是我的情况。这种情况的策略是什么?
答案 0 :(得分:2)
如果您稍微重新定义map_sequence2
函数(我刚刚向右移动了fix
)
Definition map_sequence2 {A B C : Set} (f : A -> B -> option C) :=
fix map_sequence2 (xs : list A) (ys : list B) : option (list C) :=
match xs, ys with
| [], [] => Some []
| x :: xs, y :: ys =>
match f x y, map_sequence2 xs ys with
| Some z, Some zs => Some (z :: zs)
| _, _ => None
end
| _, _ => None
end.
然后整体检查器只接受Fixpoint
而不是Function
或Program Fixpoint
接受您的定义:
Fixpoint bar (t1 : T) (t2 : T) : option T :=
match t1, t2 with
| TA, TA => Some TA
| TB xs, TB ys =>
match map_sequence2 bar xs ys with
| Some zs => Some (TB zs)
| None => None
end
| _, _ => None
end.
此解决方案与@gallais的this one类似。如果您在该解决方案中使用Print fold_left.
,您将看到它已以相同的样式定义。
让我补充一点,整体检查器的这种行为对我来说是令人惊讶的。我在试图简化你的定义时偶然发现了这个:
Section liftA2.
Variables A B C : Type.
Definition liftA2_option (f : A -> B -> C) : option A -> option B -> option C :=
fun ox oy =>
match ox, oy with
| Some x, Some y => Some (f x y)
| _, _ => None
end.
End liftA2.
Arguments liftA2_option {A B C}.
Section Combine_with_option.
Variables A B C : Set.
Variable f : A -> B -> option C.
Fixpoint combine_with_option (xs : list A) (ys : list B) : option (list C) :=
match xs,ys with
| x::xs', y::ys' => liftA2_option cons (f x y) (combine_with_option xs' ys')
| [], [] => Some []
| _, _ => None
end.
End Combine_with_option.
Arguments combine_with_option {A B C}.
Fixpoint bar (t1 : T) (t2 : T) : option T :=
match t1, t2 with
| TA, TA => Some TA
| TB xs, TB ys =>
match combine_with_option bar xs ys with
| Some zs => Some (TB zs)
| None => None
end
| _, _ => None
end.
当使用带有Fixpoint
的部分机制时,在“共享”(未更改)参数之后获得fix
。