PHP用数组中的字符串替换字符

时间:2018-10-16 20:04:30

标签: php mysql

对于mysql,我使用以下格式:

$sql = "select * from table where area_id = ? and item_id = ?";

然后准备并绑定参数等。如果查询失败,并且我记录了$ sql变量,那么我会确切地得到上面的字符串,该字符串没有太大用处。我想要的是带有绑定值的sql字符串。据我了解,没有简单的方法可以执行此操作,因此我认为我可以执行以下操作:

sql_log(str_replace('?', array($area_id, $item_id), $sql));

要在我的日志中获得类似的内容:

"select * from table where area_id = West and item_id = West" (spot the error!)

所以我知道我的错误是什么。但这是行不通的。我明白了:

"select * from table where area_id = Array and item_id = Array"

4 个答案:

答案 0 :(得分:2)

使用preg_replace_callback功能

$sql = "select * from table where area_id = ? and item_id = ?";
$replace = array('area_id', 'item_id');
echo preg_replace_callback('/\?/', function($x) use(&$replace) { return array_shift($replace);}, $sql);
// select * from table where area_id = area_id and item_id = item_id

答案 1 :(得分:2)

不幸的是,mysqli并不是一种很好的获取查询的方法。您可以使用一种方法来替换参数:

function populateSql ( string $sql, array $params ) : string {
    foreach($params as $value)
        $sql = preg_replace ( '[\?]' , "'" . $value . "'" , $sql, 1 );
    return $sql;
}

答案 2 :(得分:1)

尝试一下:

sprintf('select * from table where area_id = %s and item_id = %s', $area_id, $item_id);

sprintf('select * from table where area_id = "%s" and item_id = "%s"', $area_id, $item_id);

如果数据库中的字段是整数,则必须将%s替换为%d,并且不要使用引号

答案 3 :(得分:0)

Laravel为此提供了一个漂亮的助手。

/**
  * Replace a given value in the string sequentially with an array.
  *
  * @param  string  $search
  * @param  array   $replace
  * @param  string  $subject
  * @return string
  */
function replaceArray($search, array $replace, $subject)
{
    $segments = explode($search, $subject);

    $result = array_shift($segments);

    foreach ($segments as $segment) {
        $result .= (array_shift($replace) ?? $search).$segment;
    }

    return $result;
}

$sql = 'SELECT * FROM tbl_name WHERE col_b = ? AND col_b = ?';

$bindings = [
  'col_a' => 'value_a',
  'col_b' => 'value_b',
];

echo replaceArray('?', $bindings, $sql);

// SELECT * FROM tbl_name WHERE col_b = value_a AND col_b = value_b

来源:Str::replaceArray()