CakePHP:唯一违规:7错误:重复键值违反唯一约束

时间:2016-04-06 20:09:35

标签: php database postgresql cakephp cakephp-3.0

尝试删除一堆记录然后插入新记录后,我遇到以下错误:

Error: SQLSTATE[23505]: Unique violation: 7 ERROR: duplicate key value violates unique constraint "routes_pkey" DETAIL: Key (id)=(1328) already exists.

SQL Query:
INSERT INTO routes (agency_id, route_identifier, short_name, long_name, description, route_color, text_color) VALUES (:c0, :c1, :c2, :c3, :c4, :c5, :c6) RETURNING *

这是代码的简化版本:

    $routes = TableRegistry::get('Routes');
    $routes->deleteAll(['agency_id' => $agency->id]);

    # Data to be updated
    $patchData = [
        'stops' => $stopData,
        'static_data_modified' => Time::now()
    ];

    $patchOptions = [
        'associated' => ['Stops.Routes']
    ];

    # If: The stops have already been added to the DB
    # Then: Remove them from the patch data
    if (isset($stopData['_ids'])) {
        unset($patchData['stops']);

        # Change settings for this implementation type
        $patchOptions = [];
        $stopCount = count($stopData['_ids']);
    }

    $agency = $this->Agencies->patchEntity($agency, $patchData, $patchOptions);

    $this->Agencies->save($agency);

似乎出于某种原因Postgres认为我插入了一个带有重复主键的记录。但我无法从我的代码中看到这是如何实现的。

这是我在SQL日志结尾处看到的内容:

DELETE FROM 
  routes 
WHERE 
  agency_id = 51

BEGIN

SELECT 
  1 AS "existing" 
FROM 
  agencies Agencies 
WHERE 
  Agencies.id = 51 
LIMIT 
  1

INSERT INTO routes (
  agency_id, route_identifier, short_name, 
  long_name, description, route_color, 
  text_color
) 
VALUES 
  (
    51, '100001', '1', '', 'Kinnear - Downtown Seattle', 
    '', ''
  ) RETURNING *

ROLLBACK

为什么我看到这个错误的任何想法?

我在使用Postgresql 9.4的CakePHP v3.1上

我试图添加它,但它没有改变任何东西:

$connection = ConnectionManager::get('default');
$results = $connection->execute('SET CONSTRAINT = routes_pkey DEFERRED');

以下是我在没有找到解决方案的情况下阅读的类似问题:

更新 在muistooshort的评论之后,我删除了路由表中的所有记录并重新运行代码,它运行正常。当我在那之后第二次运行它时,它也工作得很好。所以我认为这支持了μ的理论,即db中的现有记录存在问题(不是我的代码)。我认为现在更好的问题是DB中导致这种情况的确切原因是什么以及如何解决这些问题?

1 个答案:

答案 0 :(得分:1)

PostgreSQL中的serial type非常简单:它本质上是一个integer列,其默认值来自sequence。但序列并不知道你对表做了什么,所以如果你指定serial的值而不使用或更新序列,事情会变得混乱。

例如:

create table t (
  id serial not null primary key
);
insert into t (id) values (1);
insert into t (id) values (DEFAULT);

会产生唯一性违规,因为1明确用于id,但序列无法知道它已被使用。

演示http://sqlfiddle.com/#!15/17534/1

大概在某个时候某个地​​方添加了id = 1328行而没有来自序列的id。或者也许使用setval调整用于PK默认值的序列,以开始返回表中已有的值。

在任何情况下,最简单的方法是使用setval调整序列以匹配表格的当前内容:

select setval('routes_id_seq', (select max(id) from routes));

序列应该被称为routes_id_seq,但如果不是,您可以使用\d routes内的psql来查找其名称。

因此,如果我们将上一个示例更新为:

create table t (
  id serial not null primary key
);
insert into t (id) values (1);
select setval('t_id_seq', (select max(id) from t));
insert into t (id) values (DEFAULT);

然后我们会在表格中取代12而不是1并出错。

演示http://sqlfiddle.com/#!15/17534/7