国际惯例,我们先看一下源码:
http://androidxref.com/4.4_r1/xref/system/core/init/init.c#1039
1 init_parse_config_file("/init.rc");
在init进程的main()函数里,会调用init_parse_config_file()方法解析init.rc脚本,注意这里传递的参数是根目录下的 "/init.rc"文件路径。
init_parse_config_file()方法定义如下:
http://androidxref.com/4.4_r1/xref/system/core/init/init_parser.c#404
1 int init_parse_config_file(const char *fn) 2 { 3 char *data; 4 data = read_file(fn, 0); //读取/init.rc文件内容到内存,并返回起始地址存入data 5 if (!data) return -1; 6 7 parse_config(fn, data); //解析读入的字符内容 8 DUMP(); 9 return 0; 10 }
read_file()方法的定义非常简单,作用就是把指定的文件以字符的形式读入到内存中,并返回起始地址及读入的数据大小。
其源码如下:
http://androidxref.com/4.4_r1/xref/system/core/init/util.c#142
1 /* reads a file, making sure it is terminated with \n \0 */ 2 3 //该方法接收两个参数: 4 // fn: 要读取的文件路径 5 // _sz:unsigned int类型的指针,用于返回读入的字符个数 6 // 该方法返回读取的字符内容的起始地址,如果读取失败则返回 0 7 8 void *read_file(const char *fn, unsigned *_sz) 9 { 10 char *data; 11 int sz; 12 int fd; 13 struct stat sb; 14 15 data = 0; 16 fd = open(fn, O_RDONLY); //以只读的方式打开文件 17 if(fd < 0) return 0; 18 19 // for security reasons, disallow world-writable 20 // or group-writable files 21 if (fstat(fd, &sb) < 0) { 22 ERROR("fstat failed for ‘%s‘\n", fn); 23 goto oops; 24 } 25 if ((sb.st_mode & (S_IWGRP | S_IWOTH)) != 0) { 26 ERROR("skipping insecure file ‘%s‘\n", fn); 27 goto oops; 28 } 29 30 sz = lseek(fd, 0, SEEK_END); // 获取文件长度,有多少个字节 31 if(sz < 0) goto oops; 32 33 if(lseek(fd, 0, SEEK_SET) != 0) goto oops; // 定位到文件开头 34 35 data = (char*) malloc(sz + 2); //分配存储空间 36 if(data == 0) goto oops; 37 38 if(read(fd, data, sz) != sz) goto oops; // 读取文件内容 39 close(fd); // 关闭文件 40 data[sz] = ‘\n‘; // 设置结尾字符 41 data[sz+1] = 0; 42 if(_sz) *_sz = sz; 43 return data; 44 45 oops: 46 close(fd); 47 if(data != 0) free(data); 48 return 0; 49 }
将文件的内容读入内存后,接下来就可以进行解析了,调用parse_config()方法来解析init.rc的内容。
http://androidxref.com/4.4_r1/xref/system/core/init/init_parser.c#347
原文地址:https://www.cnblogs.com/roger-yu/p/12199121.html
时间: 2024-10-08 10:17:22