我有另一个表格上传了1个产品的详细信息,这个产品有多个值(10)但是我们选择New Arrival,Black,White并上传到数据库。所以现在我的数据库将字段名称设为'category',其值为New Arrival,Black,White。
现在我想做一个搜索功能,但每当我尝试运行它时,它就不会显示结果。所以我做了2条记录:
第一条记录,字段类别和值“新到货” 第2条记录,字段类别和值“新到货,黑色,白色”
当我再次尝试运行我的代码时,它确实返回了第一条记录的结果,我尝试将相同的记录复制几行,结果表明它只能返回结果,其中类别字段只有1个值
以下是我的代码的一小部分内容:
我的类别字段的添加记录表单输入是:
add_new.html
<select name="category[]" size="10" multiple="multiple">
<options>New Arrival</options>
<options>Black</options>
<options>White</options>
</select>
add_process.php
$category = implode(", ", $_POST['category']);
$strSQL = "INSERT INTO products_list (category) VALUES ('$category')";
search_form.html
<input type="text" name="search_text" />
<input type="submit" name="submit" />
search_process.php
$category = mysql_real_escape_string($_POST['product_category']);
$select = mysql_query("select image1, image2, image3, image4 from products_list WHERE category IN ('new arrival') ORDER BY id ASC");
while($row=mysql_fetch_array($select)) {
echo $row['image1'];
echo $row['image2'];
echo $row['image3'];
echo $row['image4'];
}
要重复我的问题,如何获取该类别字段中包含(所需值)的行的结果?
接下来的问题是,类别值仅作为“新到货”存储在数据库中,如果我只输入“到达”而不是全名,如何获得返回结果?目前,如果我只输入'到达',它也不会返回任何结果。
希望你们明白我想说的话。先谢谢你们。
答案 0 :(得分:1)
Sel说:
$select = mysql_query("select image1, image2, image3, image4 from products_list WHERE category like '%new arrival%' ORDER BY id ASC");
答案 1 :(得分:1)
为便于参考,我在此处作出解释。
$catsearch = $_POST["category"];
$keywords = explode(' ', $catsearch); //if keywords entered is "white black new", will convert to array of "white","black","new". The delimiter here is the space.
$keywordsBits = array();
foreach ($keywords as $keyword) {
$keyword = trim($keyword);
if (!empty($keyword)) {
$keywordsBits[] = "category LIKE '%$keyword%'";
}
}
$result = mysql_query("SELECT * FROM products_list WHERE ".implode(' OR ', $keywordBits));
这将导致像
这样的查询SELECT * FROM products_list WHERE category LIKE '%white%' OR category LIKE '%black%' OR category LIKE '%new%'
如果您想用“,”分隔关键字,可以使用
$keywords = explode(',', $catsearch); //if keywords entered is "white,black,new arrival", will convert to array of "white","black","new arrival". The delimiter here is the comma.
感谢。