views:

553

answers:

4

This is probably a simple answer but I can't find it. I have a table with a column of integers and I want to ensure that when a row is inserted that the value in this column is greater than zero. I could do this on the code side but thought it would be best to enforce it on the table.

Thanks!

I was in error with my last comment all is good now.

+5  A: 

Create a database constraint:

ALTER TABLE Table1 ADD CONSTRAINT Constraint1 CHECK (YourCol > 0)

You can have pretty sophisticated constraints, too, involving multiple columns. For example:

ALTER TABLE Table1 ADD CONSTRAINT Constraint2 CHECK (StartDate<EndDate OR EndDate IS NULL)
Michael Haren
Don't forget the "NOT NULL". CHECK alone will not reject NULLs. So "EndDate is null" in second example is redundant.
Constantin
+13  A: 

You can use a check constraint on the column. IIRC the syntax for this looks like:

create table foo (
    [...]
   ,Foobar int not null check (Foobar > 0)
    [...]
)

As the poster below says (thanks Constantin), you should create the check constraint outside the table definition and give it a meaningful name so it is obvious which column it applies to.

alter table foo
  add constraint Foobar_NonNegative
      check (Foobar > 0)

You can get out the text of check constraints from the system data dictionary in sys.check_constraints:

select name
      ,description
  from sys.check_constraints
 where name = 'Foobar_NonNegative'
ConcernedOfTunbridgeWells
Will that not just check that it's greater than *or equal to* zero..? Get rid of the equal sign.
Galwegian
Good thinking 99.
ConcernedOfTunbridgeWells
Unnamed constraint may complicate your life later on. Better name your objects from the beginning.
Constantin
@Constantin: would vote up your comment if I could. Sound advice.
Mitch Wheat
@Constantin, @Mitch Wheat. Ditto - good thinking 99. Post updated to point this out.
ConcernedOfTunbridgeWells
A: 

Add a CHECK constraint when creating your table

CREATE TABLE Test(
      [ID] [int]  NOT NULL,
      [MyCol] [int] NOT NULL CHECK (MyCol > 1)
)
Terrapin
A: 

I believe you want to add a CONSTRAINT to the table field:

ALTER TABLE tableName WITH NOCHECK
ADD CONSTRAINT constraintName CHECK (columnName > 0)

That optional NOCHECK is used to keep the constraint from being applied to existing rows of data (which could contain invalid data) & to allow the constraint to be added.

DOK