所有
我创建了一个包含三个字段的表 - 一个自动增量ID和两个数据字段。 2个数据字段是外键,错误地我将它们设置为NON NULL
。然后我运行以下PHP代码:
$inserted=false;
$insertQuery=$dbConnection->prepare("INSERT INTO $this->table () VALUES ()");
$inserted=$insertQuery->execute(); //Should be true if succesful, False if not.
echo $inserted;
exit;
显示1
- 因此$inserted
的值为true
。我使用此变量作为控件,以确保查询正常。
但是,如果我然后检查数据库,则查询尚未运行。如果我手动输入,我会收到错误,因为2个数据字段不允许null
值。
我的问题是:为什么我的代码中$inserted
的值已切换为true
,因为插入会导致错误?
PS:要在phpMyAdmin中手动运行查询,我这样做:
INSERT INTO 'flashcards' () VALUES ()
我明白了:
#1452 - Cannot add or update a child row: a foreign key constraint fails ('project'.'table1', CONSTRAINT 'table1_ibfk_1' FOREIGN KEY ('data1') REFERENCES 'table2' ('data2') ON DELETE NO ACTION ON UPDATE NO ACTION)
PPS:如果我添加下面建议的vardump代码:
var_dump("Result: ", $inserted);
var_dump("Affected: ", $insertQuery->rowCount());
var_dump("Warnings: ", $insertQuery->errorInfo());
然后我得到以下内容:
string 'Result: ' (length=8)
boolean true
string 'Affected: ' (length=10)
int 1
string 'Warnings: ' (length=10)
array
0 => string '00000' (length=5)
1 => null
2 => null
答案 0 :(得分:2)
我进行了测试,这是我发现的:
CREATE TABLE `test` (
`id` int(11) NOT NULL AUTO_INCREMENT,
`age` int(11) NOT NULL,
`email` varchar(45) NOT NULL,
PRIMARY KEY (`id`)
) ENGINE=InnoDB DEFAULT CHARSET=latin1
从控制台:
INSERT INTO `test` () VALUES ();
// Result:
1 row(s) affected, 2 warning(s):
1364 Field 'name' doesn't have a default value
1364 Field 'email' doesn't have a default value
然后选择:
mysql> select * from test;
+----+------+-------+
| id | name | email |
+----+------+-------+
| 1 | 0 | |
+----+------+-------+
1 row in set (0.00 sec)
另一个插入测试:
mysql> INSERT INTO `test` () VALUES(NULL, NULL, NULL);
ERROR 1048 (23000): Column 'name' cannot be null
所以看来,如果你没有绑定任何参数并且没有设置任何值,那么由于某些原因,MySQL不会将缺失的值作为NULL
进行处理。有趣的是,即使没有设置默认值,数据仍会被插入(因此默认值将特定于列类型)。
一些PHP代码进一步说明了这一点:
$pdo = new PDO('mysql:host=10.1.1.37;dbname=testing', 'user', 'pw');
$query = $pdo->prepare("INSERT INTO `test` () VALUES ()");
$result = $query->execute();
var_dump("Result: ", $result);
var_dump("Affected: ", $query->rowCount());
var_dump("Warnings: ", $query->errorInfo());
/*
string(8) "Result: "
bool(true)
string(10) "Affected: "
int(1)
string(10) "Warnings: "
array(3) {
[0]=>
string(5) "00000"
[1]=>
NULL
[2]=>
NULL
}
*/
因此,您从execute()
获得成功结果的原因是因为我猜测数据会被插入到您的表中。你确定你没有看到任何东西吗?希望有助于澄清事情。