MySQL,如何插入空日期

2022-08-31 00:49:44

我在MySQL表中的日期字段中插入空值时遇到问题。

下面是插入查询:

$query = 'INSERT INTO table (column_s1, column_s2, column_d1, column_d2)
VALUES ("'.$string1.'", "'.$string2.'", '.$date1.', '.$date2.')';

列 s1 和 s2 采用字符串值,d1 和 d2 采用日期。当我仅使用字符串字段运行此查询时,没有问题。

日期值可以设置为 null 或 null,因此我没有在查询中包含引号,而是在前面将它们添加到变量中。这是我用来设置日期值的php代码:

if (empty($date1)){
    $date1 = NULL;
}
else{
    $date1part = explode("/",$date1);
    $date1 = '"'.$date1part[2].'/'.$date1part[1].'/'.$date1part[0].'"';
}

当日期值全部设置完毕时,将正确插入记录。但是,当任一日期为 null 时,不会插入任何内容。

为什么我不能像这样在MySQL中插入空值?


答案 1

试试这个:

$query = "INSERT INTO table (column_s1, column_s2, column_d1, column_d2) 
          VALUES ('$string1', '$string2', " . ($date1==NULL ? "NULL" : "'$date1'") . ", " . ($date2==NULL ? "NULL" : "'$date2'") . ");";

因此,例如,如果您将其放入查询中:

$string1 = "s1";
$string2 = "s2";
$date1 = NULL;
$date2 = NULL;

结果应该是:

INSERT INTO table (column_s1, column_s2, column_d1, column_d2) VALUES ('s1', 's2', NULL, NULL);

答案 2

您应该首先将 null 变量转换为 NULL 字符串,如下所示:

if(is_null($date1)){
    $date1 = 'NULL';
}

如果您使用的是MySQL日期列,则还必须指定它在创建时应保持为空,如下所示:

CREATE TABLE `table` (
id INT NOT NULL AUTO_INCREMENT,
date DATE NULL DEFAULT NULL,
PRIMARY KEY(id)
)

使用绑定参数执行查询也非常重要,例如使用 pdo

  1. http://www.php.net/manual/en/pdo.construct.php
  2. http://php.net/manual/en/pdo.prepared-statements.php
  3. 如何使用 PDO 插入 NULL 值?

像这样:

$query = 'INSERT INTO table (column_s1, column_s2, column_d1, column_d2)
VALUES (?, ?, ?, ?)';
$stmt = $db->prepare($query);
$stmt->execute(array($string1,$string2,$date1,$date2));

推荐