I have the following C code, which creates two modules, m1 and m2, and attempts to call use_module/1 to import m2 into m1:
// main.c
#include <SWI-Prolog.h>
#include <stdio.h>
int main(int argc, char **argv) {
// Initialize Prolog
PL_initialise(1, (char*[]){ argv[0] });
// Create modules m1 and m2
module_t m1 = PL_new_module(PL_new_atom("module_1"));
module_t m2 = PL_new_module(PL_new_atom("module_2"));
// Fetch and store m2's name inside m2_name_t
// (Reusing the atom created above gives the same result.
// This is just to show how the error actually happens in my real code.)
atom_t m2_name_a = PL_module_name(m2);
term_t m2_name_t = PL_new_term_ref();
PL_put_atom(m2_name_t, m2_name_a);
// Create a term for "use_module(m2_name_t)"
term_t use_module_f = PL_new_functor(PL_new_atom("use_module"), 1);
term_t use_module_t = PL_new_term_ref();
PL_cons_functor(use_module_t, use_module_f, m2_name_t);
// Call "use_module(m2_name_t)" inside m1
PL_call(use_module_t, m1);
// Fetch the exception generated by PL_call
char *exception_msg;
term_t exception = PL_exception(0);
PL_get_chars(exception, &exception_msg, CVT_WRITE | REP_UTF8 | BUF_MALLOC);
puts(exception_msg); // Prints "error(existence_error(source_sink,module_2),_)"
}
CMake File:
cmake_minimum_required(VERSION 3.10)
project(test_use_module C)
set(CMAKE_C_STANDARD 99)
set(CMAKE_C_STANDARD_REQUIRED ON)
add_executable(test_use_module main.c)
find_package(SWIPL REQUIRED)
target_link_libraries(test_use_module PRIVATE swipl::libswipl)
As you can see, this code raises an error(existence_error(source_sink,module_2),_)
exception. This does not happen when importing a traditional file-based module, so it looks like use_module/1 does not handle modules created with PL_new_module
properly.
Is this intentional? Am I doing something wrong?
Thanks in advance.
I’m using SWI-Prolog version 9.3.9 for x86_64-linux.