Writing Device Drivers in Linux: A Brief Tutorial
Writing Device Drivers in Linux: A Brief Tutorial
Pre-requisites
In order to develop Linux device drivers, it is necessary to have an understanding of the following:
• C programming. Some in-depth knowledge of C programming is needed, like pointer usage, bit
manipulating functions, etc.
• Microprocessor programming. It is necessary to know how microcomputers work internally:
memory addressing, interrupts, etc. All of these concepts should be familiar to an assembler
programmer.
There are several different devices in Linux. For simplicity, this brief tutorial will only cover type char
devices loaded as modules. Kernel 2.6.x will be used (in particular, kernel 2.6.8 under Debian Sarge, which is
now Debian Stable).
• Kernel space. Linux (which is a kernel) manages the machine’s hardware in a simple and efficient
manner, offering the user a simple and uniform programming interface. In the same way, the kernel,
and in particular its device drivers, form a bridge or interface between the end-user/programmer and
the hardware. Any subroutines or functions forming part of the kernel (modules and device drivers,
for example) are considered to be part of kernel space.
• User space. End-user programs, like the UNIX shell or other GUI based applications
(kpresenter for example), are part of the user space. Obviously, these applications need to interact
with the system’s hardware . However, they don’t do so directly, but through the kernel supported
functions.
Figure 1: User space where applications reside, and kernel space where modules or device drivers reside
On the other hand, in kernel space Linux also offers several functions or subroutines to perform the low level
interactions directly with the hardware, and allow the transfer of information from kernel to user space.
Usually, for each function in user space (allowing the use of devices or files), there exists an equivalent in
kernel space (allowing the transfer of information from the kernel to the user and vice-versa). This is shown in
Table 1, which is, at this point, empty. It will be filled when the different device drivers concepts are
introduced.
For this purpose I’ll write the following program in a file named nothing.c
<nothing.c> =
#include <linux/module.h>
MODULE_LICENSE("Dual BSD/GPL");
Since the release of kernel version 2.6.x, compiling modules has become slightly more complicated. First, you
need to have a complete, compiled kernel source-code-tree. If you have a Debian Sarge system, you can
follow the steps in Appendix B (towards the end of this article). In the following, I’ll assume that a kernel
version 2.6.8 is being used.
Next, you need to generate a makefile. The makefile for this example, which should be named Makefile,
will be:
<Makefile1> =
obj-m := nothing.o
Unlike with previous versions of the kernel, it’s now also necessary to compile the module using the same
kernel that you’re going to load and use the module with. To compile it, you can type:
This extremely simple module belongs to kernel space and will form part of it once it’s loaded.
In user space, you can load the module as root by typing the following into the command line:
# insmod nothing.ko
The insmod command allows the installation of the module in the kernel. However, this particular module
isn’t of much use.
It is possible to check that the module has been installed correctly by looking at all installed modules:
# lsmod
The first driver: loading and removing the driver in user space 3
Writing device drivers in Linux: A brief tutorial
Finally, the module can be removed from the kernel using the command:
# rmmod nothing
By issuing the lsmod command again, you can verify that the module is no longer in the kernel.
These tasks are performed, in kernel space, by two functions which need to be present (and explicitly
declared): module_init and module_exit; they correspond to the user space commands insmod and
rmmod , which are used when installing or removing a module. To sum up, the user commands insmod and
rmmod use the kernel space functions module_init and module_exit.
Let’s see a practical example with the classic program Hello world:
<hello.c> =
#include <linux/init.h>
#include <linux/module.h>
#include <linux/kernel.h>
MODULE_LICENSE("Dual BSD/GPL");
module_init(hello_init);
module_exit(hello_exit);
The “Hello world” driver: loading and removing the driver in kernel space 4
Writing device drivers in Linux: A brief tutorial
The actual functions hello_init and hello_exit can be given any name desired. However, in order for
them to be identified as the corresponding loading and removing functions, they have to be passed as
parameters to the functions module_init and module_exit.
The printk function has also been introduced. It is very similar to the well known printf apart from the
fact that it only works inside the kernel. The <1> symbol shows the high priority of the message (low
number). In this way, besides getting the message in the kernel system log files, you should also receive this
message in the system console.
This module can be compiled using the same command as before, after adding its name into the Makefile.
<Makefile2> =
In the rest of the article, I have left the Makefiles as an exercise for the reader. A complete Makefile that will
compile all of the modules of this tutorial is shown in Appendix A.
When the module is loaded or removed, the messages that were written in the printk statement will be
displayed in the system console. If these messages do not appear in the console, you can view them by issuing
the dmesg command or by looking at the system log file with cat /var/log/syslog.
To develop this driver, several new #include statements which appear frequently in device drivers need to
be added:
<memory initial> =
MODULE_LICENSE("Dual BSD/GPL");
After the #include files, the functions that will be defined later are declared. The common functions which
are typically used to manipulate files are declared in the definition of the file_operations structure.
These will also be explained in detail later. Next, the initialization and exit functions—used when loading and
removing the module—are declared to the kernel. Finally, the global variables of the driver are declared: one
of them is the major number of the driver, the other is a pointer to a region in memory,
memory_buffer, which will be used as storage for the driver data.
To link normal files with a kernel module two numbers are used: major number and minor number.
The major number is the one the kernel uses to link a file with its driver. The minor number is for
To achieve this, a file (which will be used to access the device driver) must be created, by typing the
following command as root:
# mknod /dev/memory c 60 0
In the above, c means that a char device is to be created, 60 is the major number and 0 is the minor
number.
Within the driver, in order to link it with its corresponding /dev file in kernel space, the
register_chrdev function is used. It is called with three arguments: major number, a string of
characters showing the module name, and a file_operations structure which links the call with the file
functions it defines. It is invoked, when installing the module, in this way:
int memory_init(void) {
int result;
/* Registering device */
result = register_chrdev(memory_major, "memory", &memory_fops);
if (result < 0) {
printk(
"<1>memory: cannot obtain major number %d\n", memory_major);
return result;
}
fail:
memory_exit();
return result;
}
Also, note the use of the kmalloc function. This function is used for memory allocation of the buffer in the
device driver which resides in kernel space. Its use is very similar to the well known malloc function.
Finally, if registering the major number or allocating the memory fails, the module acts accordingly.
The buffer memory is also freed in this function, in order to leave a clean kernel when removing the device
driver.
When a file is opened, it’s normally necessary to initialize driver variables or reset the device. In this simple
example, though, these operations are not performed.
<memory open> =
/* Success */
return 0;
}
When a file is closed, it’s usually necessary to free the used memory and any variables related to the opening
of the device. But, once again, due to the simplicity of this example, none of these operations are performed.
<memory release> =
/* Success */
return 0;
}
In this simple case, the memory_read function transfers a single byte from the driver buffer
(memory_buffer) to user space with the function copy_to_user:
<memory read> =
The reading position in the file (f_pos) is also changed. If the position is at the beginning of the file, it is
increased by one and the number of bytes that have been properly read is given as a return value, 1. If not at
the beginning of the file, an end of file (0) is returned since the file only stores one byte.
<memory write> =
char *tmp;
tmp=buf+count-1;
copy_from_user(memory_buffer,tmp,1);
return 1;
}
In this case, the function copy_from_user transfers the data from user space to kernel space.
<memory.c> =
<memory initial>
<memory init module>
<memory exit module>
<memory open>
<memory release>
<memory read>
<memory write>
Before this module can be used, you will need to compile it in the same way as with previous modules. The
module can then be loaded with:
# insmod memory.ko
If everything went well, you will have a device /dev/memory to which you can write a string of characters
and it will store the last one of them. You can perform the operation like this:
To check the content of the device you can use a simple cat:
$ cat /dev/memory
The stored character will not change until it is overwritten or the module is removed.
The parallel port is effectively a device that allows the input and output of digital information. More
specifically it has a female D-25 connector with twenty-five pins. Internally, from the point of view of the
CPU, it uses three bytes of memory. In a PC, the base address (the one from the first byte of the device) is
usually 0x378. In this basic example, I’ll use just the first byte, which consists entirely of digital outputs.
The connection of the above-mentioned byte with the external connector pins is shown in figure 2.
Figure 2: The first byte of the parallel port and its pin connections with the external female D-25 connector
/* Registering port */
port = check_region(0x378, 1);
if (port) {
printk("<1>parlelport: cannot reserve 0x378\n");
result = port;
goto fail;
}
request_region(0x378, 1, "parlelport");
<parlelport inport> =
/* Reading port */
parlelport_buffer = inb(0x378);
<parlelport outport> =
<parlelport.c> =
<parlelport initial>
<parlelport init module>
Initial section
In the initial section of the driver a different major number is used (61). Also, the global variable
memory_buffer is changed to port and two more #include lines are added: ioport.h and io.h.
<parlelport initial> =
MODULE_LICENSE("Dual BSD/GPL");
module_init(parlelport_init);
module_exit(parlelport_exit);
Initial section 14
Writing device drivers in Linux: A brief tutorial
Module init
In this module-initializing-routine I’ll introduce the memory reserve of the parallel port as was described
before.
int parlelport_init(void) {
int result;
/* Registering device */
result = register_chrdev(parlelport_major, "parlelport",
&parlelport_fops);
if (result < 0) {
printk(
"<1>parlelport: cannot obtain major number %d\n",
parlelport_major);
return result;
}
fail:
parlelport_exit();
return result;
}
void parlelport_exit(void) {
<parlelport open> =
/* Success */
return 0;
Module init 15
Writing device drivers in Linux: A brief tutorial
<parlelport release> =
/* Success */
return 0;
}
<parlelport read> =
<parlelport inport>
<parlelport write> =
char *tmp;
tmp=buf+count-1;
copy_from_user(&parlelport_buffer,tmp,1);
<parlelport outport>
return 1;
}
WARNING: Connecting devices to the parallel port can harm your computer. Make sure that you are
properly earthed and your computer is turned off when connecting the device. Any problems that arise
due to undertaking these experiments is your sole responsibility.
The circuit to build is shown in figure 3 You can also read “PC & Electronics: Connecting Your PC to the
Outside World” by Zoller as reference.
In order to use it, you must first ensure that all hardware is correctly connected. Next, switch off the PC and
connect the device to the parallel port. The PC can then be turned on and all device drivers related to the
parallel port should be removed (for example, lp, parport, parport_pc, etc.). The hotplug module of
the Debian Sarge distribution is particularly annoying and should be removed. If the file
/dev/parlelport does not exist, it must be created as root with the command:
# mknod /dev/parlelport c 61 0
The module can now be installed, parlelport. You can check that it is effectively reserving the
input/output port addresses 0x378 with the command:
$ cat /proc/ioports
To turn on the LEDs and check that the system is working, execute the command:
$ echo -n A >/dev/parlelport
This should turn on LED zero and six, leaving all of the others off.
You can check the state of the parallel port issuing the command:
$ cat /dev/parlelport
Figure 3: Electronic diagram of the LED matrix to monitor the parallel port
<lights.c> =
#include <stdio.h>
#include <unistd.h></p>
int main() {
unsigned char byte,dummy;
FILE * PARLELPORT;
fclose(PARLELPORT);
$ lights
The lights will flash successively one after the other! The flashing LEDs and the Linux computer running this
program are shown in figure 4.
Conclusion
Having followed this brief tutorial you should now be capable of writing your own complete device driver for
simple hardware like a relay board (see Appendix C), or a minimal device driver for complex hardware.
Learning to understand some of these simple concepts behind the Linux kernel allows you, in a quick and
easy way, to get up to speed with respect to writing device drivers. And, this will bring you another step closer
to becoming a true Linux kernel developer.
Figure 4: Flashing LEDs mounted on the circuit board and the computer running Linux. Two terminals are
shown: one where the “parlelport” module is loaded and another one where the “lights” program is run. Tux is
closely following what is going on
Bibliography
A. Rubini, J. Corbert. 2001. Linux device drivers (second edition). Ed. O’Reilly. This book is available for
free on the internet.
Jonathan Corbet. 2003/2004. Porting device drivers to the 2.6 kernel. This is a very valuable resource for
porting drivers to the new 2.6 Linux kernel and also for learning about Linux device drivers.
B. Zoller. 1998. PC & Electronics: Connecting Your PC to the Outside World (Productivity Series).
Nowadays it is probably easier to surf the web for hardware projects like this one.
M. Waite, S. Prata. 1990. C Programming. Any other good book on C programming would suffice.
Bibliography 19
Writing device drivers in Linux: A brief tutorial
Appendix C. Exercises
If you would like to take on some bigger challenges, here are a couple of exercises you can do:
1. I once wrote two device drivers for two ISA Meilhaus boards, an analog to digital converter (ME26)
and a relay control board (ME53). The software is available from the ADQ project. Get the newer PCI
versions of these Meilhaus boards and update the software.
2. Take any device that doesn’t work on Linux, but has a very similar chipset to another device which
does have a proven device driver for Linux. Try to modify the working device driver to make it work
for the new device. If you achieve this, submit your code to the kernel and become a kernel developer
yourself!
This tutorial has been originally typed using a text editor (i.e. emacs) in noweb format. This text is then
processed with the noweb tool to create a LaTeX file ( .tex ) and the source code files ( .c ). All this can
be done using the supplied makefile.document with the command make -f
makefile.document.
I would like to thank the “Instituto Polit?ico de Bragan?rdquo;, the “N?o Estudantil de Linux del Instituto
Polit?ico de Bragan?(NUX)”, the “Asociaci?e Software Libre de Le?SLe?rdquo; and the “N?o de Estudantes
de Engenharia Inform?ca da Universidade de ?ora” for making this update possible.
Biography
Xavier Calbet (/user/42" title="View user profile.): Xavier Calbet (xcalbet AT googlemail DOT com) is a
long time free software user who started using Linux distributions in the ancient times when Slackware had to
be installed using tens of floppy disks. He is currently working on his two pet projects: a meteorological field
and satellite image display system, SAPO (http://sourceforge.net/projects/sapo), and the best available free
numerical computer language to date, PDL (Perl Data Language) (http://pdl.perl.org/).
Copyright information
Permission is granted to copy, distribute and/or modify this document under the terms of the GNU Free
Documentation License, Version 1.2 or any later version published by the Free Software Foundation; with no
Invariant Sections, no Front-Cover Texts, and no Back-Cover Texts. A copy of the license is available at
http://www.gnu.org/copyleft/fdl.html.
Source URL:
http://www.freesoftwaremagazine.com/articles/drivers_linux
Biography 21