Ingen anelse om, hvorfor du har brug for to kolonner automatisk inkrementering værdier, der er ingen mening... men hvis du insisterer -
Du kan opnå det i en UDF eller SP på denne måde, du har flere kolonner automatisk inkrementer en værdi.
EKSEMPEL #1:LAGREDE PROCEDURE (SP)
Tabel
CREATE TABLE tests (
test_id INT(10) NOT NULL PRIMARY KEY AUTO_INCREMENT,
test_num INT(10) NULL,
test_name VARCHAR(10) NOT NULL
);
Lagret procedure
DELIMITER $$
CREATE PROCEDURE autoInc (name VARCHAR(10))
BEGIN
DECLARE getCount INT(10);
SET getCount = (
SELECT COUNT(test_num)
FROM tests) + 1;
INSERT INTO tests (test_num, test_name)
VALUES (getCount, name);
END$$
DELIMITER ;
Ring til SP
CALL autoInc('one');
CALL autoInc('two');
CALL autoInc('three');
Slå op i tabellen
SELECT * FROM tests;
+---------+----------+-----------+
| test_id | test_num | test_name |
+---------+----------+-----------+
| 1 | 1 | one |
| 2 | 2 | two |
| 3 | 3 | three |
+---------+----------+-----------+
EKSEMPEL #2:BRUGERDEFINERET FUNKTION (UDF)
Tabel
CREATE TABLE tests (
test_id INT(10) NOT NULL PRIMARY KEY AUTO_INCREMENT,
test_num INT(10) NULL,
test_name VARCHAR(10) NOT NULL
);
Brugerdefineret funktion
DELIMITER $$
CREATE FUNCTION autoInc ()
RETURNS INT(10)
BEGIN
DECLARE getCount INT(10);
SET getCount = (
SELECT COUNT(test_num)
FROM tests) + 1;
RETURN getCount;
END$$
DELIMITER ;
Indsæt ved hjælp af UDF
INSERT INTO tests (test_num, test_name) VALUES (autoInc(), 'one');
INSERT INTO tests (test_num, test_name) VALUES (autoInc(), 'two');
INSERT INTO tests (test_num, test_name) VALUES (autoInc(), 'three');
Slå op i tabellen
SELECT * FROM tests;
+---------+----------+-----------+
| test_id | test_num | test_name |
+---------+----------+-----------+
| 1 | 1 | one |
| 2 | 2 | two |
| 3 | 3 | three |
+---------+----------+-----------+
Disse er blevet testet og verificeret. Jeg ville personligt bruge funktionen, den er mere fleksibel.