我为我的网站设计了一个标记系统,其中以哈希(#)开头的标记与没有标记的标记不同。 我正在尝试从我的数据库中提取所有哈希标记并将它们加载到一个数组中:
$keywords = mysql_query("SELECT Keywords FROM Tags WHERE Keywords LIKE '#%'") or die("Query failed with error: ".mysql_error());
$stack = array();
while ($row = mysql_fetch_array($keywords))
{
$wrds = $row['Keywords'];
$val = preg_match("/\b\#\w+(?=,|\b)/", $wrds, $matched);
while (!empty($matched))
{
$val = array_pop($matched);
if (array_search($val, $stack) === FALSE)
{
array_push($stack, $val);
}
}
}
MySQL查询返回以下内容:
+------------------------+
| Keywords |
+------------------------+
| #test1, test |
| #test1, #test2, #test4 |
| #test3, #est5 |
| #test3 |
+------------------------+
我想要一个如下数组:
Array(
[0] => #test1
[1] => #test2
[2] => #test4
[3] => #test3
[4] => #est5
)
我做错了什么?
答案 0 :(得分:0)
试试这个正则表达式:preg_match("/^\#\w+$/", $wrds, $matched);
答案 1 :(得分:0)
正如@NullUserException所说,将序列化值放在RDBMS中是不好的设计,这样做只会让事情变得复杂。
对于你的问题,你可以尝试另一种方式:
$result = array_filter(explode(',', $wrds), function($a){ return $a[0]==='#' } );
答案 2 :(得分:0)
使用preg_match_all
:
$arr = array('#test1, test','#test1, #test2, #test4','#test3, #est5','#test3');
$stack = array();
foreach($arr as $wrds) {
$val = preg_match_all("/#\w+(?=,|$)/", $wrds, $matched);
while (!empty($matched[0])) {
$val = array_pop($matched[0]);
if (array_search($val, $stack) === FALSE)
{
array_push($stack, $val);
}
}
}
print_r($stack);
<强>输出:强>
Array
(
[0] => #test1
[1] => #test4
[2] => #test2
[3] => #est5
[4] => #test3
)