- Android Init Stages
- Stages
- Classes
- Keywords (selection)
- Changes with encryption
- Русские Блоги
- Детальный разбор процесса инициализации на базе android 10
- Детальный анализ процесса инициализации
- Обзор
- Анализ процесса
- Сравните различия между старой версией
- init.rc позиционирование
- Правила модификации init.rc
- Действие
- команды
- Сервисы
- Вариант
- What is Init.d? How to Enable Init.d Support on Android
- What you can do if you have Init.d support on your device
- How to check if you have Init.d support on your ROM
- Enable Init.d support on any ROM
Android Init Stages
Stages
Init stage | Contents |
---|---|
early-init | Very first stage of initialization. Used for SELinux and OOM settings |
init | Creates file systems, mount points, and writes kernel variables |
early-fs | Run just before filesystems are ready to be mounted |
fs | Specifies which partitions to load |
post-fs | Commands to run after filesystems (other than /data ) are mounted |
post-fs-data | /data decrypted (if necessary) and mounted |
early-boot | Run after property service has been initialized, but before booting rest |
boot | Normal boot commands |
charger | Commands used when device is in charger mode |
Classes
Programs can be started based on init stage triggers:
But it is more common to assign a class to a service, based on which it is started:
The service will be started based on class_start core which happens on boot .
TODO: Overview of classes
Class | Comment |
---|---|
core | Never shut down after restarting |
main | Shut down and then restart after the disk password is entered |
late_start | Does not start until after /data has been decrypted and mounted |
Trigger | Classes |
---|---|
on charger | charger |
on late-fs | early-hal |
on nonencrypted | hal , core |
on boot | hal , core |
Keywords (selection)
Keyword | Action |
---|---|
start | Starts a service, even when it’s disabled |
class core | Makes a service part of a group. |
class_start | Starts a group. Once this group is started, the service is started only if it is enabled (services can be disabled by having disabled in the service spec, or disable ) |
enable | Allows a service to be started as part of a class_start . If the class is already started, this’ll schedule the service to be started |
disable | Prevent a service from being started as part of class_start . This does not stop the service if it’s already running |
Changes with encryption
With the introduction of system-wide encryption into Android, the init process gains a few more tricks:
- vold.decrypt triggers
- class early_hal for crucial services needed for decryption, e.g. keymaster and gatekeeper (TODO: Add link to AOSP init.rc for class_start )
- restarting framework, reboot, minimal UI stuff
- nonencrypted trigger, which, despite its name, always gets triggered and which pulls in class_start main and class_start late_start
Theme by jeblister & ix5. © Licence MIT. Content licensed © CC-BY-SA 4.0. Edit me on GitHub!
Источник
Русские Блоги
Детальный разбор процесса инициализации на базе android 10
Детальный анализ процесса инициализации
Обзор
Устройство Android включено, программа загрузки загружается в режим загрузки (обычно uboot), загружает initramfs, образ ядра и после запуска ядра входит в программу пользовательского режима. Первая программа пользовательского пространства — это init, и ее PID имеет фиксированное значение 1. В системе Android код init находится в / system / core / init. Основные функции:
- Управляйте оборудованием
- Разобрать и обработать сценарий запуска init.rc
- Поддерживать сервисы в этом init.rc в реальном времени
Анализ процесса
Эти init.rc представляют собой просто файлы грамматики, а не программы. Настоящая точка входа — это system / core / init / init.cpp, упомянутый выше.
Сравните различия между старой версией
В Android Q в этот механизм были внесены некоторые изменения.
Отдельный файл init.rc разделяется, а службы определяются в каталоге etc / init соответствующего раздела в соответствии с расположением их двоичных файлов (/ system, / vendor, / odm), и каждая служба имеет файл rc. Триггеры и операции, связанные с этой службой, также определены в том же файле rc.
Такое разделение структуры каталогов также согласуется с процессом разработки продуктов Android, снижая бремя обслуживания. На следующем рисунке показаны все службы, определенные в Android Q.
- k62v1_64_bsp$ find ./ -name «*.rc» :
Разверните, чтобы просмотреть
init.rc позиционирование
- Исходный код init находится в пакете system / core / init, давайте сначала посмотрим на входной класс main.cpp
Скопируйте код, и вы увидите, что функция main.cpp сильно отличается от предыдущей версии. Возьмите исходный код Android9.0 androidxref.com/9.0.0_r3/xr . например, Android 10 не просто вызывает init :: main, Вместо этого некоторые оценки процесса помещаются в mian.cpp, поэтому, если вы следите за книгой или статьей и переходите непосредственно к основной функции в init.cpp, вы не можете найти вход.
Когда функция ввода Init.cpp начинает загружать первый init.rc следующим образом:
Из каталога можно догадаться, что два сценария использования init.rc различны. Один используется для перепрошивки, то есть для входа в режим записи, а другой используется для обычного запуска; мы сосредоточены здесь на обычном запуске. Он также связан с init.c;
- device/mediatek/mt6765/device.mk
- /system/core/rootdir/init.rc :
- /device/mediatek/mt6765/init.mt6765.rc :
- device/mediateksample/k62v1_64_bsp/device.mk :
Основываясь на приведенном выше содержании, мы можем судить, что основные файлы модификации нашего OEM / ODM-производителя device/mediateksample/k62v1_64_bsp/init.project.rc , И основная модификация в режиме рекавери init.recovery.mt6765.rc файл.
Правила модификации init.rc
Правила rc в основном включают четыре типа операторов:
Ниже приводится подробное объяснение:
Действие
Действие представляет собой группу команд (команд). Действие включает триггер, который определяет, когда запускать это действие.
Примечание. При выполнении условий триггера это действие будет добавлено в конец очереди, которая была выполнена. Если это действие уже существует в очереди, оно не будет запущено.
Команды, включенные в действие, будут выполняться последовательно.
В «действии» (действие) следующая за ним строка является триггером. Триггер — это строка, используемая для сопоставления определенного типа события, и она будет выполнять соответствующее действие.
Есть несколько форматов триггеров:
формат | имея в виду |
---|---|
on early-init | Срабатывает на ранних этапах инициализации |
on init | Срабатывает на этапе инициализации |
on late-init | Запускается на поздней фазе инициализации |
on boot/charger | Срабатывает при запуске / зарядке системы |
on property | Срабатывает, когда значение атрибута соответствует условию |
команды
Команда — это команда в списке команд действия или команда параметра параметра onrestart в службе.
Команды будут выполняться одна за другой при возникновении соответствующего события.
команда | Описательное повествование |
---|---|
exec | Запустите программу по указанному пути и передайте параметры. |
export | Установите глобальные параметры среды. После установки этого параметра он действует для всех процессов. |
ifup | Сделать указанный сетевой интерфейс «онлайн», что эквивалентно активации указанного сетевого интерфейса. |
import | Импортируйте дополнительный файл конфигурации инициализации. |
hostname | Установить имя хоста |
chdir | Смените рабочую папку. |
chmod | Измените разрешение на чтение указанного файла. |
chown | Измените атрибуты владельца и имя группы указанного файла. |
chroot | Корневая папка, в которую вносятся изменения. |
class_start [ ]* | Аналогично команде монтирования linux setkey TBD (подлежит определению), подлежит определению. |
setprop | Установите атрибуты и соответствующие значения. |
setrlimit | Установите rlimit (ограничение ресурса) ресурса, если вы не понимаете, просто Baidu rlimit |
start | Предполагая, что указанная служба не запущена, запустите ее. |
stop | Предположим, что указанная служба в настоящее время выполняется. Тогда перестань. |
symlink | Создайте символическую ссылку. |
sysclktz | Установите системное базовое время. |
trigger | Запуск события. Используется для постановки действия в очередь из другого действия. Я не понимаю эту фразу, надеюсь, эксперт поможет вам. |
write | Записать строку в указанный файл. |
Сервисы
Службы — это программы, которые необходимо запускать при инициализации системы или автоматически перезапускать при выходе.
Объясните различные параметры:
параметр | имея в виду |
---|---|
Указывает название этой услуги | |
Поскольку путь к этой службе — исполняемый файл, должен быть путь к хранилищу. | |
Параметры для запуска сервиса | |
Варианты ограничений для этой службы |
Вариант
Опции — это доработка Сервиса. Они определяют, когда и как работает служба.
Источник
What is Init.d? How to Enable Init.d Support on Android
If you are an Android enthusiast, you must be familiar with Init.d. If you don’t, today we’ll discuss the role of Init.d on Android devices. Besides, we’ll also see how we can take advantage of Init.d support to make the best use of it.
In Unix, Linux and other Unix-like operating systems, init is the first program started by the kernel at boot. It is assigned the process ID 1 and it is responsible for firing up all the other processes, being this way the parent of all the other processes running on the system. Init is also listening to signals and takes care of starting and stopping processes at events like system suspend/shutdown etc. Traditionally, init used to rely on several configuration files, saved under locations like /etc/rc.local and etc/init.d. More specifically, the init.d directory usually contained scripts that the user could run through a terminal.
For example, executing:
would start the networking interface of the system. Functionalities like these have survived on several desktop GNU/Linux distributions until today, although the init process has evolved a lot in the last years and several init replacements have been developed.
Being based on Linux, Android uses a custom init process during its boot sequence. Its functionality is very limited, covering the needs of embedded devices. Since the early releases of Android though, developers have managed to implement support for a feature similar to the original Init.d: During boot, init searches and finds scripts inside the /system/etc/init.d directory and executes them in alphanumeric order by their filename. Init.d is a custom feature, that is why it is usually not available on stock ROMs (but there is a workaround, see below).
What you can do if you have Init.d support on your device
- Modify several kernel parameters at boot time, without having to rely on an App to do it. This can save big amounts of RAM memory as well as App storage space.
- Enable swap at boot
- Create scripts that will periodically run in the background and do tasks
- Mount partitions not defined in the device’s fstab at boot. One App that uses init.d for this purpose is Link2SD, for example.
- For advanced users, native processes can be started and stopped at different events, for example when the charger is connected.
How to check if you have Init.d support on your ROM
- Use a root File Manager to navigate to /system/etc
- Check if there is a folder named init.d inside this directory
- If the folder exists (and especially if it already contains scripts inside it), your ROM most probably packs support for Init.d
- You can also use an App to check if your ROM properly supports Init.d scripts. See the next section for more information.
Enable Init.d support on any ROM
There are several ways to enable Init.d on a ROM that does not support it out of the box:
- Flashing a zip file containing the needed modifications
- Modifying system files directly
- Using an App that emulates the Init.d function
The safest way to enable init.d support on your ROM is the last one. All you need is a device with root support. In fact, there are lots of Apps on the Play Store that can emulate Init.d . The smallest and most lightweight is Universal Init.d. This App is also Open Source and can check if your ROM has native Init.d support. It also offers a built-in script editor.
Universal Init.d runs Init.d scripts successfully, except in some rare circumstances that the script has to run early in the boot process. It listens to the BOOT_COMPLETED intent of Android Framework (which the framework sends when the device enters the home screen at boot) and then executes all scripts under /system/etc/init.d directory.
Note: Universal Init.d is no longer available in the Google Play Store. Please, download the Universal Init.d APK instead.
Alternatively, you can also try the following app:
Always make a backup of your device before enabling Init.d scripts that will change kernel and file-system parameters. When you have enabled init.d support, do not forget to check our huge list of 20 build,prop tweaks to customize your Android devices and enjoy hidden features.
Источник