我正在尝试编写一个函数,它接受一个自然数列表并返回其中不同元素的数量作为输出。例如,如果我有列表[1,2,2,4,1],我的函数DifElem应该输出“3”。我尝试了很多东西,我得到的最接近的是:
Fixpoint DifElem (l : list nat) : nat :=
match l with
| [] => 0
| m::tm =>
let n := listWidth tm in
if (~ In m tm) then S n else n
end.
我的逻辑是这样的:如果m不在列表的尾部,那么将一个添加到计数器。如果是,不要添加到计数器,所以我只计算一次:它是最后一次出现。我收到错误:
Error: The term "~ In m tm" has type "Prop"
which is not a (co-)inductive type.
In是Coq列表标准库Coq.Lists.List.
的一部分,它定义为:
Fixpoint In (a:A) (l:list A) : Prop :=
match l with
| [] => False
| b :: m => b = a \/ In a m
end.
我认为我不太了解如何使用如果在定义中的语句,Coq的文档没有足够的帮助。
我也在同一个库中使用nodup
尝试了这个定义:
Definition Width (A : list nat ) := length (nodup ( A ) ).
在这种情况下,我得到的错误是:
The term "A" has type "list nat" while it is expected to have
type "forall x y : ?A0, {x = y} + {x <> y}".
我对这里发生的事情感到很困惑。感谢您帮助我解决这个问题。
答案 0 :(得分:11)
您似乎混淆了命题(Prop
)和布尔值(bool
)。我将尝试用简单的术语解释:命题是你证明的东西(根据Martin-Lof的解释,它是一组证明),以及布尔值是一种数据类型,只能包含2个值(true
/ false
)。当只有两种可能的结果且不需要添加信息时,布尔值可用于计算。您可以在this answer中通过@Ptival找到有关此主题的更多信息,或者在B.C.的软件基础书中找到关于此主题的详细部分。皮尔斯等人。 (见Propositions and Booleans部分)。
实际上,nodup
是这里的方法,但Coq希望您提供一种决定输入列表元素相等性的方法。如果你看一下nodup
的定义:
Hypothesis decA: forall x y : A, {x = y} + {x <> y}.
Fixpoint nodup (l : list A) : list A :=
match l with
| [] => []
| x::xs => if in_dec decA x xs then nodup xs else x::(nodup xs)
end.
您会注意到一个假设decA
,它会成为nodup
函数的附加参数,因此您需要传递eq_nat_dec
(可判定的等式为nats
),例如,像这样:nodup eq_nat_dec l
。
所以,这是一个可能的解决方案:
Require Import Coq.Arith.Arith.
Require Import Coq.Lists.List.
Import ListNotations.
Definition count_uniques (l : list nat) : nat :=
length (nodup eq_nat_dec l).
Eval compute in count_uniques [1; 2; 2; 4; 1].
(* = 3 : nat *)
注意:nodup
函数自Coq v8.5起作用。
答案 1 :(得分:5)
除了使用标准库的Anton解决方案之外,我还想指出,mathcomp为这个用例提供了特别好的支持,同时还提供了关于count
和uniq
的完整理论。你的职能变成了:
From mathcomp Require Import ssreflect ssrfun ssrbool eqtype ssrnat seq.
Definition count_uniques (T : eqType) (s : seq T) := size (undup s).
事实上,我认为count_uniques名称是多余的,我更愿意在需要时直接使用size (undup s)
。
答案 2 :(得分:5)
使用集合:
Require Import MSets.
Require List. Import ListNotations.
Module NatSet := Make Nat_as_OT.
Definition no_dup l := List.fold_left (fun s x => NatSet.add x s) l NatSet.empty.
Definition count_uniques l := NatSet.cardinal (no_dup l).
Eval compute in count_uniques [1; 2; 2; 4; 1].