This article has been flagged for not conforming to the wiki guidelines. Please help out, if possible.
initramfs is a root filesystem that is embedded into the kernel and loaded at an early stage of the boot process. It is the successor of initrd. It provides early userspace which can do things the kernel can’t easily do by itself during the boot process.
Using initramfs is optional. By default, the kernel initializes hardware using built-in drivers, mounts the specified root partition, loads the init system of the installed Linux distribution. The init system then loads additional modules and starts services until it eventually presents a log in dialog. This is a good default behavior and sufficient for many users. initramfs is for users with advanced requirements; for users who need to do things as early as possible, even before the root partition is mounted.
Typically, an initramfs is not needed, but may be necessary for:
- Mounting an encrypted, logical, or otherwise special root partition
- Providing a minimalistic rescue shell (if something goes wrong)
- Customize the boot process (e.g., print a welcome message)
- Load modules necessary to boot (e.g., third party storage drivers)
- Anything the kernel can’t do that’s usually handled in user space
Prerequisites
There are countless ways to make an initramfs. You can choose not to create an initramfs at all but let tools, such as Genkernel or Dracut, do the work for you. If you are lucky, one of them does what you want out of the box, and you don’t need to bother with how initramfs works and what it does anymore. If you’re unlucky, they don’t do what you want and you have to extend their functionality, or even build an initramfs all by yourself.
An initramfs contains at least one file called /init. This file is executed by the kernel as the main init process (PID 1). It has to do all the work. In addition, there can be any number of additional files and directories that are required by /init. They are usually files you’ll also find on any other root filesystem, such as /dev for device nodes, /proc for kernel information, /bin for binaries, and so on. The structure of an initramfs can be simple, or it can be complicated, depending on what you are planning to do.
When the kernel mounts the initramfs, your target root partition is not yet mounted, so you can’t access any of your files. That means there is nothing but the initramfs. So everything you need, everything you want, you have to include it in your initramfs. If you want a shell, you have to include it in your initramfs. If you want to mount something, you need a mount utility. If you need to load a module, your initramfs has to provide both the module, as well as a utility to load it. If the utility depends on libraries in order to work, you have to include the libraries as well. This seems complicated, and it is, because the initramfs has to function independently.
Basics
This section will show the easy and straightforward way to initramfs creation, to make a functional — albeit minimalistic — initramfs which then can extend according to needs..
Directory structure
Create a basic initramfs directory structure that will later become the initramfs root. For consistency work in /usr/src/initramfs, but any location would do. Adapt accordingly.
root #
mkdir --parents /usr/src/initramfs/{bin,dev,etc,lib,lib64,mnt/root,proc,root,sbin,sys}
Device nodes
Most things the initramfs does will require a couple of device nodes to be present, especially the device for the root partition. Throughout this document, /dev/sda1 will be used as example device. Copy basic device nodes from the root filesystem to the initramfs example location:
root #
cp --archive /dev/{null,console,tty,sda1} /usr/src/initramfs/dev/
Which devices are needed depends entirely on what the system is going to use initramfs for. Please adapt to the system needs.
Note
More advanced approaches to device nodes are covered in the Dynamic devices section.
Applications
Any binary needed to execute at boot needs to be copied into your initramfs layout. Make sure to also need to copy any libraries that the binaries require. To see what libraries any particular binary requires, use the ldd tool. For example, the dev-util/strace binary requires:
user $
ldd /usr/bin/strace
linux-vdso.so.1 (0x00007fff271ff000) libc.so.6 => /lib64/libc.so.6 (0x00007f5b954fe000) /lib64/ld-linux-x86-64.so.2 (0x00007f5b958a9000)
Here shows that for /usr/bin/strace to work in your initramfs, In this example, /usr/bin/strace to your /usr/src/initramfs/bin, but also /lib64/libc.so.6 and /lib64/ld-linux-x86-64.so.2 to your /usr/src/initramfs/lib64. The exception is linux-vdso.so.1 which is provided by the kernel.
Some applications might depend on other files and libraries to work. For example, app-editors/nano needs a terminfo file /usr/share/terminfo/l/linux from sys-libs/ncurses, so copy it to your initramfs as well. To find these dependencies, tools like equery and strace prove to be most helpful.
Busybox
Instead of collecting countless utilities and libraries (and never seeing the end of it), just use busybox. It’s a set of utilities for rescue and embedded systems, it contains a shell, utilities like ls, mkdir, cp, mount, insmod, and many more — all in a single binary called /bin/busybox. For busybox to work properly in a initramfs, you need to emerge it with the static
USE flag enabled, then copy the /bin/busybox binary into your initramfs layout as /usr/src/initramfs/bin/busybox:
root #
USE="static" emerge --ask --verbose sys-apps/busybox
root #
cp --archive /bin/busybox /usr/src/initramfs/bin/busybox
Note
Use ldd to verify that the binary is static.
Init
The file structure of your initramfs is almost complete. The only thing that is missing is /init itself, the executable in the root of the initramfs that is executed by the kernel. Because sys-apps/busybox includes a fully functional shell, this means you can write your /init binary as a simple shell script (instead of making it a complicated application written in Assembler or C that needs to compile).
The following example shows a minimalistic shell script, based on the busybox shell:
FILE /usr/src/initramfs/init
minimalistic /init example
#!/bin/busybox sh # Mount the /proc and /sys filesystems. mount -t proc none /proc mount -t sysfs none /sys # Do your stuff here. echo "This script just mounts and boots the rootfs, nothing else!" # Mount the root filesystem. mount -o ro /dev/sda1 /mnt/root # Clean up. umount /proc umount /sys # Boot the real thing. exec switch_root /mnt/root /sbin/initThis example needs some device nodes to work, mainly the root block device. Change the script and copy the corresponding /dev/ node to fit the system needs.
Don’t forget to make the /init file executable:
root #
chmod +x /usr/src/initramfs/init
Packaging
The initramfs now has to be made available to the kernel at boot time. This is done by packaging it as a compressed cpio archive. This archive is then either embedded directly into the kernel image, or stored as a separate file which can be loaded by the bootloader during the boot process. Both methods perform equally well/
Kernel configuration
With either method, there is a need to enable Initial RAM filesystem and RAM disk (initramfs/initrd) support.
KERNEL CONFIG_BLK_DEV_INITRD=y
General setup ---> [*] Initial RAM filesystem and RAM disk (initramfs/initrd) supportWarning
Also enable all drivers, filesystems, compression methods and other settings that are required for booting and accessing your root partition. If you select such drivers as modules, you’ll have to collect and integrate the module files into your initramfs and load them in your /init. Generally this means a lot of unnecessary extra work, so just use built-in drivers for now.Embedding into the Kernel
The initramfs to be embedded into the kernel image, set Initramfs source file(s) to the root of your initramfs, (e.g. /usr/src/initramfs) but this isn’t necessary:
KERNEL CONFIG_INITRAMFS_SOURCE=»/usr/src/initramfs»
General setup ---> (/usr/src/initramfs) Initramfs source file(s)Now compile the kernel it will automatically put the files into a cpio archive and embed it into the kernel image. There will need to rebuild the kernel any time a changes is made to the initramfs.
Creating a separate file
To use a standalone archive file, adjust the kernel settings accordingly:
KERNEL Support inital ramdisk/ramfs compressed using <compression_method>
General setup ---> () Initramfs source file(s) [*] Support initial ramdisk/ramfs compressed using gzip [] Support initial ramdisk/ramfs compressed using bzip2 [] Support initial ramdisk/ramfs compressed using LZMA [] Support initial ramdisk/ramfs compressed using XZ [] Support initial ramdisk/ramfs compressed using LZO [] Support initial ramdisk/ramfs compressed using LZ4For this example gzip is sufficient.
Warning
Not supporting a compression method for this example, will cause a kernel panic when booting!Create a standalone archive file by running the following commands:
root #
cd /usr/src/initramfs
root #
find . -print0 | cpio --null --create --verbose --format=newc | gzip --best > /boot/custom-initramfs.cpio.gz
This will create a file called custom-initramfs.cpio.gz in /boot. Now instruct your bootloader to load this file along with the kernel.
Using GRUB
In case of GRUB, do this with the initrd line:
FILE
/boot/grub/grub.cfg
GRUB initrd examplelinux 3.12.6-gentoo initrd custom-initramfs.cpio.gzWarning
If you are unfamiliar with bootloader configuration, please refer to GRUB.In order to make this usable with grub-mkconfig, the filename custom-initramfs.cpio.gz must be included in the GRUB helper scripts:
FILE
/etc/grub.d/10_linux
grub-mkconfig helper script[...] initrd_real= for i in "initrd.img-${version}" "initrd-${version}.img" "initrd-${version}.gz" "custom-initramfs.cpio.gz" "initrd-${version}" "initramfs-${version}.img" [...]FILE
/etc/grub.d/10_linux_xen
grub-mkconfig helper script[...] initrd_real= for i in "initrd.img-${version}" "initrd-${version}.img" "initrd-${version}.gz" "custom-initramfs.cpio.gz" "initrd-${version}" "initramfs-${version}.img" [...]Note
It is also possible to use the variable ${version} for the filename in the helper script. This means that the file itself has to be renamed as well. The variable content corresponds to the output of uname —kernel-release.After applying the changes, the file will be recognized running grub-mkconfig; the output may look like the following:
root #
grub-mkconfig -o /boot/grub/grub.cfg
Generating grub configuration file ... Found linux image: /boot/vmlinuz-4.14.83-gentoo Found initrd image: /boot/custom-initramfs.cpio.gz doneExternal file list
An external file list, or cpio list, describes files to be included into the initramfs. This file list is processed by an utility that comes with the Linux kernel, usr/gen_init_cpio. It can be used for both embedded and standalone initramfs, either by using it as INITRAMFS_SOURCE directly or by running the utility from a shell. This lets you build the initramfs dynamically, always using the latest files from your system, but compared to populating a real directory /usr/src/initramfs, it is less intuitive and requires more knowledge in regards to device nodes and such. The command file will prove as very useful to get information from special block or character devices.
Warning
This method is for advanced users. You may skip this section, if you feel uncomfortable with the next steps.A minimalistic list may look like so:
FILE
/usr/src/initramfs.list
cpio list example# Custom Initramfs minimal example dir /dev 0755 0 0 file /init /usr/src/initramfs/init 0755 0 0Create the cpio archive, compress it and move it to /boot:
root #
cd /usr/src/linux
root #
usr/gen_init_cpio ../initramfs.list > ../initramfs.cpio
root #
gzip --best ../initramfs.cpio
root #
mv ../initramfs.cpio.gz /boot
After that update the entries of your bootloader!
Instead of creating the list manually, there is the possibility to let the cpio list and archive be generated by two tools, which are provided by the kernel source files. It might be needed to compile these first; this is documented here.
root #
/usr/src/linux/usr/gen_initramfs.sh -h
Usage: /usr/src/linux/usr/gen_initramfs_list.sh [-o <file>] [-u <uid>] [-g <gid>] {-d | <cpio_source>} ... -o <file> Create compressed initramfs file named <file> using gen_init_cpio and compressor depending on the extension -u <uid> User ID to map to user ID 0 (root). <uid> is only meaningful if <cpio_source> is a directory. "squash" forces all files to uid 0. -g <gid> Group ID to map to group ID 0 (root). <gid> is only meaningful if <cpio_source> is a directory. "squash" forces all files to gid 0. <cpio_source> File list or directory for cpio archive. If <cpio_source> is a .cpio file it will be used as direct input to initramfs. -d Output the default cpio list. All options except -o and -l may be repeated and are interpreted sequentially and immediately. -u and -g states are preserved across <cpio_source> options so an explicit "-u 0 -g 0" is required to reset the root/group mapping.Using the previously created directory structure in /usr/src/initramfs, it may be executed like the following:
root #
cd /usr/src/linux
root #
usr/gen_initramfs.sh -o ../custom-initramfs.cpio /usr/src/initramfs
root #
ls -l ..
total 1656 -rw-r--r-- 1 root root 1675784 Dec 9 03:12 custom-initramfs.cpio drwxr-xr-x 12 root root 4096 Dec 9 00:16 initramfs lrwxrwxrwx 1 root root 20 Nov 23 19:12 linux -> linux-4.14.83-gentoo drwxr-xr-x 26 root root 4096 Dec 9 00:58 linux-4.14.83-gentoo -rw-r--r-- 1 root root 4830 Dec 9 01:07 READMEThe script creates a cpio list by analyzing all directories and files within /usr/src/initramfs. It then executes usr/gen_init_cpio to generate the cpio archive file.
Note
The current working directory must be /usr/src/linux, since the shell script uses the relative path usr/gen_init_cpio.After that, compress the cpio archive via gzip:
root #
gzip /usr/src/custom-initramfs.cpio
This creates the archive /usr/src/custom-initramfs.cpio.gz.
In order to comprehend, all steps can be done manually:
root #
usr/gen_initramfs.sh /usr/src/initramfs | tee ../initramfs.list
##################### # /usr/src/initramfs # Last modified: 1544312413.9519881540 dir /bin 755 0 0 file /bin/busybox /usr/src/initramfs/bin/busybox 755 0 0 dir /dev 755 0 0 nod /dev/console 600 0 0 c 5 1 nod /dev/null 666 0 0 c 1 3 nod /dev/sda1 660 0 6 b 8 1 nod /dev/tty 666 0 5 c 5 0 dir /etc 755 0 0 file /init /usr/src/initramfs/init 744 0 0 dir /lib64 755 0 0 dir /lib 755 0 0 dir /mnt 755 0 0 dir /mnt/root 755 0 0 dir /proc 755 0 0 dir /root 700 0 0 dir /sbin 755 0 0 dir /sys 755 0 0
root #
usr/gen_init_cpio ../initramfs.list > ../initramfs.cpio
root #
gzip --best ../initramfs.cpio
root #
ls -l ..
total 1660 drwxr-xr-x 12 root root 4096 Dec 9 00:16 initramfs -rw-r--r-- 1 root root 1675800 Dec 9 03:44 initramfs.cpio.gz -rw-r--r-- 1 root root 593 Dec 9 03:31 initramfs.list lrwxrwxrwx 1 root root 20 Nov 23 19:12 linux -> linux-4.14.83-gentoo drwxr-xr-x 26 root root 4096 Dec 9 00:58 linux-4.14.83-gentoo -rw-r--r-- 1 root root 4830 Dec 9 01:07 READMEThe file initramfs.cpio.gz can now be moved to /boot.
root #
mv ../initramfs.cpio.gz /boot
Warning
Do not forget to update the bootloader entries afterwards!Note
In order to always have the latest binaries etc. in the initramfs, you might want to write a shell script[1] which copies the files and calls the above tools. Hardlinks do not work, as the inode will change when the original file gets overwritten, whereas the hardlink points to the old inode. Symbolic links do not work, as they will be recognised as slink and not as file when using gen_initramfs.sh; this will render the initramfs unusable.
Remember: Be absolutely sure that your binaries on your system are either compiled statically or have the needed libraries! Package-based USE flags can be set in /etc/portage/package.use.Finalizing
Now reboot your machine. On boot, the kernel will extract the files from the initramfs archive automatically and execute your /init script, which in turn should then take care of mounting of the root partition and execute the init system of the installed Linux distribution.
Functionality
To extend the /init script with more advanced functionality.
Rescue shell
To be dropped to a rescue shell if an error occurs, add the following function to /init and call it when something goes wrong.
FILE
/usr/src/initramfs/init
Rescue shell functionalityrescue_shell() { echo "Something went wrong. Dropping to a shell." exec sh }In the example below, the rescue_shell will be executed if the root partition fails to mount:
FILE
/usr/src/initramfs/init
Invoking the rescue shellmount -o ro /dev/sda1 /mnt/root || rescue_shell
Force entry into the rescue shell
Occasionally, it might be useful to be able to interrupt the boot process and enter the rescue shell.
For example, it’s useful for root password (or PAM configuration) recovery or for /init debugging itself.A standard way of doing this is by passing
rdinit=/bin/sh
orrdinit=/bin/bb
kernel command line option.
However, this is a rarely known option.
It also requires /bin/sh or /bin/bb symlinks/files to be built into initramfs instead of being installed at runtime withbusybox install -s
.
It’s possible to call it likerdinit="/bin/busybox sh"
but this is even more obscure.For convenience, it might be useful to implement Dracut-inspired
rd.break
option used for a similar purpose (legacy name wasrdbreak
).
Similarly, it’s possible to handle more widely knowninit=/bin/sh
option in the same manner.FILE
/usr/src/initramfs/init
Option to drop to the rescue shellbreak_requested() { local want_break for o in $(cat /proc/cmdline) ; do case "$o" in rd.break|rdbreak) want_break="yes" ;; init=/bin/sh|init=/bin/bb|init=/bin/bash|init=/bin/dash) want_break="yes" ;; esac done echo "${want_break}" } if [[ -n "$(break_requested)" ]] ; then rescue_shell fi umount /proc umount /sys umount /dev exec switch_root /newroot /sbin/initDynamic devices
For populating /dev dynamically, you can use either devtmpfs or mdev. Please note that the kernel can take some time detecting devices (such as external USB drives), so you may also have to add a sleep statement to your script.
devtmpfs
Provided by the kernel, devtmpfs is designed to offer device nodes during early boot.
KERNEL CONFIG_DEVTMPFS=y
Device Drivers ---> Generic Driver Options ---> [*] Maintain a devtmpfs filesystem to mount at /devInclude the following snippet in your /init script to have it mount at boot:
FILE
/usr/src/initramfs/init
mount devtmpfsmount -t devtmpfs none /devDon’t forget to unmount it again in the cleanup phase of the script:
FILE
/usr/src/initramfs/init
umount devtmpfsmdev
Although devtmpfs is the preferred solution today, alternatively use mdev, the udev replacement of busybox.
KERNEL CONFIG_UEVENT_HELPER=y
Device Drivers ---> Generic Driver Options ---> [*] Support for uevent helperFor mdev to work, make /sbin/mdev a symlink to /bin/busybox in the initramfs.
root #
ln --symbolic ../bin/busybox /usr/src/initramfs/sbin/mdev
Then add the following snippet to /init, after mounting /proc and /sys:
FILE
/usr/src/initramfs/init
Adding mdev support to /initecho /sbin/mdev > /proc/sys/kernel/hotplug mdev -s
Mount by UUID or label
With Dynamic devices enabled, you might prefer to use UUID or label to mount the root partition instead of using a static device name. For that purpose, busybox comes with a utility called findfs.
FILE
/usr/src/initramfs/init
mount using findfsmount -o ro $(findfs UUID=845b2454-42a3-19ef-6ec5-238a358c365b) /mnt/root # or mount -o ro $(findfs LABEL=myroot) /mnt/rootDoing it this way is simple, but it means that your UUID or label is hardcoded in the /init. Alternatively, see Kernel parameters.
Kernel parameters
Using kernel parameters instead of hardcoding device names or UUIDs, there will be a need to parse /proc/cmdline. There are many ways to do so, the following method is just an example to give the general idea. It uses string manipulation of the shell and only supports
key=value
parameters. Add the following function to your /init and call it whenever kernel parameter is needed.FILE
/usr/src/initramfs/init
Adding a simple cmdline parser functioncmdline() { local value value=" $(cat /proc/cmdline) " value="${value##* ${1}=}" value="${value%% *}" [ "${value}" != "" ] && echo "${value}" }The function is called with the name of the kernel parameter you are interested in. In the example below, it uses the root parameter to mount the root partition.
FILE
/usr/src/initramfs/init
Mount rootfs by cmdlinemount -o ro $(findfs $(cmdline root)) /mnt/rootIt works for both
root=/dev/sda1
androot=UUID=845b2454
but will fail when the parameter is missing.LVM
If the root partition is located on a logical volume, you need to include the LVM binary in the initramfs. Get a static binary by enabling the
static
USE flag for sys-fs/lvm2. Copy it to the initramfs /sbin directory.Note
The static LVM binary may also be called /sbin/lvm.static. Use ldd to verify that the binary is static.
root #
cp --archive /sbin/lvm /usr/src/initramfs/sbin/lvm
Now, enable your LVM root partition in /init. This example assumes that the volume group is called VG, and the root volume is called root. Replace them with the names the system used when creating the volume.
FILE
/usr/src/initramfs/init
Setting up the root volumelvm vgscan --mknodes # creates /dev/mapper/control lvm lvchange -a ly VG/root lvm vgscan --mknodes # creates /dev/mapper/VG-root and /dev/VG/rootThe root partition may then be called /dev/VG/root or /dev/mapper/VG-root.
Note
Calling vgscan is optional, but recommended, just in case device nodes are missing.Recent versions of sys-fs/lvm2 rely on sys-fs/udev to create the named LV device nodes, but there is no udev in a simple initramfs. The following choices are available:
- Use vgscan as shown above (simplest solution)
- Mount by UUID or label instead of using /dev/VG/root. It works because findfs is happy with just /dev/dm-42
- Build a LVM binary with the
-udev
USE flag (specifically for the initramfs only!) - Disable udev dependency by including a minimal /etc/lvm/lvm.conf in the initramfs:
FILE /usr/src/initramfs/etc/lvm/lvm.conf
Disable udev in lvm.conf
devices { # Disable scanning udev for md/multipath components. # This is required with recent versions of lvm2, even if you use another solution for # your LV device nodes; without it lvm commands will stall for minutes waiting for udev. multipath_component_detection = 0 md_component_detection = 0 } activation { # Set to 0 to disable udev synchronisation (if compiled into the binaries). udev_sync = 0 # Set to 0 to disable the udev rules installed by LVM2 udev_rules = 0 }Software RAID
Normally the Linux kernel will automatically scan for any «Linux raid autodetect» partitions and start as many software RAIDs as it can find. But if you use an initramfs, the kernel will not automatically scan for RAIDs until it is told to. In the following example instructs the kernel to scan for software RAIDs and start as many as it can find. This will actually start all autodetected arrays, not just /dev/md0:
FILE
/usr/src/initramfs/init
Adding RAID autodetect support to /initNote
«Linux raid autodetect» won’t work for any recent setups, unless you specifically set up with partitions of type «fd» and used 0.90 metadata for your Software RAID.mdadm
Without «Linux raid autodetect» partitions, or if you need an advanced RAID setup, you have to include mdadm in your initramfs. You can get a static binary by enabling the
static
USE flag for sys-fs/mdadm.Copy the binary /sbin/mdadm and your /etc/mdadm.conf into your initramfs:
root #
cp --archive /sbin/mdadm /usr/src/initramfs/sbin
root #
cp --archive /etc/mdadm.conf /usr/src/initramfs/etc
Note
Use mdadm —detail —scan if you do not yet have a mdadm.conf.Edit the mdadm.conf in your initramfs to your liking. An example mdadm.conf follows:
FILE
/usr/src/initramfs/etc/mdadm.conf
mdadm.conf exampleDEVICE /dev/sd?* ARRAY /dev/md0 UUID=627125a5:abce6b82:6c738e49:50adadaeThis mdadm.conf will scan all /dev/sd?* devices and assemble the RAID device fitting the UUID 627125a5:abce6b82:6c738e49:50adadae.
Note
If your mdadm.conf has additional conditions such as metadata and name, it may be more practical to remove them. The UUID alone should be sufficient.Now you can initialize your Software RAID in /init:
FILE
/usr/src/initramfs/init
Assemble software RAIDs with mdadmWith this, you should be able to mount your root partition /dev/md0.
DM-Crypt
If your root partition is LUKS encrypted, you need to include the cryptsetup binary in your initramfs. You can get a static binary by setting the
static
USE flag for sys-fs/cryptsetup. Copy it to your initramfs /sbin directory. Since cryptsetup also often requires the use of the kernel’s random device, include them as well.Note
If you have problems getting a static cryptsetup binary, trynettle
orkernel
instead of the defaultgcrypt
USE flag.Recompile the package sys-fs/cryptsetup with the new USE flags. For example:
root #
USE="-gcrypt nettle static" emerge --ask --verbose sys-fs/cryptsetup
These are the packages that would be merged, in order: Calculating dependencies... done! [ebuild R ] sys-fs/cryptsetup-1.7.5-r1::gentoo USE="nettle* nls static* udev -gcrypt* -kernel -libressl -openssl -pwquality -python -reencrypt -static-libs -urandom" PYTHON_TARGETS="python2_7 python3_6 -python3_4 -python3_5 (-python3_7)" 0 KiB Total: 1 package (1 reinstall), Size of downloads: 0 KiB Would you like to merge these packages? [Yes/No]It might also be needed to compile the package sys-fs/lvm2 with the
static-libs
USE flag:
root #
USE="static-libs" emerge --ask --verbose sys-fs/lvm2
These are the packages that would be merged, in order: Calculating dependencies... done! [ebuild N ] sys-devel/autoconf-archive-2018.03.13::gentoo 635 KiB [ebuild N ] dev-libs/libaio-0.3.110::gentoo USE="static-libs -test" ABI_X86="(64) -32 (-x32)" 42 KiB [ebuild N ] dev-util/boost-build-1.65.0::gentoo USE="-examples -python -test" PYTHON_TARGETS="python2_7" 80,662 KiB [ebuild N ] dev-libs/boost-1.65.0:0/1.65.0::gentoo USE="nls static-libs threads -context -debug -doc -icu -mpi -python -tools" ABI_X86="(64) -32 (-x32)" PYTHON_TARGETS="python2_7 python3_6 -python3_4 -python3_5" 0 KiB [ebuild N ] sys-block/thin-provisioning-tools-0.7.0::gentoo USE="-static -test" 226 KiB [ebuild N ] sys-fs/lvm2-2.02.145-r2::gentoo USE="readline static-libs thin udev (-clvm) (-cman) -corosync -device-mapper-only -lvm1 -lvm2create_initrd -openais (-selinux) -static -systemd" 0 KiB Total: 6 packages (6 new), Size of downloads: 81,563 KiB Would you like to merge these packages? [Yes/No]After that copy over the binary files:
root #
cp --archive /dev/{urandom,random} /usr/src/initramfs/dev
root #
cp --archive /sbin/cryptsetup /usr/src/initramfs/sbin/cryptsetup
Now you can unlock your encrypted root partition in /init:
FILE
/usr/src/initramfs/init
Setting up LUKS encryption in /initcryptsetup --tries 5 luksOpen /dev/sda1 luksroot
Once you entered your passphrase, your root partition will be available as /dev/mapper/luksroot.
Encrypted keyfile
If you need encrypted keyfiles, use cryptsetup to encrypt them. It keeps your initramfs simple as that’s the encryption tool you already have — no need to add other binaries. Plus, unlike some of the alternatives, it offers a nice password prompt.
The following example creates a random 512 byte key, encrypted with LUKS, and adds it to your LUKS container /dev/sda1.
Note
- Current versions of cryptsetup use 4096 instead of 2056 blocks for LUKS metadata. With the
--align-payload=1
parameter, it is back to 2056 blocks.- cryptsetup also offers
--keyfile-size
and--keyfile-offset
options, which can be used for other key sizes or multiple keys in one container.
root #
dd if=/dev/zero of=/usr/src/initramfs/root/key.luks count=2057
root #
cryptsetup --align-payload=1 luksFormat /usr/src/initramfs/root/key.luks
root #
cryptsetup open --type luks /usr/src/initramfs/root/key.luks lukskey
root #
dd if=/dev/urandom of=/dev/mapper/lukskey
root #
cryptsetup luksAddKey /dev/sda1 /dev/mapper/lukskey
Unlocking the root device using this key in your /init can then be done like this:
FILE
/usr/src/initramfs/init
LUKS encryption with keyfiles# Obtain the key cryptsetup --tries 5 luksOpen /root/key.luks lukskey # Unlock the root partition cryptsetup --key-file /dev/mapper/lukskey open --type luks /dev/sda1 luksroot # Clean up the key cryptsetup close lukskeyAs before, your root partition should then be available as /dev/mapper/luksroot.
Networking
If you need networking in your initramfs, all required network related drivers have to be built into your kernel, and you’ll have to configure the network interfaces in your /init. How exactly this has to be done, depends on your network situation. The following sections cover only the most common cases.
Static IP
If your network situation allows you to use a static network IP, you can set it up using the ifconfig and route commands, both of which are included in Busybox. This is by far the easiest solution, so if it’s at all possible, go for it.
FILE
/usr/src/initramfs/init
Static network IP setup in /initifconfig eth0 10.0.2.15 route add default gw 10.0.2.2DHCP
To obtain a dynamic IP address from your network’s DHCP server, you need a DHCP client. Busybox comes with a minimalistic DHCP client called udhcpc, which is sufficient for most users. Unfortunately, udhcpc has a dependency: it requires the help of a separate script to actually configure the network interface. An example for such a script is included in the Busybox distribution, but it’s not installed by Gentoo. You will have to obtain it directly from the Busybox tarball (it’s called examples/udhcp/simple.script) or download it from the Busybox project page.
Copy the script to your initramfs and make it executable.
root #
cp simple.script /usr/src/initramfs/bin
root #
chmod +x /usr/src/initramfs/bin/simple.script
Edit the script’s first line to read #!/bin/busybox sh or create a symlink for /bin/sh:
root #
ln --symbolic busybox /usr/src/initramfs/bin/sh
Now, you can obtain a dynamic IP address for eth0 using DHCP:
FILE
/usr/src/initramfs/init
Network setup using DHCPifconfig eth0 up udhcpc -t 5 -q -s /bin/simple.script
DNS
Your network should be up and running now. However, that’s only if you know exactly which IPs to talk to. If all you have is a host or domain name, it’s a different story entirely. In that case, you need to be able to resolve hostnames. Unfortunately, this is where our luck leaves us. Until now, everything could be done with just the static binary of Busybox — however, this is not the case with DNS.
Note
Additional libraries are required to make DNS work.This is because sys-libs/glibc itself dynamically includes additional libraries for DNS lookups. As long as you don’t need that functionality, you’re fine, but if you need it, you have no choice but to include those libraries in your initramfs. The only alternative would be building Busybox against another libc such as sys-libs/uclibc, however that would go beyond the scope of this article.
This is a good chance to demonstrate how to use (dev-util/strace) to reveal hidden dependencies.
user $
strace busybox ping wiki.gentoo.org 2>&1 | grep open
open("/etc/nsswitch.conf", O_RDONLY|O_CLOEXEC) = 3 open("/etc/host.conf", O_RDONLY|O_CLOEXEC) = 3 open("/etc/resolv.conf", O_RDONLY|O_CLOEXEC) = 3 open("/etc/ld.so.cache", O_RDONLY|O_CLOEXEC) = 3 open("/lib64/libnss_files.so.2", O_RDONLY|O_CLOEXEC) = 3 open("/lib64/libc.so.6", O_RDONLY|O_CLOEXEC) = 3 open("/lib64/ld-linux-x86-64.so.2", O_RDONLY|O_CLOEXEC) = 3 open("/etc/hosts", O_RDONLY|O_CLOEXEC) = 3 open("/etc/ld.so.cache", O_RDONLY|O_CLOEXEC) = 3 open("/lib64/libnss_dns.so.2", O_RDONLY|O_CLOEXEC) = 3 open("/lib64/libresolv.so.2", O_RDONLY|O_CLOEXEC) = 3 open("/etc/resolv.conf", O_RDONLY|O_CLOEXEC) = 3As you can see, the command accesses quite a lot of files, some of which are mandatory for it to work.
Copy the necessary libraries to your initramfs:
root #
cp /lib64/libnss_{dns,files}.so.2 /lib64/{libresolv,ld-linux-x86-64}.so.2 /lib64/libc.so.6 /usr/src/initramfs/lib64
Create a /etc/resolv.conf with at least one useable nameserver. Note that this step may be done automatically if you use DHCP.
root #
echo nameserver 10.0.2.3 > /usr/src/initramfs/etc/resolv.conf
With this, DNS lookups should now work for you.
Note
If it still does not work, you might be suffering from bug 17250. As a workaround, setLD_LIBRARY_PATH="/lib64"
and try again.Custom keyboard layout
Busybox provides loadkmap to set your keyboard layout. Since it only accepts binary keymaps, you have to convert it first.
root #
cp /usr/share/keymaps/path/to/your/prefered/keymap.map.gz .
root #
gzip -d keymap.map.gz
root #
loadkeys -b keymap.map > /usr/src/initramfs/keymap.bmap
Clean up:
Now you only have to update your init-script:
FILE
/usr/src/initramfs/init
Change keyboard layoutTroubleshooting
The following section tries to provide help with common issues and pitfalls you may run into.
Static vs. dynamic binaries
Any custom binaries you need to use in your initramfs before mounting have to be fully functional, independent from any files you may have installed on your root partition. This is much easier to achieve with static binaries (which usually work as single file) than with dynamic binaries (which need any number of additional libraries to work).
Gentoo provides static binaries for some ebuilds. Check if the ebuild for your binary offers a
static
or-dynamic
USE flag. This is by far the easiest method to get a static binary, but unfortunately only a select few ebuilds support it.Many applications also offer static builds with an option in their configure scripts. There is no standard name for the option, it may be
--enable-static
or something similar. When compiling a package manually, check the list of available options by using ./configure —help to see if the package supports building static binaries.You can check whether or not a binary is static by using the ldd command. The strace command is also very useful to find out about additional dependencies. By using equery files it is possible to see which files a certain package has brought into your system, some of which may also be candidates for additional dependencies of that package.
Note
- See Applications for a ldd usage example.
- See DNS for a strace usage example.
Including libraries into your initramfs in order to make a dynamic executable work is a last resort only. It makes the initramfs much larger than necessary and harder to maintain, as the dependencies might change with every update of the program in question.
lddtree
If you decide to go with dynamic binaries, app-misc/pax-utils comes with a Python script lddtree which will handle the collection of libraries for you:
Note
If the —copy-to-tree option is missing, enable thepython
useflag.
root #
lddtree --copy-to-tree /usr/src/initramfs /usr/bin/nano
That will copy the binary and all its libraries to your initramfs structure — but not any of the runtime dependencies. For more details refer to lddtree —help.
Kernel panics
When working with initramfs and writing custom init scripts for it, you may experience the following kernel panic on boot:
Kernel panic - not syncing: Attempted to kill init!This is not an error in the kernel, but an error in your /init script. This script is executed as the init process with PID 1. Unlike other processes, the PID 1 init process is special. It is the only process that is started by the kernel on boot. It’s the process that takes care of starting other processes (boot process, init scripts) which in turn start other processes (daemons, login prompts, X), which in turn start other processes (bash, window manager, browser, …). The init process is the mother of all other processes, and therefore it mustn’t be killed. On shutdown, it’s again the init process that takes care of cleaning up by shutting down other processes first, then running processes that will unmount the filesystems, until it is safe to actually do a shutdown without corrupting anything.
If you have some error in your /init script, that causes the init process to end, this basically means there are no processes left to run, there is nothing that could take care of cleaning up, and the kernel has no choice but to panic. For this reason there are some things in /init that you can’t do like you can do them in a normal shell script, like using return or exit, or letting the script just run a series of commands and then simply end.
If you want /init to end, you have to pass the responsibility of the init process to another process using exec. See the examples above how exec is used to either run /sbin/init of the mounted root partition or to run a rescue shell in case something went wrong.
Job control
While working with initramfs, especially the Rescue shell, you may come across this message:
/bin/sh: can't access tty; job control turned offThe lack of job control is usually not a problem, since /init is not supposed to be interactive. However, if you want to work with the Busybox shell on a regular basis, being unable to control programs with Ctrl+C or Ctrl+Z can easily become a huge issue. In worst case, if job control is not available, and a program refuses to quit, you have to reboot.
The job control section in the Busybox FAQ offers some help here.
You can either use
root #
setsid sh -c 'exec sh </dev/tty1 >/dev/tty1 2>&1'
or
to start a shell on tty1 with job control enabled.
Salvaging
If for whatever reason you lost your /usr/src/initramfs structure, but you still got either the kernel image with the built-in initramfs, or the separate cpio archive, it’s possible to salvage it from there. Although it may be easier to just redo it from scratch — if you’ve done it once, doing it again should be a piece of cake. So this is just in case.
Dismantling the Kernel
You can skip this step if your initramfs is a separate cpio archive already. Otherwise, you’ll have to get the built-in cpio archive out of the kernel image. To do that, you have to dismantle it, which isn’t easy, since the kernel image is a combination of boot sector and compressed archive itself. It also depends on the compression you are using for your kernel and for your initramfs. For simplicity, this example assumes bzip2 — however, the principle is the same for other compression methods.
The utility of choice when dismantling kernel images is app-misc/binwalk. It analyzes arbitrary files for known signatures, and prints their offsets. While there are usually a bunch of false matches in the output, it should be easy to pick the correct ones.
user $
binwalk bzImage
DECIMAL HEX DESCRIPTION ------------------------------------------------------------------------------------------------------------------- 15949 0x3E4D bzip2 compressed data, block size = 900k 3042172 0x2E6B7C LZMA compressed data, properties: 0x9A, dictionary size: 4194304 bytes, uncompressed size: 9439488 bytes 4433597 0x43A6BD LZMA compressed data, properties: 0xD8, dictionary size: 16777216 bytes, uncompressed size: 4213785 bytes 8530175 0x8228FF ELF (NetBSD)Note
Newer versions also support binwalk —extract which will extract all found offsets directly.A less sophisticated method would be to use grep to search for signatures. For bzip2, this is BZh. For gzip, use $’x1f’$’x8b’.
user $
grep --text --byte-offset --only-matching BZh bzImage
15949:BZh 3946909:BZhIn this case the offset we are looking for is 15949 bytes. Now you can extract the compressed kernel image:
user $
dd if=bzImage bs=15949 skip=1 | bunzip2 > Image
Now, you have the uncompressed kernel image. Somewhere within this image resides the compressed initramfs archive, so just iterate the previous process to find it. Depending on your kernel configuration, you’re looking for another bzip2, gzip, or cpio container.
user $
binwalk Image
user $
grep --text --byte-offset --only-matching BZh Image
Suppose the offset is 171424 bytes this time. Now you can extract the initramfs cpio archive:
user $
dd if=Image bs=171424 skip=1 | bunzip2 > initramfs.cpio
If you want to verify that you actually got a cpio archive from that, use the file command:
user $
file initramfs.cpio
initramfs.cpio: ASCII cpio archive (SVR4 with no CRC)If your initramfs cpio archive was a separate file, it needs to be uncompressed first.
user $
gunzip initramfs.cpio.gz
To extract the uncompressed initramfs.cpio, you can do so with the following command:
Warning
This will overwrite files in your current directory. Do it in /tmp/initramfs/ or similar.
user $
cpio --extract --make-directories --format=newc --no-absolute-filenames < initramfs.cpio
With this, you should have successfully recovered your initramfs structure.
Integrated initramfs does not always update
If your initramfs is integrated into your kernel (instead of using a separate file), there’s a possibility that a make bzImage does not actually update it every time. So you might be making changes to your initramfs but actually keep booting using your old, buggy one. In this case you have to manually delete the integrated image to force the kernel to integrate a fresh initramfs archive:
root #
rm /usr/src/linux/usr/initramfs_data.cpio*
Alternatively, you could also make clean, but then the entire kernel will need to be recompiled.
Command not found
In Gentoo, busybox is configured as standalone shell by default, which allows busybox to execute its own applets directly. Without this setting, Busybox commands (mkdir, mount, …) won’t work unless there is explicitly a symlink created for them. You can do this at the top of your /init script:
FILE
/usr/src/initramfs/init
Install Busybox symlinks to /init#!/bin/busybox sh # Install symlinks to all busybox applets first. /bin/busybox mkdir -p /usr/sbin /usr/bin /sbin /bin /bin/busybox --install -s # ...everything else below...Alternatively, you can create the symlinks directly in /usr/src/initramfs so they will already be included in your initramfs.
root #
mkdir -p /usr/src/initramfs/{usr/sbin,usr/bin,sbin,bin}
root #
chroot /usr/src/initramfs /bin/busybox --install -s
Disappearing root
If your encrypted root (with cryptsetup/LUKS), for example /dev/mapper/gentoo-root, is disappearing after the switch_root command you can recreate the device by entering:
Variations for switch_root
Some init setups require proc, sys and dev to be mounted before starting up. If you find you are having trouble with switch_root in your initramfs setup try replacing the umount command with a mount —move in your init script.
For example, replace this.
FILE
/usr/src/initramfs/init
umount commands# Clean up umount /proc umount /sys umount /dev # Boot the real thing exec switch_root /newroot /sbin/initWith this.
FILE
/usr/src/initramfs/init
mount —move commands# Clean up mount --move /proc /newroot/proc mount --move /sys /newroot/sys mount --move /dev /newroot/dev # Boot the real thing exec switch_root /newroot /sbin/initImportant
umount is used to ensure that «real» init systems, like OpenRC, start in a clean state. You should ideally use umount if it is possible in this circumstance.Examples
See Custom_Initramfs/Examples for fully functional examples of finished /init scripts.
See also
- Initramfs_-_make_your_own
- Initramfs/Guide — covers the concepts of the initramfs as well as how to properly create and manage initramfs instances.
- Early Userspace Mounting — how to build a custom minimal initramfs that checks the /usr filesystem and pre-mounts /usr. Another worth to read article about custom initramfs
External resources
- Official initramfs documentation locally (less /usr/src/linux/Documentation/filesystems/ramfs-rootfs-initramfs.txt) or online at kernel.org
- Linux® From Scratch — About initramfs
References
- ↑ update your initramfs using bash
Since you’re using cpio, you’re actually making an initramfs, not an initrd. An initrd would be stored as a filesystem image, not as a cpio archive. Initrd and initramfs have similar roles in the Linux boot process, to provide some files that are available before the true root filesystem (and that are used to mount the true root filesystem); they are handled in rather different ways under the hood but this isn’t relevant here. Initrd is older and somewhat deprecated in favor of initramfs. Many build systems still use the file name initrd
even though they’ve switched the content to an initramfs.
Root images usually contain device nodes and files that need specific permissions. The cpio
command can only generate an archive based on files that exist in your filesystem, and you need root permission to create devices nodes or files belonging to root. The kernel source contains a tool usr/gen_init_cpio
and a wrapper script scripts/gen_initramfs_list.sh
that are provided precisely to generate an initramfs without having to create all the files on the filesystem, and thus to generate an initramfs without requiring any privilege. These programs are documented in the kernel source tree, in Documentation/filesystems/ramfs-rootfs-initramfs.txt
and Documentation/early-userspace/README
.
The normal way to build an initramfs is described in ramfs-rootfs-initramfs.txt
in the section “Populating initramfs”. You write a text file containing a list of paths to create with their type (directory, regular, device node, etc.), permissions and other attributes. For regular files, you give the name of a local file with the content. Then run usr/gen_init_cpio
on this file. When building a kernel, if you set the CONFIG_INITRAMFS_SOURCE
option to a file name, an initramfs is generated by calling usr/gen_init_cpio
on that file.
If you already have an initramfs image and want to modify it, use cpio -tv
to list it, and reconstruct the ramfs description file based on that. If possible, get the initramfs description file from the original kernel source, to save you work. Extract the content of the regular files only in some directory. Then modify the regular files and the ramfs description file, and finally run usr/gen_init_cpio
to generate a new initramfs.
Since you’re using cpio, you’re actually making an initramfs, not an initrd. An initrd would be stored as a filesystem image, not as a cpio archive. Initrd and initramfs have similar roles in the Linux boot process, to provide some files that are available before the true root filesystem (and that are used to mount the true root filesystem); they are handled in rather different ways under the hood but this isn’t relevant here. Initrd is older and somewhat deprecated in favor of initramfs. Many build systems still use the file name initrd
even though they’ve switched the content to an initramfs.
Root images usually contain device nodes and files that need specific permissions. The cpio
command can only generate an archive based on files that exist in your filesystem, and you need root permission to create devices nodes or files belonging to root. The kernel source contains a tool usr/gen_init_cpio
and a wrapper script scripts/gen_initramfs_list.sh
that are provided precisely to generate an initramfs without having to create all the files on the filesystem, and thus to generate an initramfs without requiring any privilege. These programs are documented in the kernel source tree, in Documentation/filesystems/ramfs-rootfs-initramfs.txt
and Documentation/early-userspace/README
.
The normal way to build an initramfs is described in ramfs-rootfs-initramfs.txt
in the section “Populating initramfs”. You write a text file containing a list of paths to create with their type (directory, regular, device node, etc.), permissions and other attributes. For regular files, you give the name of a local file with the content. Then run usr/gen_init_cpio
on this file. When building a kernel, if you set the CONFIG_INITRAMFS_SOURCE
option to a file name, an initramfs is generated by calling usr/gen_init_cpio
on that file.
If you already have an initramfs image and want to modify it, use cpio -tv
to list it, and reconstruct the ramfs description file based on that. If possible, get the initramfs description file from the original kernel source, to save you work. Extract the content of the regular files only in some directory. Then modify the regular files and the ramfs description file, and finally run usr/gen_init_cpio
to generate a new initramfs.
initramfs editing
Tool for fast modifying initramfs images (fix web, configs etc) from Windows without using Linux build environment.
Only ascii-cpio (070701) archives with gzip compression.
List files
InitramfsTool.exe ramfs=./example/initramfs.bin.SD
will produce such output:
sbin/pidof: rwxrwxrwx m:a1ff in:33845765 links:1 maj:252 min:18 rmaj:0 rmin:0
sbin/route: rwxrwxrwx m:a1ff in:33845769 links:1 maj:252 min:18 rmaj:0 rmin:0
sbin/rmmod: rwxrwxrwx m:a1ff in:33845768 links:1 maj:252 min:18 rmaj:0 rmin:0
sbin/syslogd: rwxrwxrwx m:a1ff in:33845855 links:1 maj:252 min:18 rmaj:0 rmin:0
sbin/modprobe: rwxrwxrwx m:a1ff in:33845764 links:1 maj:252 min:18 rmaj:0 rmin:0
sbin/udhcpc: rwxrwxrwx m:a1ff in:33845856 links:1 maj:252 min:18 rmaj:0 rmin:0
tmp: rwxr-xr-x m:41ed in:33845654 links:2 maj:252 min:18 rmaj:0 rmin:0
mnt: rwxr-xr-x m:41ed in:33845647 links:2 maj:252 min:18 rmaj:0 rmin:0
Extract files
InitramfsTool.exe ramfs=./example/initramfs.bin.SD extract=./extracted/
All directories and regular files will be extracted (for content editing).
Modify content
InitramfsTool.exe ramfs=./example/initramfs.bin.SD root=./root/ commands=./commands.txt out=./initramfs.bin.SD
Arguments:
Argument | Description | Example value |
---|---|---|
ramfs | path to initramfs file | ./example/initramfs.bin.SD |
root | path to directory with added and modified files [not required] | ./root/ |
commands | path to file with commands (change mode, remove file) [not required] | ./commands.txt |
out | path to processed initramfs with modified content | ./initramfs.bin.SD |
Commands file example:
rm www/pages/kernelLog.html
chmod www/pages/test.txt rwxrwx---
Available commands:
Command | Args | Descripton |
---|---|---|
rm | [path] | Remove file with specified path |
chmod | [path] [mode] | Change mode of file (‘rwxrwxrwx’ format: user,group,other) |
chown | [path] [uid] | Change user id of file |
group | [path] [gid] | Change group id of file |
chown | [path] [uid]:[gid] | Change user id and group id of file |
dir | [path] [mode] [uid] [gid] | Add directory with provided uid/gid/mode |
file | [path] [local] [mode] [uid] [gid] | Add file with content from exists file with provided uid/gid/mode |
file | [path] [local] | Update file with content from exists file |
slink | [path] [to] [mode] [uid] [gid] | Add symbolic link to provided file or dir with provided uid/gid/mode |
slink | [path] [to] | Update symbolic link to provided file or dir |
include | [path] | Load another commands file from relative from that or absolute path |
echo | [message] | Print message to console |
[deprecated]
Content of image files will be replaced by content on file from root directory. Files that not exists in image, but exists in root directory will be added to image.
Root directory content example:
etcinit.dpgnand.sh
wwwpagesindex.html
wwwpagestest.txt
wwwpagestesttest2.txt
Pipeline: load image => unpack cpio => process cpio data => modify content => add files => process commands (remove, chmod) => build cpio data => pack cpio => generate modified initramfs
CPIO editing
List files
InitramfsTool.exe cpio=./example/Angstrom-antminer_m-eglibc-ipk-v2013.06-beaglebone.rootfs.cpio
will produce such output:
usr/bin/nohup: m:a1ff in:398764 links:1 maj:8 min:1 rmaj:0 rmin:0
usr/bin/dbclient: m:a1ff in:396446 links:1 maj:8 min:1 rmaj:0 rmin:0
usr/bin/tr: m:a1ff in:401452 links:1 maj:8 min:1 rmaj:0 rmin:0
usr/bin/tail: m:a1ff in:401373 links:1 maj:8 min:1 rmaj:0 rmin:0
usr/bin/cmp: m:a1ff in:398589 links:1 maj:8 min:1 rmaj:0 rmin:0
usr/bin/deallocvt: m:a1ff in:398614 links:1 maj:8 min:1 rmaj:0 rmin:0
usr/bin/microcom: m:a1ff in:398716 links:1 maj:8 min:1 rmaj:0 rmin:0
Extract files
InitramfsTool.exe cpio=./example/Angstrom-antminer_m-eglibc-ipk-v2013.06-beaglebone.rootfs.cpio extract=./extracted/
All directories and regular files will be extracted (for content editing).
Modify content
InitramfsTool.exe cpio=./example/Angstrom-antminer_m-eglibc-ipk-v2013.06-beaglebone.rootfs.cpio root=./root/ commands=./commands.txt out=./Angstrom-antminer_m-eglibc-ipk-v2013.06-beaglebone.rootfs.cpio
Arguments:
Argument | Description | Example value |
---|---|---|
cpio | path to cpio file | ./example/Angstrom-antminer_m-eglibc-ipk-v2013.06-beaglebone.rootfs.cpio |
root | path to directory with added and modified files [not required] | ./root/ |
commands | path to file with commands (change mode, remove file) [not required] | ./commands.txt |
out | path to processed cpio with modified content | ./Angstrom-antminer_m-eglibc-ipk-v2013.06-beaglebone.rootfs.cpio |
All logic same with initramfs part.
Scroll to navigation
UPDATE-INITRAMFS(8) | update-initramfs manual | UPDATE-INITRAMFS(8) |
NAME¶
update-initramfs — generate an initramfs image
SYNOPSIS¶
update-initramfs -c|-d|-u [-k version]
[-t] [-v] [-b directory] [-h]
DESCRIPTION¶
The update-initramfs script manages your initramfs images on your local
box. It keeps track of the existing initramfs archives in /boot. There are
three modes of operation create, update or delete. You must at least specify
one of those modes.
The initramfs is a gzipped cpio archive. At boot time, the kernel
unpacks that archive into RAM disk, mounts and uses it as initial root file
system. All finding of the root device happens in this early userspace.
OPTIONS¶
- -k version
- Set the specific kernel version for whom the initramfs will be generated.
For example the output of uname -r for your currently running kernel. This
argument is optional for update. The default is the latest kernel version.The use of «all» for the version string
specifies update-initramfs to execute the chosen action for all
kernel versions, that are already known to update-initramfs. - -c
- This mode creates a new initramfs.
- -u
- This mode updates an existing initramfs.
- -d
- This mode removes an existing initramfs.
- -t
- Allows one to take over an custom initramfs with a newer one.
- -v
- This option increases the amount of information you are given during the
chosen action. - -b directory
- Set an different bootdir for the image creation.
- -h
- Print a short help page describing the available options in
update-initramfs.
EXAMPLES¶
Update the initramfs of the newest kernel:
update-initramfs -u
Create the initramfs for a specific kernel:
update-initramfs -c -k 2.6.18-1-686
FILES¶
/etc/initramfs-tools/update-initramfs.conf
The initramfs-tools are written by Maximilian Attems <maks@debian.org>,
Jeff Bailey <jbailey@raspberryginger.com> and numerous others.
SEE ALSO¶
initramfs.conf(5), initramfs-tools(8), mkinitramfs(8),
lsinitramfs(8).
Environment
- Red Hat Enterprise Linux 6
- Red Hat Enterprise Linux 5
Note: For RHEL7 and RHEL8, refer to How to extract the contents of initramfs image on RHEL7?
Issue
- How do I unpack or uncompress, and then repack or re-compress, an initrd or initramfs boot image file?
- How do I modify the contents of an initrd or initramfs?
- How do I view an initrd or initramfs?
Resolution
First, create a temporary work directory and switch into it. This will be the location where the initramfs/initrd contents will be viewed, edited, and re-compressed if required:
mkdir /tmp/initrd
cd /tmp/initrd
Identify compression format of the image
Use the file
command on the initramfs/initrd to identify the compression format:
file /boot/initramfs-$(uname -r).img
The $(uname -r)
will use the file for the current kernel version. You may also specify a specific file, such as:
file /boot/initramfs-2.6.32-754.el6.x86_64.img
The most common is a gzip-format image which displays as:
# file /boot/initramfs-$(uname -r).img
/boot/initramfs-2.6.32-754.el6.x86_64.img: gzip compressed data
However, there may also be an XZ/LZMA-format image which displays as:
# file /boot/initramfs-$(uname -r).img
/boot/initramfs-2.6.32-754.el6.x86_64.img: LZMA compressed data
Select the appropriate instructions below to extract or repack the correct image type for your system.
gzip format — Extract / Uncompress
Uncompress and extract the contents of the image in the /boot/
directory:
zcat /boot/initrd-$(uname -r).img | cpio -idmv
gzip format — Repack / Recompress
Still in the working directory, find all files and add them to a new boot image file:
find . | cpio -o -c -R root:root | gzip -9 > /boot/new.img
xz/LZMA format — Extract / Uncompress
Uncompress and extract the contents of the image in the /boot/
directory:
xz -dc < /boot/initrd-$(uname -r).img | cpio -idmv
xz/LZMA format — Repack / Recompress
Still in the working directory, find all files and add them to a new boot image file:
find . 2>/dev/null | cpio -o -c -R root:root | xz -9 --format=lzma > /boot/new.img
-
Product(s)
- Red Hat Enterprise Linux
-
Component
- dracut
- kernel
- kexec-tools
-
Category
- Customize or extend
-
Tags
- bootloader
- initramfs
- initrd
- rhel_5
- rhel_6
This solution is part of Red Hat’s fast-track publication program, providing a huge library of solutions that Red Hat engineers have created while supporting our customers. To give you the knowledge you need the instant it becomes available, these articles may be presented in a raw and unedited form.