5

在解决这个问题 4 小时后,我将不胜感激您的帮助:

我需要从 prolog 脚本创建一个 exe 文件(在 Windows 上)。例如, main.pl 有里面:

day(monday).
day(tuesday).
day(wednesday).
day(thursday).
day(friday).    % let's stop here

我想编译这个脚本,生成 prog.exe 文件,然后能够执行以下运行:

$ prog.exe --term sunday
 false
$ prog.exe --term monday
 true
$ prog.exe --goal day(friday)
 true
$ prog.exe --goal fun(foo)
 false

如果标志很困难,带有输入目标的非标志版本对我也很有帮助。

我试图阅读 swi-prolog 页面上的编译页面,但感到困惑。我无法在标准输出流上打印任何内容。我也不明白标志是如何工作的。

尝试了他们在 swi-prolog 网站上的示例,但我不明白为什么没有打印任何内容。使用下面的脚本,我可以使用命令 save(prog) 创建 exe 文件,但是在运行 prog.exe 时什么都不会打印出来。

:- ['main'].

main :-
        pce_main_loop(main).

main(Argv) :-
        write('hello word').

save(Exe) :-
        pce_autoload_all,
        pce_autoload_all,
        qsave_program(Exe,
                      [ emulator(swi('bin/xpce-stub.exe')),
                        stand_alone(true),
                        goal(main)
                      ]).
4

2 回答 2

5

SWI-Prolog 包含optparse可用于命令行参数解析的库。

opts_spec(
    [ [opt(day), type(atom),
        shortflags([d]), longflags(['term', 'day']),
        help('name of day')]

    , [opt(goal),
        shortflags([g]), longflags([goal]),
        help('goal to be called')]
    ]
).

% days
day(monday).
day(tuesday).
day(wednesday).
day(thursday).
day(friday).


main :-
    opts_spec(OptsSpec),
    opt_arguments(OptsSpec, Opts, _PositionalArgs),
    writeln(Opts),
    memberchk(day(Day), Opts),
    memberchk(goal(Goal), Opts),
    (nonvar(Day) -> call_call(day(Day), Result), writeln(Result) ; true),
    (nonvar(Goal) -> call_call(Goal, Result), writeln(Result) ; true),
    halt.

call_call(Goal, true) :-
    call(Goal), !.

call_call(_Goal, false).

您可以像这样编译和使用上面的代码。(仅在 Ubuntu 上测试过,抱歉,关于 Windows,我无能为力。)

$ swipl -o day.exe -g main -c day.pl

$ ./day.exe --term monday
[goal(_G997),day(monday)]
true

$ ./day.exe --goal "day(sunday)"
[day(_G1009),goal(day(sunday))]
false
于 2013-02-13T13:24:37.523 回答
4

我将参考 Eight_puzzle.pl,我为另一个答案发布的模块作为测试用例。然后我用测试参数行用法编写一个新文件(比如 p8.pl),编译并运行

:- use_module(eight_puzzle).

go :-
    current_prolog_flag(argv, Argv),
    writeln(argv:Argv),
    (   nth1(Test_id_flag, Argv, '--test_id'),
        Test_id_pos is Test_id_flag+1,
        nth1(Test_id_pos, Argv, Id)
    ->  atom_concat(test, Id, Func)
    ;   Func = test1
    ),
    forall(time(call(eight_puzzle:Func, R)), writeln(R)).

编译我使用了2.10 编译中的文档部分 2.10.2.4

swipl -O --goal=go --stand_alone=true -o p8 -c p8.pl

并使用指定的选项运行:

./p8 --test_id 0

我正在运行 Ubuntu,但在 Windows 上应该没有区别。

argv:[./p8,--test_id,0]
% 4,757 inferences, 0.003 CPU in 0.003 seconds (100% CPU, 1865842 Lips)
[4,3,6,7,8]
% 9,970 inferences, 0.005 CPU in 0.005 seconds (100% CPU, 2065656 Lips)
[4,3,6,7,4,5,8,7,4,5,8,7,4,5,8]
...

高温高压

于 2013-02-08T10:09:44.537 回答