首页 诗词 字典 板报 句子 名言 友答 励志 学校 网站地图
当前位置: 首页 > 教程频道 > 数据库 > SQL Server >

两个表数据处理有关问题

2013-12-29 
两个表数据处理问题请帮忙看看:一、有2个表,表1:MainTable (现有记录数在10万条左右)字段:idbigint自动编号

两个表数据处理问题
请帮忙看看:

一、有2个表,
表1:MainTable (现有记录数在10万条左右)
字段:
id  bigint自动编号
Title nvarchar(30)
SubId nvarchar(max)

表2:SubTable (现有记录数在300万条左右)
字段:
id bigint自动编号
Description nvarchar(100)

二、现在需要做的是,判断MainTable中的Title是否出现在SubTable表的Description中,如果有的话,则将SubTable的ID值记录到MainTable表的Subid中。

三、现在用VBS的实现方法是:
sql = "select id from SubTable Where Description like '%" & Title & "%' order by id"
rs.open sql,conn,1,1
然后再通过rs.movenext一条一条记录SubTable的id号后再存到MainTable的SubId字段中
这种方法目前可以实现想要的效果,可是太慢,平均1秒中才能完成MainTable的一条记录模糊匹配,10万条记录需要100000秒,全部处理完大概需要27个小时,非常慢。

请问有没有其他办法来实现?
[解决办法]


select 1 Id,'A' Title,convert(varchar(max), '0') SubId
into #MainTable
union all select 2 ,'B','0'
union all select 3 ,'C','0'
union all select 4 ,'D','0'
union all select 5 ,'E','0'

 select 1 id ,'ABC' Description
into #SubTable
union all select 2 ,'AB'
union all select 3 ,'CD'
union all select 4 ,'EA'

select *
from #MainTable

update b
set SubId=convert(varchar(20),subid) +(select ','+ convert(varchar(20),a.id) from #SubTable  a where CHARINDEX(b.Title,a.Description,1)>0
for xml path('') )
from #MainTable b

select *
from #MainTable

result:
/*
1A0,1,2,4
2B0,1,2
3C0,1,3
4D0,3
5E0,4
*/

try this
[解决办法]
进一步,修改为update操作:

create table MainTable(Id int, Title varchar(20),SubId varchar(100))

insert into MainTable
select 1  ,'A',       0 union all
select 2  ,'B',       0 union all
select 3  ,'C',       0 union all
select 4  ,'D',       0 union all
select 5  ,'E',       0


create table SubTable(Id int,Description varchar(20))

insert into SubTable
select 1  ,'ABC' union all
select 2  ,'AB' union all
select 3  ,'CD' union all
select 4  ,'EA'
go

--修改数据
update MainTable 
set SubId =cast(MainTable.SubId as varchar) +        
   (select ','+ CAST(t.ID as varchar)
  from SubTable t
  where t.Description like '%'+MainTable.Title+'%'
  for xml path('')
   )


--查询修改后的数据
select * from MainTable
/*
IDtitleSubId
1A0,1,2,4
2B0,1,2
3C0,1,3
4D0,3
5E0,4
*/
       

热点排行