Mysql
 sql >> Database >  >> RDS >> Mysql

Come creare due colonne di incremento automatico in MySQL?

Non ho idea del motivo per cui hai bisogno di due colonne che incrementino automaticamente i valori, non ha senso... ma se insisti -
Puoi realizzarlo in una UDF o SP in questo modo hai più colonne che incrementano automaticamente un valore.

ESEMPIO N. 1:PROCEDURA MEMORIZZATA (SP)


Tabella

CREATE TABLE tests (
    test_id INT(10) NOT NULL PRIMARY KEY AUTO_INCREMENT,
    test_num INT(10) NULL,
    test_name VARCHAR(10) NOT NULL
);



Procedura archiviata

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 ;



Chiama l'SP

CALL autoInc('one');
CALL autoInc('two');
CALL autoInc('three');



Guarda la tabella

SELECT * FROM tests;

+---------+----------+-----------+
| test_id | test_num | test_name |
+---------+----------+-----------+
|       1 |       1  | one       |
|       2 |       2  | two       |
|       3 |       3  | three     |
+---------+----------+-----------+



ESEMPIO 2:FUNZIONE DEFINITA DALL'UTENTE (UDF)


Tabella
CREATE TABLE tests (
    test_id INT(10) NOT NULL PRIMARY KEY AUTO_INCREMENT,
    test_num INT(10) NULL,
    test_name VARCHAR(10) NOT NULL
);



Funzione definita dall'utente

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 ;



Inserisci utilizzando l'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');



Guarda la tabella

SELECT * FROM tests;

+---------+----------+-----------+
| test_id | test_num | test_name |
+---------+----------+-----------+
|       1 |       1  | one       |
|       2 |       2  | two       |
|       3 |       3  | three     |
+---------+----------+-----------+

Questi sono stati testati e verificati. Personalmente userei la funzione, è più flessibile.