2016-07-23 9 views
3

Я смущен двумя функциями. Кажется, что они принимают один и тот же набор аргументов (один прямо конвертируемый в другой), и каждый возвращает АСТ. Выполняют ли функции то же самое? Если нет, когда мне это нужно?Разница между `Z3_mk_forall` и` Z3_mk_forall_const` в C API для Z3?

Подписи 2:

Z3_ast Z3_mk_forall (Z3_context c, 
        unsigned weight, 
        unsigned num_patterns, 
        Z3_pattern const patterns[], 
        unsigned num_decls, 
        Z3_sort const sorts[], 
        Z3_symbol const decl_names[], 
        Z3_ast body) 

Z3_ast Z3_mk_forall_const (Z3_context c, 
          unsigned weight, 
          unsigned num_bound, 
          Z3_app const bound[], 
          unsigned num_patterns, 
          Z3_pattern const patterns[], 
          Z3_ast body) 

ответ

3

Да, команда Z3 обеспечила несколько способов, чтобы сделать то же самое. Принципиальная разница заключается в том, что Z3_mk_forall_const принимает список констант, которые были определены с использованием обычных механизмов, а Z3_mk_forall требует список связанных переменных, созданных с использованием Z3_mk_bound.

Какой механизм проще в использовании, будет зависеть от вашего конкретного приложения. В частности, мне кажется, что Z3_mk_forall_const будет более естественным, когда есть небольшое фиксированное количество символов, над которыми вы хотите построить квантификатор. И наоборот, Z3_mk_forall, вероятно, будет более естественным в ситуации, когда количество символов в кванторе может меняться, и в этом случае вполне естественно генерировать массив связанных переменных, которые вы будете обрабатывать с помощью индексов.

Есть и другие преимущества и недостатки. Например, см. Этот вопрос: "How to declare constants to use as bound variables in Z3_mk_forall_const?" В этом вопросе искатель хочет избежать введения большого количества переменных в свой глобальный контекст, который будет необходим для использования Z3_mk_forall_const. Ответчик (Christoph) предлагает вместо этого использовать Z3_mk_forall, но это тоже не идеально, потому что для вложенных кванторов это приведет к тому, что каждый квантификатор будет индексироваться по-разному. Кристоф также показывает в этом ответе, что внутри, подход, основанный на Z3_mk_forall_const, переведен на что-то эквивалентное Z3_mk_forall, поэтому под капотом нет никакой разницы. Однако различия API могут иметь большое значение для программиста.

Существует также (намного более простой) механизм, предоставляемый программисту в C++ API, если вы в состоянии это использовать. Ниже приведены примеры с использованием трех различных методов:

// g++ --std=c++11 z3-quantifier-support.cpp -I../src/api/ -I../src/api/c++/ libz3.so 

#include <stdio.h> 
#include "z3.h" 

#include <iostream> 
#include "z3++.h" 

using namespace z3; 

/** 
* This is by far the most concise and easiest to use if the C++ API is available to you. 
*/ 
void example_cpp_forall() { 
    context c; 
    expr a = c.int_const("a"); 
    expr b = c.int_const("b"); 
    expr x = c.int_const("x"); 
    expr axiom = forall(x, implies(x <= a, x < b)); 
    std::cout << "Result obtained using the C++ API with forall:\n" << axiom << "\n\n"; 
} 

/** 
* Example using Z3_mk_forall_const. Not as clean as the C++ example, but this was still 
* significantly easier for me to get working than the example using Z3_mk_forall(). 
*/ 
void example_c_Z3_mk_forall_const() { 
    // Get the context 
    Z3_config cfg; 
    Z3_context ctx; 
    cfg = Z3_mk_config(); 
    ctx = Z3_mk_context(cfg); 

    // Declare integers a, b, and x 
    Z3_sort I = Z3_mk_int_sort(ctx); 
    Z3_symbol a_S = Z3_mk_string_symbol(ctx, "a"); 
    Z3_symbol b_S = Z3_mk_string_symbol(ctx, "b"); 
    Z3_symbol x_S = Z3_mk_string_symbol(ctx, "x"); 
    Z3_ast a_A = Z3_mk_const(ctx, a_S, I); 
    Z3_ast b_A = Z3_mk_const(ctx, b_S, I); 
    Z3_ast x_A = Z3_mk_const(ctx, x_S, I); 

    // Build the AST (x <= a) --> (x < b) 
    Z3_ast x_le_a = Z3_mk_le(ctx, x_A, a_A); 
    Z3_ast x_lt_b = Z3_mk_lt(ctx, x_A, b_A); 
    Z3_ast f = Z3_mk_implies(ctx, x_le_a, x_lt_b); 
    Z3_app vars[] = {(Z3_app) x_A}; 
    Z3_ast axiom = Z3_mk_forall_const(ctx, 0, 1, vars, 0, 0, f); 

    printf("Result obtained using the C API with Z3_mk_forall_const:\n"); 
    printf("%s\n\n", Z3_ast_to_string(ctx, axiom)); 
} 

/** 
* Example using Z3_mk_forall. For the example, this is the most cumbersome. 
*/ 
void example_c_Z3_mk_forall() { 

    // Get the context 
    Z3_config cfg; 
    Z3_context ctx; 
    cfg = Z3_mk_config(); 
    ctx = Z3_mk_context(cfg); 

    // Declare integers a and b 
    Z3_sort I = Z3_mk_int_sort(ctx); 
    Z3_symbol a_S = Z3_mk_string_symbol(ctx, "a"); 
    Z3_symbol b_S = Z3_mk_string_symbol(ctx, "b"); 
    Z3_ast a_A = Z3_mk_const(ctx, a_S, I); 
    Z3_ast b_A = Z3_mk_const(ctx, b_S, I); 

    // Declare bound variables, in this case, just x 
    Z3_symbol x_S = Z3_mk_string_symbol(ctx, "x"); 
    Z3_ast x_A = Z3_mk_bound(ctx, 0, I); 

    // Z3_mk_forall requires all names, types, and bound variables to be provided in 
    // arrays. In this example, where there is only one quantified variable, this seems a 
    // bit cumbersome. If we were dealing with an varying number of quantified variables, 
    // then this would seem more reasonable. 
    const unsigned sz = 1; 
    const Z3_sort types[] = {I}; 
    const Z3_symbol names[] = {x_S}; 
    const Z3_ast xs[] = {x_A}; 

    // Build the AST (x <= a) --> (x < b) 
    Z3_ast x_le_a = Z3_mk_le(ctx, x_A, a_A); 
    Z3_ast x_lt_b = Z3_mk_lt(ctx, x_A, b_A); 
    Z3_ast f = Z3_mk_implies(ctx, x_le_a, x_lt_b); 

    // In the Z3 docs for Z3_mk_pattern, the following sentence appears: "If a pattern is 
    // not provided for a quantifier, then Z3 will automatically compute a set of 
    // patterns for it." So I tried supplying '0' for the number of patterns, and 'NULL' 
    // for the list of patterns, and Z3_mk_forall still seems to function. 
    Z3_ast axiom = Z3_mk_forall(ctx, 0, 0, NULL, sz, types, names, f); 

    printf("Result obtained using the C API with Z3_mk_forall:\n"); 
    printf("%s\n", Z3_ast_to_string(ctx, axiom)); 
} 

int main() { 
    example_cpp_forall(); 
    example_c_Z3_mk_forall_const(); 
    example_c_Z3_mk_forall(); 
} 

Я также нашел эти вопросы полезные:

Примеры и комментарии, представленные в источнике Z3, также были полезными, особенно в examples/c/test_capi.c, examples/c++/example.cpp и src/api/z3_api.h.