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

Vincola con il controllo del valore condizionale in MySQL

Secondo la documentazione ,

Quindi rimuovendo il not null -vincolo da Status e aggiungendo un indice univoco su (ContactId,PhoneId,Status) funzionerà come vuoi, se usi null invece di 0 per inattivo record.

Se non vuoi o non puoi usare null per il tuo Status colonna, voglio assicurarti che sia Status=0 e Status=null comportarsi in modo identico, o ad es. vuoi trattare Status=2 come attivo (e applicando l'unicità), puoi anche aggiungere una colonna fittizia che verrà calcolata da Status .

Se stai usando MySQL 5.7+, puoi farlo con una colonna generata:

CREATE TABLE IF NOT EXISTS `ContactPhone` (
  `ContactPhoneId` int(10) unsigned NOT NULL auto_increment primary key,
  `ContactId` int(11) NOT NULL,
  `PhoneId` smallint(5) unsigned NOT NULL,
  `Status` tinyint(1) NOT NULL DEFAULT '1',
  `StatusUnq` tinyint(1) as (if(Status <> 0, 1, null)) stored null,
  constraint unique (ContactId, PhoneId, StatusUnq)
) ENGINE=MyISAM AUTO_INCREMENT=1 DEFAULT CHARSET=latin1;

insert into ContactPhone (ContactPhoneId, ContactId, PhoneId, Status)
values (1, 1, 1, 1);
insert into ContactPhone (ContactPhoneId, ContactId, PhoneId, Status)
values (2, 1, 1, 1);
-- Duplicate key error 
insert into ContactPhone (ContactPhoneId, ContactId, PhoneId, Status)
values (3, 1, 1, 0);
insert into ContactPhone (ContactPhoneId, ContactId, PhoneId, Status)
values (4, 1, 1, 0);
update ContactPhone set Status = 1 where ContactPhoneId = 4;
-- Duplicate key error 

In caso contrario, puoi utilizzare una colonna normale e utilizzare i trigger per calcolare il valore della colonna, ad esempio:

create trigger trbi_contactPhoneUnique before insert on ContactPhone 
for each row
  set new.StatusUnq = if(new.Status <> 0, 1, null);

create trigger trbu_contactPhoneUnique before update on ContactPhone 
for each row
  set new.StatusUnq = if(new.Status <> 0, 1, null);

Ovviamente puoi cambiare la formula ad es. if(new.Status <> 0, new.Status, null); se vuoi consentire diversi valori di Status anche.