mysql_insert_id alternative for postgresql

后端 未结 4 530
借酒劲吻你
借酒劲吻你 2020-12-01 15:53

is there an alternative for mysql_insert_id() php function for PostgreSQL? Most of the frameworks are solving the problem partially by finding the current value

4条回答
  •  没有蜡笔的小新
    2020-12-01 16:29

    From the PostgreSQL point of view, in pseudo-code:

     * $insert_id = INSERT...RETURNING foo_id;-- only works for PostgreSQL >= 8.2. 
    
     * INSERT...; $insert_id = SELECT lastval(); -- works for PostgreSQL >= 8.1
    
     * $insert_id = SELECT nextval('foo_seq'); INSERT INTO table (foo...) values ($insert_id...) for older PostgreSQL (and newer PostgreSQL)
    

    pg_last_oid() only works where you have OIDs. OIDs have been off by default since PostgreSQL 8.1.

    So, depending on which PostgreSQL version you have, you should pick one of the above method. Ideally, of course, use a database abstraction library which abstracts away the above. Otherwise, in low level code, it looks like:

    Method one: INSERT... RETURNING

    // yes, we're not using pg_insert()
    $result = pg_query($db, "INSERT INTO foo (bar) VALUES (123) RETURNING foo_id");
    $insert_row = pg_fetch_row($result);
    $insert_id = $insert_row[0];
    

    Method two: INSERT; lastval()

    $result = pg_execute($db, "INSERT INTO foo (bar) values (123);");
    $insert_query = pg_query("SELECT lastval();");
    $insert_row = pg_fetch_row($insert_query);
    $insert_id = $insert_row[0];
    

    Method three: nextval(); INSERT

    $insert_query = pg_query($db, "SELECT nextval('foo_seq');");
    $insert_row = pg_fetch_row($insert_query);
    $insert_id = $insert_row[0];
    $result = pg_execute($db, "INSERT INTO foo (foo_id, bar) VALUES ($insert_id, 123);");
    

    The safest bet would be the third method, but it's unwieldy. The cleanest is the first, but you'd need to run a recent PostgreSQL. Most db abstraction libraries don't yet use the first method though.

提交回复
热议问题