我有3个表,例如数据库中的商品表,标签表,article_tag表。
文章和标签具有N-M关系。
当我需要添加新文章时,使用Yii2的事件记录的link()方法将关系保存到联结表中就可以了。
但是当我需要更新联结表时。如果我再次在文章上调用link()方法。不起作用。以下是我的代码和错误信息。
$tag_ids = Yii::$app->request->post('Article')['tags'];
foreach ($tag_ids as $value) {
$tag = Tag::findOne($value);
$model->link('tags', $tag);
}
SQLSTATE[23000]: Integrity constraint violation: 1062 Duplicate entry '13-1' for key 'PRIMARY'
The SQL being executed was: INSERT INTO `article_tag` (`article_id`, `tag_id`) VALUES (13, 1)
我是否需要删除联结表中的所有数据,然后使用link()进行更新?还是Yii2中缺少某些功能?
- - - - - - - - - - - - 更新 - - - - - - - - - - - - - ----------------
看来我需要自己使用纯sql来执行此操作。我想到的最简单的方法是,首先删除联结表中的数据,然后使用link()再次填充数据透视表。这很简单,但是会弄乱索引。表也快速增长。第二种方法是读取每个记录,然后决定保留它或删除它,然后添加必要的数据。这样会使它变得更加复杂。需要更多代码。
----------------再次更新,我写了一个函数------------------------
public function syncTags($new_tag_ids){
$old_tag_ids = ArrayHelper::getColumn($this->tags, 'id');
$tag_to_delete = array_diff($old_tag_ids, $new_tag_ids);
$tag_to_add = array_diff($new_tag_ids, $old_tag_ids);
if($tag_to_delete){
//delete tags
Yii::$app->db->createCommand()
->delete('article_tag', ['article_id' => $this->id, 'tag_id' => $tag_to_delete])
->execute();
}
if($tag_to_add){
//link new tag assisoated with the article
foreach ($tag_to_add as $value) {
$tag = Tag::findOne($value);
$this->link('tags', $tag);
}
}
}
现在可以了,但不适用于全局范围。我认为这可能对人们有所帮助
所以在这里发布。 Yii需要这类工作的扩展。
最佳答案
大多数时候我只使用这种方法。第二种解决方案也可以使用,但我更喜欢第一种。我是一个热爱解决问题的人,不需要别人的帮助。
/**
* Update categories with the new ones
* @param array $categories [description]
* @return null
*/
public function updateCategories($categories = [])
{
$this->unlinkAll('categories', true);
if ( ! is_array($categories))
return ;
foreach ($categories as $category_id)
{
$category = Category::findOne($category_id);
$this->link('categories', $category);
}
// alternative solution
/*
$old_categories = $this->getCategories()->asArray()->column(); // get all categories IDs
if ( ! is_array($categories))
$categories = [];
$inserted_categories = array_diff($categories, $old_categories);
$deleted_categories = array_diff($old_categories, $categories);
foreach ($inserted_categories as $category_id)
{
$category = Category::findOne($category_id);
$this->link('categories', $category);
}
foreach ($deleted_categories as $category_id)
{
$category = Category::findOne($category_id);
$this->unlink('categories', $category, true);
}
*/
}
关于php - Yii2更新与Active Record的多对多关系的联结表,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/33753923/