24

我的表有两个键,一个是自动递增的 id (PRIMARY),另一个是项目的名称 (UNIQUE)。

是否可以在同一个表中复制一行?我试过了:

INSERT INTO items
SELECT * FROM items WHERE id = '9198'

这给出了错误Duplicate entry '9198' for key 'PRIMARY'

我也试过:

INSERT INTO items
SELECT * FROM items WHERE id = '9198'
ON DUPLICATE KEY UPDATE id=id+1

这给出了错误Column 'id' in field list is ambiguous

就项目名称(UNIQUE)字段而言,有没有办法附加(Copy)到项目名称,因为该字段也必须是唯一的?

4

14 回答 14

51

明确选择所有列,除了 id 列:

INSERT INTO items
(col1, col2, ..., coln)
SELECT col1, col2, ..., coln
FROM items
WHERE id = '9198'

您的下一个问题可能是:

有没有办法在不明确列出所有列的情况下做到这一点?

回答:不,我不这么认为。

于 2012-07-26T01:05:39.147 回答
28

如果你真的不想像马克的回答那样列出所有表格列,你可以试试这个:

CREATE TEMPORARY TABLE temp_tbl SELECT * FROM items WHERE id = '9198';
SELECT @maxId := MAX(id) + 1 FROM items;
UPDATE temp_tbl SET id = @maxId;
INSERT INTO items SELECT * FROM temp_tbl;
DROP TABLE temp_tbl;

不漂亮,不快。但有效。

于 2012-07-26T01:28:11.360 回答
5

感谢 hobailey 提供了出色的免维护解决方案。

这是我最终使用的代码,已针对 MySQLi 进行了更新:

// Get the columns
$cols = array();
$result = $mysqli->query("SHOW COLUMNS FROM [TABLE]"); // Change table name

while ($r = $result->fetch_array(MYSQLI_ASSOC)) {
    if (!in_array($r["Field"], array("COLA", "COL4", "COL8"))) { // Edit array with any column names you want to exclude
        $cols[] = $r["Field"];
    }
}

// Build and do the insert
$result = $mysqli->query("SELECT * FROM [TABLE] WHERE [SELECTION CRITERIA];"); // Change table name and add selection criteria

while ($r = $result->fetch_array(MYSQLI_ASSOC)) {

    $insertSQL = "INSERT INTO [TABLE] (" . implode(", ",$cols) . ") VALUES ("; // Change table name
    $count = count($cols);

    foreach($cols as $counter=>$col) {
// This is where you can add any code to change the value of existing columns
        $insertSQL .= "'" . $mysqli->real_escape_string($r[$col]) . "'";
        if ($counter < ($count - 1)) {
            $insertSQL .= ", ";
        }
    } // END foreach

    $insertSQL .= ");";

    $mysqli->query($insertSQL);
    if ($mysqli->affected_rows < 1) {
// Add code if the insert fails
    } else {
// Add code if the insert is successful
    }

} // END while
于 2015-08-08T20:18:06.937 回答
4

或者,如果您不想显式编写所有列(并且不想开始创建/删除表),您可以获取表的列并自动构建查询:

//get the columns
$cols=array();
$result = mysql_query("SHOW COLUMNS FROM [table]"); 
 while ($r=mysql_fetch_assoc($result)) {
  if (!in_array($r["Field"],array("[unique key]"))) {//add other columns here to want to exclude from the insert
   $cols[]= $r["Field"];
  } //if
}//while

//build and do the insert       
$result = mysql_query("SELECT * FROM [table] WHERE [queries against want to duplicate]");
  while($r=mysql_fetch_array($result)) {
    $insertSQL = "INSERT INTO [table] (".implode(", ",$cols).") VALUES (";
    $count=count($cols);
    foreach($cols as $counter=>$col) {
      $insertSQL .= "'".$r[$col]."'";
  if ($counter<$count-1) {$insertSQL .= ", ";}//dont want a , on the last one
    }//foreach
  $insertSQL .= ")";

  mysql_query($insertSQL);//execute the query
  }//while

请注意,这使用了 MySQL 的折旧代码,它应该是 MySQLi。我敢肯定它也可以改进,但这是我正在使用的,而且效果很好。

于 2013-12-02T13:33:46.300 回答
3

问题标题确实表明您想通过 PHP 执行此操作。

我遇到了同样的问题,如果您更改表结构(添加/删除列),写出所有列名很乏味且难以维护......而且我不喜欢使用临时表的解决方案。

我选择通过从 PHP 发送的两个查询来解决这个问题 - 效果很好并且不需要维护(免责声明:我使用 meekrodb 库进行数据库访问)

//get the data as an associative array
$row = DB::queryFirstRow("SELECT * FROM your_table WHERE id=%i",$id);
if ($row){
    unset($row["id"]); //unset the primary key
    DB::insert("your_table",$row);
    return DB::insertId();
} else {
    return false;
}

您甚至可以在重新插入之前对内部数据执行更多操作(取消设置其他列以忽略、编辑值等)。

于 2014-06-05T01:29:44.343 回答
2

PHP中的另一种解决方案,用于在没有特定列/例如主键的情况下复制同一个表中的行 - 并且没有“临时表”和“从...显示列” - 方法:

$stmt = $db->prepare("select * from table where id = :id;");
$stmt->bindValue(':id', $_GET['id'], PDO::PARAM_INT);
$stmt->execute();
$row = $stmt->fetch(PDO::FETCH_ASSOC);
unset($row['id']);      //remove primary key

$columns = array_keys($row);
$query = "insert into table (`".implode('`, `', $columns)."`) select `".implode('`, `', $columns)."` from  data_ticket_serie where id = ".$_GET['id'].";";
// echo $query;
$stmt = $db->prepare($query);
$stmt->execute();

INSERT 是一个 SELECT 语句,因此值在语句中不是直接的——>“real_escape_string”或类似的东西没有问题。

于 2018-02-11T10:25:00.563 回答
1

对于有很多列的表,我使用类似于 Phius 想法的(是的,慢)方法。
我把它放在这里只是为了完整。

假设,表 'tbl' 有一个 'id' 定义为

id INT NOT NULL AUTO_INCREMENT PRIMARY KEY

然后,您可以按照以下步骤克隆/复制一行:

  1. 创建一个 tmp 表

创建临时表 tbl_tmp LIKE tbl;

  1. 插入一个或多个要克隆/复制的条目

INSERT INTO tbl_tmp SELECT * FROM tbl WHERE ...;

  1. 从 'id' 中删除 AUTOINCREMENT 标签

ALTER TABLE tbl_tmp 修改 id INT;

  1. 删除主索引

ALTER TABLE tbl_tmp 删除主键;

  1. 更新您的唯一索引并将“id”设置为 0(第 6 步需要 0。才能工作)

更新 tbl_tmp SET unique_value=?,id=0;

  1. 将修改后的行复制到“tbl”中,并自动生成“id”。

插入 tbl SELECT * FROM tbl_tmp;

  1. 清理(​​或只是关闭数据库连接)

删除表 tbl_tmp;

如果您还需要克隆/复制其他表中的一些依赖数据,请对每一行执行上述操作。在第 6 步之后,您可以获得最后插入的键,并使用它使用相同的过程克隆/复制其他表中的相关行。

于 2013-11-26T14:29:22.767 回答
1

我很惊讶没有人提到使用 phpMyAdmin 创建查询。因为这样可以快速添加所有列,然后您只需将 id 设置为 null 或 o,如 wlf 上面提到的。

这是迄今为止最简单的方法

INSERT INTO users SELECT 0,email,user FROM users WHERE id=10
于 2015-04-20T16:40:05.250 回答
1

我最近不得不做类似的事情,所以我想我发布了适用于任何尺寸表的解决方案,包括示例。它只需要一个配置数组,可以调整到几乎任何大小的表。

$copy_table_row = array(
    'table'=>'purchase_orders',     //table name
    'primary'=>'purchaseOrderID',   //primary key (or whatever column you're lookin up with index)
    'index'=>4084,                  //primary key index number
    'fields' => array(
        'siteID',             //copy colunm
        ['supplierID'=>21],   //overwrite this column to arbirary value by wrapping it in an array
        'status',             //copy colunm
        ['notes'=>'copied'],  //changes to "copied"
        'dateCreated',        //copy colunm
        'approved',           //copy colunm
    ),
);
echo copy_table_row($copy_table_row);



function copy_table_row($cfg){
    $d=[];
    foreach($cfg['fields'] as $i => $f){
        if(is_array($f)){
            $d['insert'][$i] = "`".current(array_keys($f))."`";
            $d['select'][$i] = "'".current($f)."'";
        }else{
            $d['insert'][$i] = "`".$f."`";
            $d['select'][$i] = "`".$f."`";
        }
    }
    $sql = "INSERT INTO `".$cfg['table']."` (".implode(', ',$d['insert']).")
        SELECT ".implode(',',$d['select'])."
        FROM `".$cfg['table']."`
        WHERE `".$cfg['primary']."` = '".$cfg['index']."';";
    return $sql;
}

这将输出如下内容:

INSERT INTO `purchase_orders` (`siteID`, `supplierID`, `status`, `notes`, `dateCreated`, `approved`)
SELECT `siteID`,'21',`status`,'copied',`dateCreated`,`approved`
FROM `purchase_orders`
WHERE `purchaseOrderID` = '4084';
于 2019-03-08T10:47:48.677 回答
0

假设表格是user(id,email,user)并且因为您有一个WHERE不能使用的子句MAX(id)+1

INSERT INTO users SELECT 0,email,user FROM users WHERE id=10

请记住,使用 INSERT 时应始终指定列名。

于 2012-10-23T22:24:18.057 回答
0

我想在我的事件表中复制一行,发现 Mark 的解决方案非常有帮助。我把它缩短了一点。

public static function getColumnsOfTable($table,  $arr_exclude_cols=array()) {
    global $obj_db;

    $cols = array();
    $result = $obj_db->query("SHOW COLUMNS FROM `".$table."`");

    while ($r = $result->fetch_array(MYSQLI_ASSOC)) {
        if (!in_array($r["Field"], $arr_exclude_cols)) { 
            $cols[] = $r["Field"];
        }
    }

    return $cols;
}

和复制代码:

$cols = Utils::getColumnsOfTable('events', array('event_id'));

    $result1 = $obj_db->query('SELECT * FROM `events` WHERE `event_id` = '.$event_id);
    $arr_event = mysqli_fetch_array($result1, MYSQLI_NUM);
    unset($arr_event[0]);

    $insertSQL =  'INSERT INTO `events` (`' . implode('`, `',$cols) . '`) VALUES ("'. implode('","', $arr_event).'")'; 
于 2016-01-24T14:04:56.837 回答
0

这是复制任何表的记录的通用函数:

/**
 * @param string $table         Name of table
 * @param array $primaryKey     Which record should be copied? array('nameOfColumnWithUniqueId' => "value")
 * @param array $excludeFields  Which columns should not be copied (e.q. Unique Cols)
 * @param string $database      Name of database
 * @return int                  ID of new inserted record
 */
function copyMysqlRow($table, $primaryKey, $excludeFields = array(), $database = "usr_web3_2")
{
    $field = key($primaryKey);
    $value = current($primaryKey);
    $sql = "
        SELECT
            *
        FROM
            $database.$table
        WHERE
          $field = '$value'
    ";

    $result = mysql_query($sql);
    $row = mysql_fetch_assoc($result);

    $cols = array();
    $values = array();
    foreach ($row AS $col=>$value) {
        if (!in_array($col, $excludeFields)) {
            $cols[] = "`" . $col . "`";
            $values[] = $value === null ? 'null' : "'" . $value . "'";
        }
    }

    $sql = sprintf(" INSERT INTO $database.$table (%s) VALUES  (%s) ", implode($cols, ','), implode($values, ','));

    mysql_query($sql);

    return mysql_insert_id();
}
于 2016-12-28T21:31:22.117 回答
0

最简单的只是使记录的重复值

INSERT INTO items (name,unit) SELECT name, unit FROM items WHERE id = '9198' 

或者通过添加一些列值的新/更改值来复制记录的值,例如“是”或“否”

INSERT INTO items (name,unit,is_variation) SELECT name, unit,'Yes' FROM items WHERE id = '9198' 
于 2021-08-12T07:04:48.973 回答
0

我使用这个...它删除了 temp_tbl 上的主键列,因此重复 ID 没有问题

CREATE TEMPORARY TABLE temp_tbl SELECT * FROM table_to_clone;
ALTER TABLE temp_tbl DROP COLUMN id;
INSERT INTO table_to_clone SELECT NULL, temp_tbl.* FROM temp_tbl;
DROP TABLE temp_tbl;
于 2022-02-16T20:23:14.800 回答