Consider the following code running embedded Python script from C++. It create an embedded Python module and then runs a scripts that imports a second script.
#include <Python.h>
#include <iostream>
#include <fstream>
PyObject * mymodule_meth_test(PyObject * self) {
std::cout << "Hello World!" << std::endl;
Py_RETURN_NONE;
}
PyMethodDef module_methods[] = {
{"test", (PyCFunction)mymodule_meth_test, METH_NOARGS, NULL},
{},
};
PyModuleDef module_def = {PyModuleDef_HEAD_INIT, "mymodule", NULL, -1, module_methods};
extern "C" PyObject * PyInit_mymodule() {
PyObject * module = PyModule_Create(&module_def);
return module;
}
void runScript( const std::string& script, bool setArgv )
{
Py_SetPythonHome( L"C:\\dev\\vobs_sde\\sde\\3rdparty\\tools_ext\\python\\Python38" );
PyImport_AppendInittab("mymodule", &PyInit_mymodule);
// Initialize the Python Interpreter
Py_Initialize();
wchar_t** _argv = (wchar_t**) PyMem_Malloc(0);
if ( setArgv )
PySys_SetArgv(0, _argv);
FILE* file = NULL;
fopen_s(&file,script.c_str(),"r");
if ( file )
{
PyRun_SimpleFile(file, script.c_str());
fclose(file);
}
PyMem_Free( _argv );
Py_Finalize();
}
int main( int argc, char* argv[] )
{
std::fstream file1;
file1.open( "mainfile.py", std::ios_base::out );
file1 << "import mymodule" << std::endl;
file1 << "mymodule.test()" << std::endl;
file1.close();
runScript( "mainfile.py", false );
std::fstream file2;
file2.open( "importing.py", std::ios_base::out );
file2 << "import mainfile" << std::endl;
file2.close();
runScript( "importing.py", false );
runScript( "importing.py", true );
return 0;
}
The output it:
Hello World!
Traceback (most recent call last):
File "importing.py", line 1, in <module>
import mainfile
ModuleNotFoundError: No module named 'mainfile'
Hello World!
It shows that when PySys_SetArgv
is NOT called, then importing mainfile.py
from importing.py
fails. Why? Is this a Python bug or is calling this function mandatory?