I read some paragraphs in LKD1 and I just cannot understand the contents below:
Accessing the System Call from User-Space
Generally, the C library provides support for system calls. User applications can pull in function prototypes from the standard headers and link with the C library to use your system call (or the library routine that, in turn, uses your syscall call). If you just wrote the system call, however, it is doubtful that glibc already supports it!
Thankfully, Linux provides a set of macros for wrapping access to system calls. It sets up the register contents and issues the trap instructions. These macros are named
_syscalln()
, wheren
is between zero and six. The number corresponds to the number of parameters passed into the syscall because the macro needs to know how many parameters to expect and, consequently, push into registers. For example, consider the system callopen()
, defined aslong open(const char *filename, int flags, int mode)
The syscall macro to use this system call without explicit library support would be
#define __NR_open 5 _syscall3(long, open, const char *, filename, int, flags, int, mode)
Then, the application can simply call
open()
.For each macro, there are 2+2×n parameters. The first parameter corresponds to the return type of the syscall. The second is the name of the system call. Next follows the type and name for each parameter in order of the system call. The
__NR_open
define is in<asm/unistd.h>
; it is the system call number. The_syscall3
macro expands into a C function with inline assembly; the assembly performs the steps discussed in the previous section to push the system call number and parameters into the correct registers and issue the software interrupt to trap into the kernel. Placing this macro in an application is all that is required to use theopen()
system call.Let's write the macro to use our splendid new
foo()
system call and then write some test code to show off our efforts.#define __NR_foo 283 __syscall0(long, foo) int main () { long stack_size; stack_size = foo (); printf ("The kernel stack size is %ld\n", stack_size); return 0; }
What does the application can simply call open()
mean?
Besides, for the last piece of code, where is the declaration of foo()
? And how can I make this piece of code compilable and runnable? What are the header files I need to include?
__________
1Linux Kernel Development, by Robert Love.
PDF file at wordpress.com (go to page 81); Google Books result.