我想从C程序执行PHP脚本并将返回的内容存储到C变量中。
我尝试过以下但不起作用:
C:
printf("calling php function\n");
execl("/usr/bin/php -q", "/var/www/html/phpinfo.php", NULL);
printf("End php function\n");
PHP:
<?php
echo "hello";
?>
环境:
还建议采用其他更好的方法来做到这一点。
答案 0 :(得分:13)
此处的简短回答是使用system()
或popen()
而不是execl()
。看到Jason已经发布了关于使用popen()
的一个很好的答案,我将跳过这个并解释如何使用execl()
以防你真正关心。最有可能的是,这是所有不必要的技术笨蛋 - 但是该死的,在讨论popen()
之前我已经将其中的大部分内容作为一个长长的前奏而且我现在不会把它扔掉!
调用execl()
时,所有命令行参数都需要单独传递。此外,第一个参数必须重复为argv[0]
,因为任何程序main()
传统上都是程序的名称。所以固定电话应该是这样的:
execl("/usr/bin/php", "/usr/bin/php", "-q",
"/var/www/html/phpinfo.php", (char *) NULL);
(我将转换添加到(char *)
以确保将空指针作为最终参数而不是整数0传递,如果NULL
恰好定义为0
而不是(void *) 0
,这是合法的。)
这使得execl()
调用正确,但是存在更大的问题。 exec
函数族几乎总是与fork()
和一些复杂的pipe()
杂耍一起使用。这是因为exec
函数不在单独的进程中运行程序;他们实际上取代了当前的流程!因此,一旦您致电execl()
,您的代码就完成了。成品。 execl()
永远不会回来。如果你只是像打电话那样打电话,你将永远不会看到会发生什么,因为你的程序会神奇地转变为/usr/bin/php
过程。
好的,那么关于fork()
和pipe()
的内容是什么?在高层次上,您需要做的是将流程分为两个流程。父进程将继续成为“您的”进程,而子进程将立即调用execl()
并将其自身转换为/usr/bin/php
。然后,如果您已将父进程和子进程正确连接在一起,则它们将能够相互通信。
总而言之,如果你还在这里并且没有点头,你应该向智慧的oracle Google咨询有关所有这些的更多细节。有很多网站提供了更多(!)有关如何进行fork
/ exec
舞蹈的详细信息。
我不会让你停下来。这是我用于我自己的程序的函数,它完全按照我的概述。它实际上与popen()
非常相似,唯一的区别是,除了stderr
和stdin
之外,来电者还可以访问孩子的stdout
信息流。
#include <errno.h>
#include <stdio.h>
#include <sys/types.h>
#include <unistd.h>
pid_t execute(const char *command, FILE **in, FILE **out, FILE **err)
{
pid_t pid;
int fd[6];
pipe(&fd[0]);
pipe(&fd[2]);
pipe(&fd[4]);
switch (pid = fork()) {
case -1:
perror("unable to fork()");
exit(1);
case 0:
close(fd[1]); // Close write end of stdin.
close(fd[2]); // Close read end of stdout.
close(fd[4]); // Close read end of stderr.
dup2(fd[0], STDIN_FILENO); // Have stdin read from the first pipe.
dup2(fd[3], STDOUT_FILENO); // Have stdout write to the second pipe.
dup2(fd[5], STDERR_FILENO); // Have stderr write to the third pipe.
execlp("/bin/sh", "/bin/sh", "-c", command, (char *) NULL);
perror("execlp() failed");
_exit(1);
default:
close(fd[0]); // Close read end of stdin.
close(fd[3]); // Close write end of stdout.
close(fd[5]); // Close write end of stderr.
if (in) *in = fdopen(fd[1], "wb"); else close(fd[1]);
if (out) *out = fdopen(fd[2], "rb"); else close(fd[2]);
if (err) *err = fdopen(fd[4], "rb"); else close(fd[4]);
return pid;
}
}
答案 1 :(得分:7)
可能最简单的方法是使用popen function :(摘自链接页面):
以下示例演示如何使用popen()和pclose()执行命令ls *以获取当前目录中的文件列表:
#include <stdio.h>
...
FILE *fp;
int status;
char path[PATH_MAX];
fp = popen("ls *", "r");
if (fp == NULL)
/* Handle error */;
while (fgets(path, PATH_MAX, fp) != NULL)
printf("%s", path);
status = pclose(fp);
if (status == -1) {
/* Error reported by pclose() */
...
} else {
/* Use macros described under wait() to inspect `status' in order
to determine success/failure of command executed by popen() */
...
}
但是,想要从C程序中读取PHP脚本的输出是一种危险信号,我怀疑可能有一些更清晰的整体解决方案,但如果没有更高层次的描述,很难说更多你想做什么。
答案 2 :(得分:1)
请记住,当您使用execl()
时,它将“成功退出”。所以,你永远不会看到“结束PHP功能”,因为它永远不会到达那行代码。
要解决此问题,您可以使用system
或使用fork()
创建子流程,并在子流程中使用execl
或exec
中的任何其他功能家庭。