Me gustaría agregar algunos detalles, ya que las respuestas existentes son bastante delgadas :
La pista más importante es: ¡Nunca debe crear una restricción sin un nombre explícito!
El mayor problema con restricciones sin nombre : cuando ejecuta esto en varias máquinas de clientes, obtendrá nombres diferentes / aleatorios en cada una.
Cualquier script de actualización futura será un verdadero dolor de cabeza ...
El consejo general es:
- ¡Sin restricciones sin un nombre!
- Use alguna convención de nomenclatura, p. Ej.
DF_TableName_ColumnName
para una restricción predeterminada
CK_TableName_ColumnName
para una restricción de verificación
UQ_TableName_ColumnName
por una restricción única
PK_TableName
para una restricción de clave primaria
La sintaxis general es
TheColumn <DataType> Nullability CONSTRAINT ConstraintName <ConstraintType> <ConstraintDetails>
Prueba esto aquí
Puede agregar más restricciones a cada columna y puede agregar restricciones adicionales al igual que agrega columnas después de una coma:
CREATE TABLE dbo.SomeOtherTable(TheIdThere INT NOT NULL CONSTRAINT PK_SomeOtherTable PRIMARY KEY)
GO
CREATE TABLE dbo.TestTable
(
--define the primary key
ID INT IDENTITY NOT NULL CONSTRAINT PK_TestTable PRIMARY KEY
--let the string be unique (results in a unique index implicitly)
,SomeUniqueString VARCHAR(100) NOT NULL CONSTRAINT UQ_TestTable_SomeUniqueString UNIQUE
--define two constraints, one for a default value and one for a value check
,SomeNumber INT NULL CONSTRAINT DF_TestTable_SomeNumber DEFAULT (0)
CONSTRAINT CK_TestTable_SomeNumber_gt100 CHECK(SomeNumber>100)
--add a foreign key constraint
,SomeFK INT NOT NULL CONSTRAINT FK_TestTable_SomeFK FOREIGN KEY REFERENCES dbo.SomeOtherTable(TheIdThere)
--add a constraint for two columns separately
,CONSTRAINT UQ_TestTable_StringAndNumber UNIQUE(SomeFK,SomeNumber)
);
GO
- inserte algunos datos
INSERT INTO dbo.SomeOtherTable VALUES(1);
INSERT INTO dbo.TestTable(SomeUniqueString,SomeNumber,SomeFK) VALUES('hello',111,1);
GO
INSERT INTO dbo.TestTable(SomeUniqueString,SomeNumber,SomeFK)
VALUES('fails due to uniqueness of 111,1',111,1);