TA的每日心情 | 开心 2015-11-8 22:02 |
---|
签到天数: 14 天 连续签到: 1 天 [LV.3]测试连长
|
#-----------2015年11月25日:关于id自动增长的代码:
1:为了让这个表的id实现自动增长;需要建一个表, 添加序列,并实现触发器。
1:建一个表:
create table test
(
id varchar2(6) primary key not null ,
name varchar2(10)
);
2: 查看一下表中的数据
select * from test;
3: 创建序列:
create sequence test_seq increment by 1 start with 1000 minvalue 1000 maxvalue 999999 nocache order;
create sequence test_seq increment by 1 start with 1000 minvalue 1000 maxvalue 999999 cache 20 order;
-- 注释:// cache n 断电会导致id不连续, 但是速度快,百度有对比
4: 触发器实现:
create or replace trigger test_trigger before insert on test for each row begin select
test_seq.Nextval into: new.id from dual ; end;
5: 插入数据 :
insert into test (name ) values ('Lily');
insert into test (name ) values ('Lucy');
insert into test (name ) values ('Tom');
6: 删除表中一个数据:
delete from test where name = 'Tom';
//删除所有的数据
delete from test;
7:删除这张表:
drop table test;
8: 删除表之后,还应该删除掉序列
drop sequence test_seq;
9: 以下为查阅的内容:
Oracle数据库创建表ID字段的自动递增
将表t_uaer的字段ID设置为自增用序列sequence的方法来实现)
----创建表
Create table t_user(
Id number(6),userid varchar2(20),loginpassword varchar2(20),isdisable number(6)
);
----创建序列
create sequence user_seq
increment by 1
start with 1
nomaxvalue
nominvalue
nocache
----创建触发器
create or replace trigger tr_user
before insert on t_user
for each row
begin
select user_seq.nextval into :new.id from dual;
end;
----测试
insert into t_user(userid,loginpassword, isdisable)
values('ffll','liudddyujj', 0);
insert into t_user(userid,loginpassword, isdisable)
values('dddd','zhang', 0)
select * from t_user;
就可以看出结果。
对sequence说明:
increment by :用于指定序列增量(默认值:1),如果指定的是正整数,则序列号自动递增,如果指定的是负数,则自动递减。
start with :用于指定序列生成器生成的第一个序列号,当序列号顺序递增时默认值为序列号的最小值 当序列号顺序递减时默认值为序列号的最大值。
Maxvalue:用于指定序列生成器可以生成的最大序列号(必须大于或等于start with,并且必须大于minvalue),默认为nomaxvalue。
Minvalue:用于指定序列生成器可以生成的最小序列号(必须小于或等于starr with,并且必须小于maxvalue),默认值为nominvalue。
Cycle:用于指定在达到序列的最大值或最小值之后是否继续生成序列号,默认为nocycle。
Cache:用于指定在内存中可以预分配的序列号个数(默认值:20)。
在sequence中应注意:
1、 第一次NEXTVAL返回的是初始值;随后的NEXTVAL会自动增加你定义的INCREMENT BY值,然后返回增加后的值。CURRVAL 总是返回当前SEQUENCE的值,但是在第一次NEXTVAL初始化之后才能使用CURRVAL,否则会出错。一次NEXTVAL会增加一次SEQUENCE的值,所以如果你在同一个语句里面使用多个NEXTVAL,其值就是不一样的。
2、 如果指定CACHE值,ORACLE就可以预先在内存里面放置一些sequence,这样存取的快些。cache里面的取完后,oracle自动再取一组到cache。 使用cache或许会跳号, 比如数据库突然不正常down掉(shutdownabort),cache中的sequence就会丢失. 所以可以在create sequence的时候用nocache防止这种情况。
9.1:
( oracle 中不能设置自动增加,这个和其他数据库不一样,但是有 序列,这个是Oracle自己特有的东西,
首先创建序列:
create sequence seq;
这就创建好了,然后 seq.nextval 就会返回一个值,不会重复的值,
insert into tablename values(seq.nextval,'001','javabook');
insert into tablename values(seq.nextval,'001','javabook');
insert into tablename values(seq.nextval,'001','javabook');)
10 :
1、关于主键:在建表时指定primary key字句即可:
create table test(
id number(6) primary key,
name varchar2(30)
);
如果是对于已经建好的表,想增加主键约束,则类似语法:
alter table test add constraint pk_id primary key(id);
其中add constraint 和 primary key是关键字,pk_id是主键名称,自定义的额,只要不重复即可。
|
|