平时工作中可能会遇到当试图对库表中的某一列或几列创建唯一索引时,系统提示 ORA-01452 :不能创建唯一索引,发现重复记录。
下面总结一下几种查找和删除重复记录的方法(以表CZ为例):
表CZ的结构如下:
SQL> desc cz
Name Null? Type
----------------------------------------- -------- ------------------
C1 NUMBER(10)
C10 NUMBER(5)
C20 VARCHAR2(3)
删除重复记录的方法原理:
(1).在Oracle中,每一条记录都有一个rowid,rowid在整个数据库中是唯一的,rowid确定了每条记录是在Oracle中的哪一个数据文件、块、行上。
(2).在重复的记录中,可能所有列的内容都相同,但rowid不会相同,所以只要确定出重复记录中那些具有最大rowid的就可以了,其余全部删除。
重复记录判断的标准是:
C1,C10和C20这三列的值都相同才算是重复记录。
经查看表CZ总共有16条记录:
SQL>set pagesize 100
SQL>select * from cz;
C1 C10 C20
---------- ---------- ---
1 2 dsf
1 2 dsf
1 2 dsf
1 2 dsf
2 3 che
1 2 dsf
1 2 dsf
1 2 dsf
1 2 dsf
2 3 che
2 3 che
2 3 che
2 3 che
3 4 dff
3 4 dff
3 4 dff
4 5 err
5 3 dar
6 1 wee
7 2 zxc
20 rows selected.
1.查找重复记录的几种方法:
(1).SQL>select * from cz group by c1,c10,c20 having count(*) >1;
C1 C10 C20
---------- ---------- ---
1 2 dsf
2 3 che
3 4 dff
(2).SQL>select distinct * from cz;
C1 C10 C20
---------- ---------- ---
1 2 dsf
2 3 che
3 4 dff
(3).SQL>select * from cz a where rowid=(select max(rowid) from cz where c1=a.c1 and c10=a.c10 and c20=a.c20);
C1 C10 C20
---------- ---------- ---
1 2 dsf
2 3 che
3 4 dff
2.删除重复记录的几种方法:
(1).适用于有大量重复记录的情况(在C1,C10和C20列上建有索引的时候,用以下语句效率会很高):
SQL>delete cz where (c1,c10,c20) in (select c1,c10,c20 from cz group by c1,c10,c20 having count(*)>1) and rowid not in
(select min(rowid) from cz group by c1,c10,c20 having count(*)>1);
SQL>delete cz where rowid not in(select min(rowid) from cz group by c1,c10,c20);
(2).适用于有少量重复记录的情况(注意,对于有大量重复记录的情况,用以下语句效率会很低):
SQL>delete from cz a where a.rowid!=(select max(rowid) from cz b where a.c1=b.c1 and a.c10=b.c10 and a.c20=b.c20);
SQL>delete from cz a where a.rowid<(select max(rowid) from cz b where a.c1=b.c1 and a.c10=b.c10 and a.c20=b.c20);
SQL>delete from cz a where rowid <(select max(rowid) from cz where c1=a.c1 and c10=a.c10 and c20=a.c20);
(3).适用于有少量重复记录的情况(临时表法):
SQL>create table test as select distinct * from cz; (建一个临时表test用来存放重复的记录)
SQL>truncate table cz; (清空cz表的数据,但保留cz表的结构)
SQL>insert into cz select * from test; (再将临时表test里的内容反插回来)
(4).适用于有大量重复记录的情况(Exception into 子句法):
采用alter table 命令中的 Exception into 子句也可以确定出库表中重复的记录。这种方法稍微麻烦一些,为了使用“excepeion into ”子句,必须首先创建 EXCEPTIONS 表。创建该表的 SQL 脚本文件为 utlexcpt.sql 。对于win2000系统和 UNIX 系统, Oracle 存放该文件的位置稍有不同,在win2000系统下,该脚本文件存放在$ORACLE_HOMEOra90rdbmsadmin 目录下;而对于 UNIX 系统,该脚本文件存放在$ORACLE_HOME/rdbms/admin 目录下。
具体步骤如下:
SQL>@?/rdbms/admin/utlexcpt.sql
Table created.
SQL>desc exceptions
Name Null? Type
----------------------------------------- -------- --------------
ROW_ID ROWID
OWNER VARCHAR2(30)
TABLE_NAME VARCHAR2(30)
CONSTRAINT VARCHAR2(30)
SQL>alter table cz add constraint cz_unique unique(c1,c10,c20) exceptions into exceptions;
*
ERROR at line 1:
ORA-02299: cannot validate (TEST.CZ_UNIQUE) - duplicate keys found
SQL>create table dups as select * from cz where rowid in (select row_id from exceptions);
Table created.
SQL>select * from dups;
C1 C10 C20
---------- ---------- ---
1 2 dsf
1 2 dsf
1 2 dsf
1 2 dsf
2 3 che
1 2 dsf
1 2 dsf
1 2 dsf
1 2 dsf
2 3 che
2 3 che
2 3 che
2 3 che
3 4 dff
3 4 dff
3 4 dff
16 rows selected.
SQL>select row_id from exceptions;
ROW_ID
------------------
AAAHD/AAIAAAADSAAA
AAAHD/AAIAAAADSAAB
AAAHD/AAIAAAADSAAC
AAAHD/AAIAAAADSAAF
AAAHD/AAIAAAADSAAH
AAAHD/AAIAAAADSAAI
AAAHD/AAIAAAADSAAG
AAAHD/AAIAAAADSAAD
AAAHD/AAIAAAADSAAE
AAAHD/AAIAAAADSAAJ
AAAHD/AAIAAAADSAAK
AAAHD/AAIAAAADSAAL
AAAHD/AAIAAAADSAAM
AAAHD/AAIAAAADSAAN
AAAHD/AAIAAAADSAAO
AAAHD/AAIAAAADSAAP
16 rows selected.
SQL>delete from cz where rowid in ( select row_id from exceptions);
16 rows deleted.
SQL>insert into cz select distinct * from dups;
3 rows created.
SQL>select *from cz;
C1 C10 C20
---------- ---------- ---
1 2 dsf
2 3 che
3 4 dff
4 5 err
5 3 dar
6 1 wee
7 2 zxc
7 rows selected.
从结果里可以看到重复记录已经删除。
201.209.154.* 于 2007-06-12 02:01:10发表:
964673a50dd3b95a90364111ff1a94e3 http://pier-francesco-mazzucchelli-lotta-angelo.hzuhtu.org/ http://aveva-un-capello-d-oro.ljiwrk.org/ http://raccolta-de-agostini-guida-al-pc.hzuhtu.org/ http://lele-mora-indagato-20-dicembre-2006.fkgkox.org/ http://macchine-a-motore-a-scoppio.uoyrgt.org/ http://testo-sms-d-amore-sesso.fkgkox.org/ http://zero-tondo-san-paolo-imi.dtufrq.org/ http://articolo-immagine-nissan-micra-c-c.dtufrq.org/ http://comando-dei-vigili-fuoco-avellino.fkgkox.org/ http://aspettativa-per-motivi-di-salute.hzuhtu.org/ 3ebbdc0c5c788c89d957115fc277340d
190.73.112.* 于 2007-06-11 01:57:47发表:
057fb95a8d9b09ef11b3ba29f669560f http://generatore-di-corrente-a-benzina.hhknox.net.in/ http://m-u-r-o-forum-platinum.dtifhu.net.in/ http://ferrari-day-29-ottobre-2006.mksqkw.net.in/ http://foto-gratis-spiaggia-d-inverno.innltr.net.in/ http://gara-concorso-manutenzione-verde-provincia-varese.mksqkw.net.in/ http://addobbi-nelle-chiese-su-roma.dtifhu.net.in/ http://nulla-mundo-pax-sincera-spartito-gratis.mksqkw.net.in/ http://trasformazione-diritto-superficie-diritto-proprieta.dtifhu.net.in/ http://hotel-majoni-a-cortina-d-ampezzo.hhknox.net.in/ http://corte-d-appello-di-brescia.innltr.net.in/ 319dbbb4ab069a1bfb4a4d4d12c61dcd
82.244.247.* 于 2007-06-10 01:36:48发表:
9724b42cef276ca747aa753f87ea1c3d http://blog.myspace.com/196095605 http://sanatoria-vincolo-patto-stabilita-2006.ooqqld.co.in/ http://normativa-progettazione-tetto-neo-centro-storici.mksqkw.co.in/ http://canzone-fa-che-non-sia.pifljm.co.in/ http://hotel-nel-centro-di-rotterdam.kfxrfs.co.in/ http://hotel-monte-vulture-pescopagano-balvano.innltr.co.in/ http://computer-si-blocca-stand-by.pifljm.co.in/ http://inps-su-indennita-di-maternita.innltr.co.in/ http://scheda-tecnica-porsche-911-serie-964.ooqqld.co.in/ http://official-anderson-news.blogspot.com/ 48c0bb0f30b00789fa1734f152bbea8f
190.30.214.* 于 2007-06-09 01:36:30发表:
8bdbf973d3b4424a12ff3409291f6059 http://screen-saver-natale-gratis-free.iumzde.org/ http://acquistare-gioco-xbox-360-basso-prezzo.qjgasd.org/ http://scuola-di-specializzazione-patologia-clinica.iumzde.org/ http://audrey-hepburn-colazione-da-tiffany.qjgasd.org/ http://covent-garden-meta-di-sorrento.iumzde.org/ http://site-xoomer-alice-it-abito-usato.lbpwqo.org/ http://elenco-graduatoria-docente-riserva-palermo.lbpwqo.org/ http://21-12-2006-offerta-vacanza.lbpwqo.org/ http://collegio-regionale-maestri-di-sci-veneto.qjgasd.org/ http://e-come-sostenersi-stare-in-piedi.mbxbva.org/ e44c2d91c99facb894d3b26e91151560
189.136.20.* 于 2007-06-08 03:26:42发表:
42d960cc2b5142da099d1d99b4fa2fbf http://adattatore-pcmcia-express-card-54-34.ouwnql.org/ http://fiorello-torino-18-dicembre-fiat.whguhs.org/ http://galleria-esposizione-quadro-artista-emergente.kkwhbs.org/ http://immagine-inventati-dragon-ball-z-gt.sjfnnx.org/ http://alla-ricerca-di-nemo-walt-disney.incgek.org/ http://comune-reggio-calabria-elezione-comunale-2002.rpddkk.org/ http://direttiva-cee-2000-53-ce.zouvtz.org/ http://riso-ai-frutti-mare-portoghese.zouvtz.org/ http://art-28-legge-n-392-1978.sjfnnx.org/ http://windos-media-player-10-gratis-ita.fjhozm.org/ 2e2f8656ca7971267ae7180fc612fe21
24.232.86.* 于 2007-06-07 06:06:56发表:
37dc5ea7a7fb88d4fe0124640822759e http://gazzetta-ufficiale-31-12-1982.lgrhpd.info/ http://san-luigi-dei-francesi-roma.odkgrg.info/ http://studio-legale-commerciale-prato-roma.gjtkci.info/ http://inviare-giochi-al-cellulare-sms.ytqkdb.info/ http://note-chitarra-fear-of-the-dark.vrnzgy.info/ http://don-t-look-back-anger-traduzione.zjtbra.info/ http://bellucci-scamarcio-manuale-d-amore.lgrhpd.info/ http://architettura-dei-palazzo-nobili-periodo-boccaccio.odkgrg.info/ http://gli-adolescenti-e-il-fumo.dpydtd.info/ http://anno-1989-giunta-comunale-novara.dpydtd.info/ 6dea66dd0952ca77d762129bda0df247
190.48.224.* 于 2007-06-06 09:06:42发表:
04391208eb559c74df07ffe763f08af6 http://scheda-acquisizione-video-ati-x850.yyunae.info/ http://decreto-22-febbraio-2006-antincendio.duajwe.info/ http://libretto-per-il-rito-del-matrimonio.duajwe.info/ http://di-edward-mani-di-forbice.qirjux.info/ http://elenco-caduti-guerra-italiano-1915-1918.jknrtq.info/ http://comune-di-sesto-fiorentino-it.yyunae.info/ http://film-crack-protagonisti-due-ragazzo-muore.qwoucn.info/ http://aprire-un-negozio-di-fiori.lbvsgo.info/ http://dove-far-riparare-telefono-aladino-telecom.jknrtq.info/ http://campeggio-san-lorenzo-al-mare.xaotvu.info/ 11bac96dbb32ab2fd1a6f4018c996a56
220.221.74.* 于 2007-06-05 14:16:06发表:
a969c0be6cd25db917588e16dca9b06d http://tartarughe-aquatiche.dhvvfi.info/ http://rambo-30secondi.uyohtb.info/ http://calendario-maddalena-corvalia.dhvvfi.info/ http://vendita-radiatore-piastra-riscaldamento-roma.dhvvfi.info/ http://vettura-sostitutiva-disabile-milano.uyohtb.info/ http://gelatina-sheba.dvtuzm.info/ http://bauce-trima.uyohtb.info/ http://tegola-decorata.dhvvfi.info/ http://docce-relaxia.wkermn.info/ http://b-maglificio-lia-sforte-b.uyohtb.info/ 4080af707aca2bbb96231fb1b4743d28
85.155.32.* 于 2007-06-04 19:42:53发表:
e0aec915905d6d3b78c0e69a3b1e2003 http://13-giugno-2002-n-163.dlmpxx.org/ http://agcm-it-provvedimento-n-10906.dlmpxx.org/ http://caparra-straordinaria-non-imponibile-irap.xcwjal.org/ http://stacchetti-velina-2006-striscia-notizia.xcwjal.org/ http://scarica-gratis-resident-evil-outbreak-pc.dqiqbg.org/ http://d-m-28-luglio-2005.divuvu.org/ http://samsung-e380-connessione-pc-forum.xcwjal.org/ http://corsi-di-formazione-professionale-regione-campania.pgbdyc.org/ http://trasferimento-dei-dipendente-ricoprono-cariche-elettive.xcwjal.org/ http://magic-fat-pack-spirale-temporale.pgbdyc.org/ e2344a7b53a49ae4d6fdb2a64dbf9945
201.211.210.* 于 2007-06-03 23:58:54发表:
1416ad0db578c924b31baa3344e34d25 http://metzelerocchiale.akqcvy.org/casco-moto-marmorata/index.htm http://ricaricarexverde357.nlamku.org/video-proiettore-epson-emp-tw10/index.htm http://cralarabafenice.seyzuo.org/canossa-chirurgo/index.htm http://mummiesilenzionenellalto.seyzuo.org/avi-supercazzo-nero/index.htm http://irmaallestimentometallico.seyzuo.org/cartine-micheline/index.htm http://mummiesilenzionenellalto.seyzuo.org/lettino-foppa-pedretti-molly/index.htm http://conteggibiliardo.seyzuo.org/barca-mariposa-costruita/index.htm http://boschlavastoviglieincassovogliosapereprezzo.beajbg.org/ricambisti-auto-lombardia/index.htm http://kitdecoupagefabbroeditore.nlamku.org/ristorante-nazzareno-cerveteri/index.htm http://occhialevistaralphloren.beajbg.org/emuita-tk-gioco/index.htm 83869c431dabc6ba13fe3e3c64cc8ac5
190.72.77.* 于 2007-06-03 06:08:26发表:
4a965986adabc0e8301798d459371589 http://alenatuttatuach.lskson.org/foto-autentiche-ermafrodita/index.htm http://clashnslashgratisscaricarefull.bdizoa.org/toschi-moda-borgotaro/index.htm http://revlonunghiacalcio.shxghd.org/curare-bing-eating/index.htm http://masterizzatoreinternoporatile.bdizoa.org/madre-biologica-eterologa-deve-assumere-ormone/index.htm http://ferrocaldaiaesse85.shxghd.org/immagine-tuning-stilo-3p/index.htm http://ieocellulastaminale.lskson.org/url-http-www-viaggiscontatissimi-it/index.htm http://giovanetteculolargo.ksibgs.org/amante-matematica-cercansi/index.htm http://miscelatoreazimut.sdibjo.org/trucchi-raimbow-six/index.htm http://lavorofuturogelpilibro.bdizoa.org/manuale-goldbox-philips-dsx-6070/index.htm http://testoscrittoayo.bdizoa.org/tavolo-allungabile-snaidero/index.htm 691e5261e7f26fe9bfca38d324fb1940
201.255.214.* 于 2007-06-02 10:18:09发表:
7e2a7413cc40b4d26f0978e0003ba589 http://bricosediatorrisi.nlamku.org/garni-irma-ortisei/index.htm http://antennaverticalevhfautocostruita.beajbg.org/sterno-infiammato/index.htm http://fiamatricolore.beajbg.org/stufa-legna-mirabello/index.htm http://telaiobicilook386.akqcvy.org/http-shop-dbline-it/index.htm http://annalisascaraffiatorino.seyzuo.org/imi-clinica-medica-grottaferrata-roma/index.htm http://commercializzazionecandelaprofumate.inkrxe.org/curva-sud-pergo/index.htm http://boschlavastoviglieincassovogliosapereprezzo.beajbg.org/digitale-terestre-copertura/index.htm http://istitutoneurologicovesta.beajbg.org/danno-ruota-parcheggiando-marciapiede/index.htm http://schemapuntocrocepreciousmoments.nlamku.org/interruttore-bi-ticino/index.htm http://googleitwwwikeait.inkrxe.org/cinemaforum-it-raffaele-tizzano-ballerino/index.htm 63aa5c5d6850cbd0ab7a0b3644130d9e
190.45.86.* 于 2007-06-01 15:43:04发表:
e6220dc3d0be424c5b61489e84d8441e http://socomusnavysealstrucco.gkgobd.org/templum-profumo/index.htm http://enricomelozzi.gkgobd.org/h-otel-misano/index.htm http://panonebolognese.mljuyb.org/tatuaggi-elfici/index.htm http://marcobrucknercamminifede.pdjkai.org/piastrella-antica-paladini/index.htm http://richiestamoduloiscrizionestudentearchicad.gkgobd.org/cuneo-mephisto-scarpa/index.htm http://caricabatteriaautobechersatellitasre.pdjkai.org/idrocolonterapia-funziona/index.htm http://motomvagusta175discovolante.gkgobd.org/dowson-s-creeck/index.htm http://berlinowochenmarktammaybachufer.leikrf.org/peposo-dell-impruneta/index.htm http://confederazionecavaliericrociatidimalta.uzghnh.org/trucco-canis-canem-edit-gratis/index.htm http://canalecinqueit.mljuyb.org/trita-arbusto/index.htm 5447788e0ee79eeca3d64876f41eb1cf
69.70.206.* 于 2007-05-30 07:56:22发表:
5f23d0c3e54f38c97217625be45f5347 http://ovvkft.org/hotel/hotel-pocinho-rio-verde.html http://ifrtox.org/br/br-153.html http://ovvkft.org/santo/santo-daime-hotmail.html http://ifrtox.org/modelo/modelo-peticao-divorcio-litigioso.html http://ifrtox.org/suporte/suporte-limpador-brisa.html http://ovvkft.org/sociedade/sociedade-biblica-trinitariana-do-brasil.html http://pegekq.org/progressao/progressao-aritimetica-e-geometrica.html http://wfcqxw.org/partitura/partitura-toque-altar.html http://wfcqxw.org/igreja/igreja-sao-pedro-sao-paulo.html http://ifrtox.org/regular/regular-macarico-fazer-corte.html a91f06099d8916d08fc86aebeef191c8
190.73.158.* 于 2007-05-29 06:38:35发表:
262e0a64df07ed4fd6d66dbe0c8c1417 http://lcitij.org/foto/foto-gratis-dupla-penetracao-anal.html http://xwqumn.org/wal/wal-mart-brasil-com-br.html http://grpytd.org/janes/janes-pedra-madeiras.html http://sxrzpn.org/restaurante/restaurante-palace-rs.html http://xvqeoy.org/biscate/biscate-pelada.html http://xwqumn.org/sanca/sanca-peca-trator.html http://lcitij.org/comissario/comissario-gordon.html http://xvqeoy.org/conquistas/conquistas-espaciais-feitas-norte-americanos.html http://xvqeoy.org/cabo/cabo-de-aco.html http://grpytd.org/tivesse/tivesse-cinco-minuto.html ea84313ff4cf4b8bb8ec851c693c83a5
84.122.87.* 于 2007-05-28 14:34:25发表:
d80b99a1f5a2865343e692a87be083b6 http://ifrtox.info/governo/governo-estrado-amapa.html http://xvqeoy.info/imovel/imovel-venda-litoral-sul-bahia-canavieiras.html http://pegekq.info/site/site-ig-br-www-apo-br.html http://xvqeoy.info/primeiros/primeiros-ser-vivos-eram-heterotrofos.html http://mnopyi.info/venda/venda-mesa-festa-ferro-metal.html http://grpytd.info/wiplash/wiplash-com-br.html http://xvqeoy.info/sincero/sincero-amor.html http://pegekq.info/situacoes/situacoes-ferem-etica-valor-morais.html http://mnopyi.info/francisco/francisco-caltabiano.html http://ifrtox.info/dica/dica-jogo-the-king-of-fighter-98.html 921da3b25f91ff5411abb8e73f72697f
190.48.197.* 于 2007-05-27 22:53:25发表:
0c3617d7ca37cd37455394d2f14f7e61 http://ovvkft.info/yahoo/yahoo-copm-br-mail.html http://lcitij.info/deil/deil-empreendimento.html http://lcitij.info/gilberto/gilberto-boaventura.html http://sxrzpn.info/figura/figura-orgao-sentidos.html http://ovvkft.info/homem/homem-lindos-br.html http://ovvkft.info/neoliberalismo/neoliberalismo-capitalismo-ideologia-liberal-educacao.html http://lcitij.info/cadeirinha/cadeirinha-para-bicicleta.html http://ovvkft.info/pau/pau-na-bundinha.html http://xwqumn.info/servidor/servidor-publico-federal-insalubridade.html http://wfcqxw.info/planicie.txt/planicie.html 6d9dd05b81c19c63ae8e87cbbcfe2050
201.212.206.* 于 2007-05-27 06:44:11发表:
da18781a019b7dd3fd56d04dca33570a http://mnopyi.info/cifra/cifra-eliana-ribeiro-espera-senhor.html http://ifrtox.info/foto/foto-mulher-seio-pequenos.html http://pegekq.info/colegio/colegio-unificado-sergipe.html http://pegekq.info/igreja/igreja-batista-renovada-pedra-vivas-guarulhos.html http://mnopyi.info/terceira/terceira-opcao.html http://ifrtox.info/site/site-ig-br-www-ambeve-br.html http://pegekq.info/analise/analise-swot-restaurante.html http://pegekq.info/workflow/workflow-construcao-sistema.html http://pegekq.info/puran/puran-t-4.html http://grpytd.info/fazer/fazer-declaracao.html 899833c87d41a40d77c99858b4681e10
190.49.98.* 于 2007-05-26 16:37:35发表:
a67d5dd3e3103df82464fe6728f70cd2 http://xwqumn.info/macete/macete-need-for-speed-carbon-pc.html http://lcitij.info/uniao/uniao-europeia-atual.html http://ovvkft.info/acupuntura/acupuntura-simbulos.html http://ovvkft.info/honda/honda-cg125-turuna.html http://xwqumn.info/eros/eros-e-psique-fernando-pessoa.html http://ovvkft.info/site/site-ig-br-www-rjnet-con-br.html http://xwqumn.info/mayara/mayara-rodrigues-filme.html http://wfcqxw.info/diario/diario-oficial-do-estado-de-sao-paulo-resultado-do-concurso-de-der.html http://wfcqxw.info/escala/escala-musical-teclado.html http://sxrzpn.info/processador/processador-intel-core-duo.html 3c6c60ce2277246c0f4063c97808fccb
200.90.68.* 于 2007-05-26 00:39:02发表:
dd212591c5d15d7693fb314a5270aa27 http://torre-dei-corsaro-affitto-barca.itwasb.org/ http://prezzo-pulsar-evolution-1500-va-tower.sfmyzx.org/ http://quiz-patente-di-guida-online.qumpvr.org/ http://castel-romano-outlet-saldo-2007.qumpvr.org/ http://legislazione-repubblica-s-marino-residenza-straniero.nuusjq.org/ http://se-quella-notte-per-divin.pmdxoz.org/ http://guerra-civile-ruanda-hutu-tutsi.sfmyzx.org/ http://gta-sa-adreas-scaricare-gratis.pmdxoz.org/ http://ristorante-cene-vigilia-natale-napoli.pmdxoz.org/ http://casa-affitto-vacanza-igea-marina.nuusjq.org/ f4e92eaca3a0992e5377af9d5fb45ea4
200.116.63.* 于 2007-05-25 04:40:58发表:
edbefcc8f669d4f52fd059cbc1e0f1f4 http://festa-ultimo-dell-anno-veneto.rsxmtx.org/ http://computer-lento-problema-iexplore-exe.rsxmtx.org/ http://giornata-dell-aids-1-dicembre.rsxmtx.org/ http://ultime-notizie-sulla-morte-di-tommaso.ikqtqu.org/ http://orchestra-rai-roma-celibidache-fabbriciani.ljznde.org/ http://ufficio-del-genio-civile-di-palermo.hgfrvc.org/ http://testo-canzone-amo-o-ammazzo.xrpkif.org/ http://lingua-dei-segno-corso-formazione.hgfrvc.org/ http://comune-roma-servizio-sociale-concorso.lwozoc.org/ http://cartina-geografica-siria-egitto-cartina.rsxmtx.org/ 46517f671cf87061af6ace763c7eda9d
83.165.102.* 于 2007-05-24 12:37:49发表:
be0a05c1798018e8c2d69f4f6541a814 http://profumo-eau-de-toilette-soprani.itwasb.org/ http://prevenzione-incendio-novita-maggio-2006.nuusjq.org/ http://dpr-29-marzo-1973-n-156.nuusjq.org/ http://scuole-di-lingue-a-roma.pmdxoz.org/ http://codice-seriale-call-of-duty.itwasb.org/ http://rinuncia-azione-responsabilita-amministratore-societa.lxcjch.org/ http://decreto-ministeriale-23-09-2005.itwasb.org/ http://mivar-16-m-2-schema.pmdxoz.org/ http://federginnastica-comitato-regionale-emilia-romagna.lxcjch.org/ http://codice-seriale-call-of-duty.itwasb.org/ 7798902e03c54f1db3af807b5937ee1b
24.122.40.* 于 2007-05-23 19:52:10发表:
5916a2782d5dcc3e4ecde0e8b479b112 http://designeagle.ipnwxi.net/2005-09-12.html http://marineship.pbcqvd.net/2005-07-19.html http://ikanghwa.ipnwxi.net/2005-08-22.html http://majormillionsslots.utwikd.net/2005-07-11.html http://databasenewsletters.smhiru.net/2005-10-04.html http://mutwillig.qhrtwn.net/2005-07-08.html http://not-for-profitwebdesign.qsogkn.net/2005-08-04.html http://cdsportscenter.qsogkn.net/2005-08-08.html http://mohie.udxpzb.net/2005-08-05.html http://cartyre.smhiru.net/2005-07-20.html e7000c4d06986984b665ec9d15ae719a
83.254.119.* 于 2007-05-16 03:19:59发表:
http://0313f560856aec575a6603a90cf6904a-t.qwoypw.info 0313f560856aec575a6603a90cf6904a http://0313f560856aec575a6603a90cf6904a-b1.qwoypw.info 0313f560856aec575a6603a90cf6904a http://0313f560856aec575a6603a90cf6904a-b3.qwoypw.info b43a48a848da56275457e93295654b68