2

我的 mySQL 数据库中有一个“附加图像”列,并且我(到目前为止没有成功)尝试将第一个 URL 复制到另一列作为“主图像”

例如:

http://website.com/img1.jpg,http://website.com/img2.jpg,http://website.com/img3.jpg,etc..

这些图像周围没有引号,并且数据库通过提要自动更新,因此只需手动更新每个图像都是不可能的。

我有一些 PHP 代码:

$query5 = "SELECT COL_66 FROM tbl_name";
$result6 = mysql_query($query5);
if (!$result6) {
echo 'Query5 Failed: ' . mysql_error();
exit;
}
$row2 = mysql_fetch_row($result6);

我试图使用

$picture = implode(",", $row2);
echo $picture[0];

然后我尝试了

$picture = explode(",", $row2);
echo $picture[0];

内爆的回报是:

h

爆炸的回报是:

Warning: explode() expects parameter 2 to be string, array given in ...

我假设这是因为 img URL 周围没有引号(?)

难道我做错了什么?跟引号有关系吗?

感谢您的阅读和任何帮助!

4

2 回答 2

2

你正在使用implode(). 这将一组字符串连接成一个字符串。

您需要相反的... explode(),它接受一个字符串并将其拆分为一个数组。

您需要遍历结果集,如下所示:

while ($row2 = $mysql_fetch_row($result6)) {
    // assuming the column you need is the first column returned by the query
    $picture = explode(',', $row2[0]);
    echo $picture[0];

    // OR
    list($picture) = explode(',', $row2[0]);
    echo $picture;
}

正如@zerkms 在问题评论中所说,您应该以不同的方式存储它。在我看来,这就像一对多的关系,因此您应该将这些 URL 存储在单独的表中。像这样的东西:

+-------------+-----------------------------+---------+
| mainTableID | URL                         | primary |
+-------------+-----------------------------+---------+
| 1           | http://website.com/img1.jpg | 1       |
| 1           | http://website.com/img2.jpg | 0       |
| 1           | http://website.com/img3.jpg | 0       |
+-------------+-----------------------------+---------+

mainTableID是主表的外键,primary是一个位字段,指示哪个是您的“主图像”。这称为标准化

于 2013-06-21T01:31:22.197 回答
0

尝试:

第一个 $row 是一个数组,其中 [0] 是整行(只有一列)。$picture 是第一行的第一部分。

$row2 = mysql_fetch_row($result6);

$picture = explode(",", $row2[0]);

于 2013-06-21T01:42:43.897 回答