有没有人成功调用过使用TCC的libtcc返回double
的函数?
我定义了一个函数,用于在我的代码中返回double
,并通过tcc_add_symbol
将其添加到libtcc。当我在tcc脚本中调用此函数并获得返回值时,该值为 0.000 ,这不是我所期望的。
代码:
#include <stdlib.h>
#include <stdio.h>
#include <string.h>
#include "libtcc.h"
double get_double()
{
return 80.333;
}
int get_int()
{
return 333;
}
char my_program[] =
"int foo()\n"
"{\n"
" printf(\"Hello World!\\n\");\n"
" printf(\"double: %.4f\\n\", get_double()); \n"
" printf(\"int: %d\\n\", get_int()); \n"
" return 0;\n"
"}\n";
int main(int argc, char **argv)
{
TCCState *s;
typedef int (*func_type)();
func_type func;
s = tcc_new();
if (!s) {
fprintf(stderr, "Could not create tcc state\n");
exit(1);
}
tcc_set_lib_path(s, "TCC");
tcc_set_output_type(s, TCC_OUTPUT_MEMORY);
if (tcc_compile_string(s, my_program) == -1)
return 1;
tcc_add_symbol(s, "get_double", get_double);
tcc_add_symbol(s, "get_int", get_int);
if (tcc_relocate(s, TCC_RELOCATE_AUTO) < 0)
return 1;
func = (func_type)tcc_get_symbol(s, "foo");
if (!func)
return 1;
func();
tcc_delete(s);
getchar();
return 0;
}
运行代码的结果:
Hello World!
double: 0.0000
int: 333
为什么get_double()
函数返回 0.0000 ,但get_int()
成功?
答案 0 :(得分:1)
看看你的int foo()片段。你必须记住,这个字符串是整个编译单元,就像你将它保存到C文件中一样。在这个编译单元中,get_int()和get_double()实际上是未定义的。 int版本由于运气而起作用,因为所有未声明的变量和函数都具有int类型。这也是为什么get_double不起作用的原因,因为同样的规则假设它在int函数中。
解决方案很简单。只需在脚本中声明您的功能即可。使用头文件或类似的东西:
char my_program[] =
"double get_double();\n"
"int get_int();\n"
"int foo()\n"
"{\n"
" printf(\"Hello World!\\n\");\n"
" printf(\"double: %.4f\\n\", get_double()); \n"
" printf(\"int: %d\\n\", get_int()); \n"
" return 0;\n"
"}\n";
我强烈建议您使用tcc_set_error_func()来捕获任何警告和错误。