"Get" 函数不起作用,因为并非所有连字符都应被替换

"Get" function doesn't work because not all hyphens should be replaced

我使用 Get 函数在 url 中查找字段 model,但是当模型包含 space 和连字符时我遇到了问题。 示例:我在 url 中的模型是“this-f-example”,数据库中的模型是“this f-example”(所以没有第一个连字符)。

我写了下面的 php 代码,但这还不够。它只会在我的数据库中查找 this f examplethis-f-example,因此它不会 return 什么,因为这些模型不存在。

我应该如何更改我的代码以便它也能查找模型 this-f examplethis f-example

完成url:http//:www.example.com/test.php?model=this-f-example

数据库对应型号:this f-example

<?php
    $pdo = new PDO ('mysql:host.....');    
    $model1 = str_replace ('-', ' ', $_GET['model']);
    $model2 = $_GET['model'];

    $sql = "SELECT DISTINCT brand, model FROM `exampletable` WHERE model = :model1 OR model = :model2";

    $stmt = $pdo->prepare($sql);
    $stmt->bindParam(":model1", $model1);
    $stmt->bindParam(":model2", $model2);
    $stmt->execute();

    if($result = $stmt->fetch(PDO::FETCH_ASSOC))
    {
      echo $result['brand']; 
      echo $result['model'];
    }
?>

如果您在 url 中发送的变量 model 必须是 this-f-example,您可以使用 preg_replace 而不是 str_replace 来获取您的model1model2 对于 url 中的模型。

尝试使用此代码:

$modelUrl= $_GET['model'];    
$model1 = preg_replace('/-/', ' ', $modelUrl, 1);//remove the first hyphen

$occ = preg_match_all('/-/', $modelUrl, $matches, PREG_OFFSET_CAPTURE);
if ($occ !== false && $occ > 1) {
    //remove the second hyphen
   $model2 = substr_replace($modelUrl, ' ', $matches[0][2][1], strlen('-'));
}

$params = array(":model1"=> $model1,
                ":model2"=> $model2);

$sql = "SELECT DISTINCT brand, model FROM `exampletable` WHERE model=:model1 OR model=:model2";

$stmt = $pdo->prepare($sql);
$stmt->execute($params);

但是如果您的问题只是变量中的 spaces,我认为更好的解决方案是使用 urlencode() 函数,它将对变量中的 space 进行编码+ :

echo urlencode('this f-example'); // output : this+f-example

当你用 $GET['model'] 得到它时,只需使用 urldecode() 函数解码变量并删除 + :

echo urldecode($GET['model']); // output : this f-example

您可以使用 Regular Expressions

// turn 'this-f-model' to 'this[- ]f[- ]example'
$model = str_replace ('-', '[- ]', $_GET['model']);

$sql = "SELECT DISTINCT brand, model FROM `exampletable` WHERE model REGEXP :model";

$stmt = $pdo->prepare($sql);
$stmt->bindParam(":model", $model);
$stmt->execute();