1

所以我有几个使用变量列表的语句,似乎我总是在数据库中添加另一列,所以我想制作一个变量列表并以某种方式包含它,所以我可以在需要时更改它一次,而不是半打。

    $stmt = $mysql->prepare("SELECT * FROM table WHERE id =? LIMIT 1");

$stmt -> bind_param('i', $id);

$stmt->execute();

$stmt->bind_result($a, $b, $c, $d, $e, $f, $g);

$stmt->fetch();

$stmt->close(); 

但我想做这样的事情:

    varList="$a, $b, $c, $d, $e, $f, $g";

    $stmt = $mysql->prepare("SELECT * FROM table WHERE id =? LIMIT 1");

$stmt -> bind_param('i', $id);

$stmt->execute();

$stmt->bind_result($varList);

$stmt->fetch();

$stmt->close(); 
4

1 回答 1

1

您可以做的是创建一个数组(对变量的引用),然后用于call_user_func_array调用bind_result.

例子:

$varList = array('a', 'b', 'c', 'd', 'e', 'f', 'g'); // variable names.
$params = array(); // list of params

foreach($varList as $v){
    $params[] = &$$v; // store a reference to the vars in $params
}

call_user_func_array(array($stmt, 'bind_result'), $params);

您可能不需要该foreach循环,您也可以这样做:

$varList = array(&$a, &$b, &$c, &$d, &$e, &$f, &$g); // variable references

call_user_func_array(array($stmt, 'bind_result'), $varList);

基于这个答案:https ://stackoverflow.com/a/966717/206403

于 2012-04-06T19:58:16.947 回答