我从来没有为SQL Server“手工编写”对象创建代码,外键声明在SQL Server和Postgres之间似乎是不同的。这是我的sql到目前为止:

drop table exams;
drop table question_bank;
drop table anwser_bank;

create table exams
(
    exam_id uniqueidentifier primary key,
    exam_name varchar(50),
);
create table question_bank
(
    question_id uniqueidentifier primary key,
    question_exam_id uniqueidentifier not null,
    question_text varchar(1024) not null,
    question_point_value decimal,
    constraint question_exam_id foreign key references exams(exam_id)
);
create table anwser_bank
(
    anwser_id           uniqueidentifier primary key,
    anwser_question_id  uniqueidentifier,
    anwser_text         varchar(1024),
    anwser_is_correct   bit
);

当我运行查询时,我得到这个错误:

信息8139,16级,状态0,9号线 中的引用列数 外键与number of不同 引用列、表 “question_bank”。

你能发现错误吗?


当前回答

create table question_bank
(
    question_id uniqueidentifier primary key,
    question_exam_id uniqueidentifier not null constraint fk_exam_id foreign key references exams(exam_id),
    question_text varchar(1024) not null,
    question_point_value decimal
);

——那也可以。也许是一个更直观的结构?

其他回答

如果您只想单独创建约束,则可以使用ALTER TABLE

alter table MyTable
add constraint MyTable_MyColumn_FK FOREIGN KEY ( MyColumn ) references MyOtherTable(PKColumn)

我不推荐Sara Chipps提到的用于内联创建的语法,因为我宁愿自己命名约束。

你还可以使用以下命令命名外键约束:

CONSTRAINT your_name_here FOREIGN KEY (question_exam_id) REFERENCES EXAMS (exam_id)

我总是使用这种语法在两个表之间创建外键约束

Alter Table ForeignKeyTable
Add constraint `ForeignKeyTable_ForeignKeyColumn_FK`
`Foreign key (ForeignKeyColumn)` references `PrimaryKeyTable (PrimaryKeyColumn)`

即。

Alter Table tblEmployee
Add constraint tblEmployee_DepartmentID_FK
foreign key (DepartmentID) references tblDepartment (ID)

我喜欢AlexCuse的答案,但是无论何时添加外键约束,都应该注意如何处理对引用表中一行中的引用列的更新,特别是如何处理对引用表中的行删除。

如果约束是这样创建的:

alter table MyTable
add constraint MyTable_MyColumn_FK FOREIGN KEY ( MyColumn ) 
references MyOtherTable(PKColumn)

. .然后,如果引用表中有相应的行,则引用表中的更新或删除将失败并报错。

这可能是你想要的行为,但根据我的经验,它通常不是。

如果你像这样创建它:

alter table MyTable
add constraint MyTable_MyColumn_FK FOREIGN KEY ( MyColumn ) 
references MyOtherTable(PKColumn)
on update cascade 
on delete cascade

..然后,父表中的更新和删除将导致引用表中相应行的更新和删除。

(我并不是建议修改默认值,默认值过于谨慎,这是好的。我只是说,这是一个创造约束的人应该经常注意的事情。)

顺便说一下,这可以在创建表时完成,就像这样:

create table ProductCategories (
  Id           int identity primary key,
  ProductId    int references Products(Id)
               on update cascade on delete cascade
  CategoryId   int references Categories(Id) 
               on update cascade on delete cascade
)

这个脚本是关于用外键创建表的,我添加了引用完整性约束sql-server。

create table exams
(  
    exam_id int primary key,
    exam_name varchar(50),
);

create table question_bank 
(
    question_id int primary key,
    question_exam_id int not null,
    question_text varchar(1024) not null,
    question_point_value decimal,
    constraint question_exam_id_fk
       foreign key references exams(exam_id)
               ON DELETE CASCADE
);