我想用C ++ API在Z3中定义一个成员关系。我想通过以下方式做到这一点:
z3::context C;
z3::sort I = C.int_sort();
z3::sort B = C.bool_sort();
z3::func_decl InSet = C.function("f", I, B);
z3::expr e1 = InSet(C.int_val(2)) == C.bool_val(true);
z3::expr e2 = InSet(C.int_val(3)) == C.bool_val(true);
z3::expr ite = to_expr(C, Z3_mk_ite(C, e1, C.bool_val(true),
Z3_mk_ite(C,e2,C.bool_val(true),C.bool_val(false))));
errs() << Z3_ast_to_string(C,ite);
在此示例中,集合由整数2和3组成。我敢肯定,有一种更好的方法来定义关系,尤其是集合成员关系,但是我确实是Z3新秀。有谁知道最好的一个?
最佳答案
在Z3中,通常使用谓词(如您所做的那样)或布尔数组对集合进行编码。在Z3 C API中,有几个用于创建集合表达式的函数:Z3_mk_set_sort
,Z3_mk_empty_set
,Z3_mk_set_union
,...实际上,这些函数正在创建数组表达式。它们将一组T
表示为从T
到布尔值的数组。他们使用this article中描述的编码。
备注:在Z3中,InSet(C.int_val(2)) == C.bool_val(true)
等效于InSet(C.int_val(2))
。 InSet
函数是一个谓词。我们可以写std::cout << ite
代替std::cout << Z3_ast_to_string(C, ite)
。
在基于谓词的方法中,我们通常需要使用量词。
在您的示例中,您说的是2
和3
是集合的元素,但是要说没有别的是元素,我们需要一个量词。我们还需要量词来声明属性,例如:set A
等于集合B
和C
的并集。基于量词的方法更加灵活,例如可以说A
是一个集合包含1
和n
之间的所有元素。
缺点是创建不在Z3可以处理的可确定片段中的公式真的很容易。 Z3教程描述了其中一些片段。这是本教程中的一个示例。
;; A, B, C and D are sets of Int
(declare-fun A (Int) Bool)
(declare-fun B (Int) Bool)
(declare-fun C (Int) Bool)
(declare-fun D (Int) Bool)
;; A union B is a subset of C
(assert (forall ((x Int)) (=> (or (A x) (B x)) (C x))))
;; B minus A is not empty
;; That is, there exists an integer e that is B but not in A
(declare-const e Int)
(assert (and (B e) (not (A e))))
;; D is equal to C
(assert (forall ((x Int)) (iff (D x) (C x))))
;; 0, 1 and 2 are in B
(assert (B 0))
(assert (B 1))
(assert (B 2))
(check-sat)
(get-model)
(echo "Is e an element of D?")
(eval (D e))
(echo "Now proving that A is a strict subset of D")
;; This is true if the negation is unsatisfiable
(push)
(assert (not (and
;; A is a subset of D
(forall ((x Int)) (=> (A x) (D x)))
;; but, D has an element that is not in A.
(exists ((x Int)) (and (D x) (not (A x)))))))
(check-sat)
(pop)