我正在编写一个使用表单信息的简单应用程序,将其通过$ _POST传递给执行python脚本并输出结果的PHP脚本。我遇到的问题是我的python脚本实际上并没有运行传入的参数。
process3.php文件:
<?php
$start_word = $_POST['start'];
$end_word = $_POST['end'];
echo "Start word: ". $start_word . "<br />";
echo "End word: ". $end_word . "<br />";
echo "Results from wordgame.py...";
echo "</br>";
$output = passthru('python wordgame2.py $start_word $end_word');
echo $output;
?>
输出:
Start word: dog
End word: cat
Results from wordgame.py...
Number of arguments: 1 arguments. Argument List: ['wordgame2.py']
在wordgame2.py的顶部,我有以下内容(用于调试目的):
#!/usr/bin/env python
import sys
print 'Number of arguments:', len(sys.argv), 'arguments.'
print 'Argument List:', str(sys.argv)
为什么传递的参数数量不是= 3? (是的,我的表单会正确发送数据。)
非常感谢任何帮助!
编辑:我可能会补充一点,当我明确地告诉它开头和结尾的单词时它会运行......这样的事情:
$output = passthru('python wordgame2.py cat dog');
echo $output
答案 0 :(得分:15)
更新 -
现在我知道PHP,错误在于使用单引号'
。在PHP中,单引号字符串被视为文字,PHP不评估其中的内容。但是,会对双引号"
字符串进行评估,并且可以按照您的预期进行操作。这在this SO answer中得到了很好的总结。在我们的例子中,
$output = passthru("python wordgame2.py $start_word $end_word");
可行,但以下不会 -
$output = passthru('python wordgame2.py $start_word $end_word');
原始回答 -
我认为错误在于
$output = passthru("python wordgame2.py $start_word $end_word");
试试这个
$output = passthru("python wordgame2.py ".$start_word." ".$end_word);
答案 1 :(得分:4)
感谢您的贡献。我已经通过这个简单的修复解决了我的问题:
$command = 'python wordgame2.py ' . $start_word . ' ' . $end_word;
$output = passthru($command);
为了让passthru正确处理php变量,需要在执行之前将其连接到字符串中。