• Home
  • History
  • Annotate
Name Date Size #Lines LOC

..--

include/11-Mar-2024-718262

test/11-Mar-2024-1,7751,353

CMakeLists.txtD11-Mar-2024443 1310

KconfigD11-Mar-20243.4 KiB9070

README.rstD11-Mar-202412.7 KiB238156

README_CN.rstD11-Mar-20249.3 KiB168102

component.mkD11-Mar-202481 43

sdkconfig.renameD11-Mar-2024427 86

vfs.cD11-Mar-202439.9 KiB1,2511,062

vfs_cdcacm.cD11-Mar-20248.5 KiB326259

vfs_semihost.cD11-Mar-202410.9 KiB339257

vfs_uart.cD11-Mar-202428.9 KiB1,054887

README.rst

1Virtual filesystem component
2============================
3
4:link_to_translation:`zh_CN:[中文]`
5
6Overview
7--------
8
9Virtual filesystem (VFS) component provides a unified interface for drivers which can perform operations on file-like objects. These can be real filesystems (FAT, SPIFFS, etc.) or device drivers which provide a file-like interface.
10
11This component allows C library functions, such as fopen and fprintf, to work with FS drivers. At a high level, each FS driver is associated with some path prefix. When one of C library functions needs to open a file, the VFS component searches for the FS driver associated with the file path and forwards the call to that driver. VFS also forwards read, write, and other calls for the given file to the same FS driver.
12
13For example, one can register a FAT filesystem driver with the ``/fat`` prefix and call ``fopen("/fat/file.txt", "w")``. The VFS component will then call the function ``open`` of the FAT driver and pass the argument ``/file.txt`` to it together with appropriate mode flags. All subsequent calls to C library functions for the returned ``FILE*`` stream will also be forwarded to the FAT driver.
14
15
16FS registration
17---------------
18
19To register an FS driver, an application needs to define an instance of the :cpp:type:`esp_vfs_t` structure and populate it with function pointers to FS APIs:
20
21.. highlight:: c
22
23::
24
25    esp_vfs_t myfs = {
26        .flags = ESP_VFS_FLAG_DEFAULT,
27        .write = &myfs_write,
28        .open = &myfs_open,
29        .fstat = &myfs_fstat,
30        .close = &myfs_close,
31        .read = &myfs_read,
32    };
33
34    ESP_ERROR_CHECK(esp_vfs_register("/data", &myfs, NULL));
35
36Depending on the way how the FS driver declares its API functions, either ``read``, ``write``, etc., or ``read_p``, ``write_p``, etc., should be used.
37
38Case 1: API functions are declared without an extra context pointer (the FS driver is a singleton)::
39
40    ssize_t myfs_write(int fd, const void * data, size_t size);
41
42    // In definition of esp_vfs_t:
43        .flags = ESP_VFS_FLAG_DEFAULT,
44        .write = &myfs_write,
45    // ... other members initialized
46
47    // When registering FS, context pointer (third argument) is NULL:
48    ESP_ERROR_CHECK(esp_vfs_register("/data", &myfs, NULL));
49
50Case 2: API functions are declared with an extra context pointer (the FS driver supports multiple instances)::
51
52    ssize_t myfs_write(myfs_t* fs, int fd, const void * data, size_t size);
53
54    // In definition of esp_vfs_t:
55        .flags = ESP_VFS_FLAG_CONTEXT_PTR,
56        .write_p = &myfs_write,
57    // ... other members initialized
58
59    // When registering FS, pass the FS context pointer into the third argument
60    // (hypothetical myfs_mount function is used for illustrative purposes)
61    myfs_t* myfs_inst1 = myfs_mount(partition1->offset, partition1->size);
62    ESP_ERROR_CHECK(esp_vfs_register("/data1", &myfs, myfs_inst1));
63
64    // Can register another instance:
65    myfs_t* myfs_inst2 = myfs_mount(partition2->offset, partition2->size);
66    ESP_ERROR_CHECK(esp_vfs_register("/data2", &myfs, myfs_inst2));
67
68Synchronous input/output multiplexing
69^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
70
71Synchronous input/output multiplexing by :cpp:func:`select` is supported in the VFS component. The implementation
72works in the following way.
73
741. :cpp:func:`select` is called with file descriptors which could belong to various VFS drivers.
752. The file descriptors are divided into groups each belonging to one VFS driver.
763. The file descriptors belonging to non-socket VFS drivers are handed over to the given VFS drivers by :cpp:func:`start_select`
77   described later on this page. This function represents the driver-specific implementation of :cpp:func:`select` for
78   the given driver. This should be a non-blocking call which means the function should immediately return after setting up
79   the environment for checking events related to the given file descriptors.
804. The file descriptors belonging to the socket VFS driver are handed over to the socket driver by
81   :cpp:func:`socket_select` described later on this page. This is a blocking call which means that it will return only
82   if there is an event related to socket file descriptors or a non-socket driver signals :cpp:func:`socket_select`
83   to exit.
845. Results are collected from each VFS driver and all drivers are stopped by deinitiazation
85   of the environment for checking events.
866. The :cpp:func:`select` call ends and returns the appropriate results.
87
88Non-socket VFS drivers
89""""""""""""""""""""""
90
91If you want to use :cpp:func:`select` with a file descriptor belonging to a non-socket VFS driver
92then you need to register the driver with functions :cpp:func:`start_select` and
93:cpp:func:`end_select` similarly to the following example:
94
95.. highlight:: c
96
97::
98
99    // In definition of esp_vfs_t:
100        .start_select = &uart_start_select,
101        .end_select = &uart_end_select,
102    // ... other members initialized
103
104:cpp:func:`start_select` is called for setting up the environment for
105detection of read/write/error conditions on file descriptors belonging to the
106given VFS driver.
107
108:cpp:func:`end_select` is called to stop/deinitialize/free the
109environment which was setup by :cpp:func:`start_select`.
110
111.. note::
112    :cpp:func:`end_select` might be called without a previous :cpp:func:`start_select` call in some rare
113    circumstances. :cpp:func:`end_select` should fail gracefully if this is the case.
114
115Please refer to the
116reference implementation for the UART peripheral in
117:component_file:`vfs/vfs_uart.c` and most particularly to the functions
118:cpp:func:`esp_vfs_dev_uart_register`, :cpp:func:`uart_start_select`, and
119:cpp:func:`uart_end_select` for more information.
120
121Please check the following examples that demonstrate the use of :cpp:func:`select` with VFS file descriptors:
122    - :example:`peripherals/uart/uart_select`
123    - :example:`system/select`
124
125Socket VFS drivers
126""""""""""""""""""
127
128A socket VFS driver is using its own internal implementation of :cpp:func:`select` and non-socket VFS drivers notify
129it upon read/write/error conditions.
130
131A socket VFS driver needs to be registered with the following functions defined:
132
133.. highlight:: c
134
135::
136
137    // In definition of esp_vfs_t:
138        .socket_select = &lwip_select,
139        .get_socket_select_semaphore = &lwip_get_socket_select_semaphore,
140        .stop_socket_select = &lwip_stop_socket_select,
141        .stop_socket_select_isr = &lwip_stop_socket_select_isr,
142    // ... other members initialized
143
144:cpp:func:`socket_select` is the internal implementation of :cpp:func:`select` for the socket driver. It works only
145with file descriptors belonging to the socket VFS.
146
147:cpp:func:`get_socket_select_semaphore` returns the signalization object (semaphore) which will be used in non-socket
148drivers to stop the waiting in :cpp:func:`socket_select`.
149
150:cpp:func:`stop_socket_select` call is used to stop the waiting in :cpp:func:`socket_select` by passing the object
151returned by :cpp:func:`get_socket_select_semaphore`.
152
153:cpp:func:`stop_socket_select_isr` has the same functionality as :cpp:func:`stop_socket_select` but it can be used
154from ISR.
155
156Please see :component_file:`lwip/port/esp32/vfs_lwip.c` for a reference socket driver implementation using LWIP.
157
158.. note::
159    If you use :cpp:func:`select` for socket file descriptors only then you can enable the
160    :envvar:`CONFIG_LWIP_USE_ONLY_LWIP_SELECT` option to reduce the code size and improve performance.
161
162.. note::
163    Don't change the socket driver during an active :cpp:func:`select` call or you might experience some undefined
164    behavior.
165
166Paths
167-----
168
169Each registered FS has a path prefix associated with it. This prefix can be considered as a "mount point" of this partition.
170
171In case when mount points are nested, the mount point with the longest matching path prefix is used when opening the file. For instance, suppose that the following filesystems are registered in VFS:
172
173- FS 1 on /data
174- FS 2 on /data/static
175
176Then:
177
178- FS 1 will be used when opening a file called ``/data/log.txt``
179- FS 2 will be used when opening a file called ``/data/static/index.html``
180- Even if ``/index.html"`` does not exist in FS 2, FS 1 will *not* be searched for ``/static/index.html``.
181
182As a general rule, mount point names must start with the path separator (``/``) and must contain at least one character after path separator. However, an empty mount point name is also supported and might be used in cases when an application needs to provide a "fallback" filesystem or to override VFS functionality altogether. Such filesystem will be used if no prefix matches the path given.
183
184VFS does not handle dots (``.``) in path names in any special way. VFS does not treat ``..`` as a reference to the parent directory. In the above example, using a path ``/data/static/../log.txt`` will not result in a call to FS 1 to open ``/log.txt``. Specific FS drivers (such as FATFS) might handle dots in file names differently.
185
186When opening files, the FS driver receives only relative paths to files. For example:
187
1881. The ``myfs`` driver is registered with ``/data`` as a path prefix.
1892. The application calls ``fopen("/data/config.json", ...)``.
1903. The VFS component calls ``myfs_open("/config.json", ...)``.
1914. The ``myfs`` driver opens the ``/config.json`` file.
192
193VFS does not impose any limit on total file path length, but it does limit the FS path prefix to ``ESP_VFS_PATH_MAX`` characters. Individual FS drivers may have their own filename length limitations.
194
195
196File descriptors
197----------------
198
199File descriptors are small positive integers from ``0`` to ``FD_SETSIZE - 1``, where ``FD_SETSIZE`` is defined in newlib's ``sys/types.h``. The largest file descriptors (configured by ``CONFIG_LWIP_MAX_SOCKETS``) are reserved for sockets. The VFS component contains a lookup-table called ``s_fd_table`` for mapping global file descriptors to VFS driver indexes registered in the ``s_vfs`` array.
200
201
202Standard IO streams (stdin, stdout, stderr)
203-------------------------------------------
204
205If the menuconfig option ``UART for console output`` is not set to ``None``, then ``stdin``, ``stdout``, and ``stderr`` are configured to read from, and write to, a UART. It is possible to use UART0 or UART1 for standard IO. By default, UART0 is used with 115200 baud rate; TX pin is GPIO1; RX pin is GPIO3. These parameters can be changed in menuconfig.
206
207Writing to ``stdout`` or ``stderr`` will send characters to the UART transmit FIFO. Reading from ``stdin`` will retrieve characters from the UART receive FIFO.
208
209By default, VFS uses simple functions for reading from and writing to UART. Writes busy-wait until all data is put into UART FIFO, and reads are non-blocking, returning only the data present in the FIFO. Due to this non-blocking read behavior, higher level C library calls, such as ``fscanf("%d\n", &var);``, might not have desired results.
210
211Applications which use the UART driver can instruct VFS to use the driver's interrupt driven, blocking read and write functions instead. This can be done using a call to the ``esp_vfs_dev_uart_use_driver`` function. It is also possible to revert to the basic non-blocking functions using a call to ``esp_vfs_dev_uart_use_nonblocking``.
212
213VFS also provides an optional newline conversion feature for input and output. Internally, most applications send and receive lines terminated by the LF (''\n'') character. Different terminal programs may require different line termination, such as CR or CRLF. Applications can configure this separately for input and output either via menuconfig, or by calls to the functions ``esp_vfs_dev_uart_port_set_rx_line_endings`` and ``esp_vfs_dev_uart_port_set_tx_line_endings``.
214
215
216
217Standard streams and FreeRTOS tasks
218^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
219
220``FILE`` objects for ``stdin``, ``stdout``, and ``stderr`` are shared between all FreeRTOS tasks, but the pointers to these objects are stored in per-task ``struct _reent``.
221
222The following code is transferred to ``fprintf(__getreent()->_stderr, "42\n");`` by the preprocessor:
223
224.. highlight:: c
225
226::
227
228    fprintf(stderr, "42\n");
229
230
231The ``__getreent()`` function returns a per-task pointer to ``struct _reent`` in newlib libc. This structure is allocated on the TCB of each task. When a task is initialized, ``_stdin``, ``_stdout``, and ``_stderr`` members of ``struct _reent`` are set to the values of ``_stdin``, ``_stdout``, and ``_stderr`` of ``_GLOBAL_REENT`` (i.e., the structure which is used before FreeRTOS is started).
232
233Such a design has the following consequences:
234
235- It is possible to set ``stdin``, ``stdout``, and ``stderr`` for any given task without affecting other tasks, e.g., by doing ``stdin = fopen("/dev/uart/1", "r")``.
236- Closing default ``stdin``, ``stdout``, or ``stderr`` using ``fclose`` will close the ``FILE`` stream object, which will affect all other tasks.
237- To change the default ``stdin``, ``stdout``, ``stderr`` streams for new tasks, modify ``_GLOBAL_REENT->_stdin`` (``_stdout``, ``_stderr``) before creating the task.
238

README_CN.rst

1虚拟文件系统组件
2============================
3
4:link_to_translation:`en:[English]`
5
6概述
7--------
8
9虚拟文件系统 (VFS) 组件可为一些驱动提供一个统一接口。有了该接口,用户可像操作普通文件一样操作虚拟文件。这类驱动程序可以是 FAT、SPIFFS 等真实文件系统,也可以是有文件类接口的设备驱动程序。
10
11VFS 组件支持 C 库函数(如 fopen 和 fprintf 等)与文件系统 (FS) 驱动程序协同工作。在高层级,每个 FS 驱动程序均与某些路径前缀相关联。当一个 C 库函数需要打开文件时,VFS 组件将搜索与该文件所在文件路径相关联的 FS 驱动程序,并将调用传递给该驱动程序。针对该文件的读取、写入等其他操作的调用也将传递给这个驱动程序。
12
13例如,您可以使用 ``/fat`` 前缀注册 FAT 文件系统驱动,之后即可调用 ``fopen("/fat/file.txt", "w")``。之后,VFS 将调用 FAT 驱动的 ``open`` 函数,并将参数 ``/file.txt`` 和合适的打开模式传递给 ``open`` 函数;后续对返回的 ``FILE*`` 数据流调用 C 库函数也同样会传递给 FAT 驱动。
14
15注册 FS 驱动程序
16---------------------
17
18如需注册 FS 驱动程序,首先要定义一个 :cpp:type:`esp_vfs_t` 结构体实例,并用指向 FS API 的函数指针填充它。
19
20.. highlight:: c
21
22::
23
24    esp_vfs_t myfs = {
25        .flags = ESP_VFS_FLAG_DEFAULT,
26        .write = &myfs_write,
27        .open = &myfs_open,
28        .fstat = &myfs_fstat,
29        .close = &myfs_close,
30        .read = &myfs_read,
31    };
32
33    ESP_ERROR_CHECK(esp_vfs_register("/data", &myfs, NULL));
34
35在上述代码中需要用到 ``read``、 ``write`` 或 ``read_p``、 ``write_p``,具体使用哪组函数由 FS 驱动程序 API 的声明方式决定。
36
37示例 1:声明 API 函数时不带额外的上下文指针参数,即 FS 驱动程序为单例模式,此时使用 ``write`` ::
38
39    ssize_t myfs_write(int fd, const void * data, size_t size);
40
41    // In definition of esp_vfs_t:
42        .flags = ESP_VFS_FLAG_DEFAULT,
43        .write = &myfs_write,
44    // ... other members initialized
45
46    // When registering FS, context pointer (third argument) is NULL:
47    ESP_ERROR_CHECK(esp_vfs_register("/data", &myfs, NULL));
48
49示例 2:声明 API 函数时需要一个额外的上下文指针作为参数,即可支持多个 FS 驱动程序实例,此时使用 ``write_p`` ::
50
51    ssize_t myfs_write(myfs_t* fs, int fd, const void * data, size_t size);
52
53    // In definition of esp_vfs_t:
54        .flags = ESP_VFS_FLAG_CONTEXT_PTR,
55        .write_p = &myfs_write,
56    // ... other members initialized
57
58    // When registering FS, pass the FS context pointer into the third argument
59    // (hypothetical myfs_mount function is used for illustrative purposes)
60    myfs_t* myfs_inst1 = myfs_mount(partition1->offset, partition1->size);
61    ESP_ERROR_CHECK(esp_vfs_register("/data1", &myfs, myfs_inst1));
62
63    // Can register another instance:
64    myfs_t* myfs_inst2 = myfs_mount(partition2->offset, partition2->size);
65    ESP_ERROR_CHECK(esp_vfs_register("/data2", &myfs, myfs_inst2));
66
67同步输入/输出多路复用
68^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
69
70如需通过 :cpp:func:`select` 使用同步输入/输出多路复用,首先需要把 :cpp:func:`start_select` 和 :cpp:func:`end_select` 注册到 VFS,如下所示:
71
72.. highlight:: c
73
74::
75
76    // In definition of esp_vfs_t:
77        .start_select = &uart_start_select,
78        .end_select = &uart_end_select,
79    // ... other members initialized
80
81调用 :cpp:func:`start_select` 设置环境,用以检测某一 VFS 文件描述符的读取/写入/错误条件。调用 :cpp:func:`end_select` 终止、析构或释放 :cpp:func:`start_select` 设置的资源。请在 :component_file:`vfs/vfs_uart.c` 中查看 UART 外设参考实现、:cpp:func:`esp_vfs_dev_uart_register`、:cpp:func:`uart_start_select` 和 :cpp:func:`uart_end_select` 函数。
82
83请参考以下示例,查看如何使用 VFS 文件描述符调用 :cpp:func:`select`:
84
85- :example:`peripherals/uart/uart_select`
86- :example:`system/select`
87
88如果 :cpp:func:`select` 用于套接字文件描述符,您可以启用 :envvar:`CONFIG_LWIP_USE_ONLY_LWIP_SELECT` 选项来减少代码量,提高性能。
89
90路径
91-----
92
93已注册的 FS 驱动程序均有一个路径前缀与之关联,此路径前缀即为分区的挂载点。
94
95如果挂载点中嵌套了其他挂载点,则在打开文件时使用具有最长匹配路径前缀的挂载点。例如,假设以下文件系统已在 VFS 中注册:
96
97- 在 /data 下注册 FS 驱动程序 1
98- 在 /data/static 下注册 FS 驱动程序 2
99
100那么:
101
102- 打开 ``/data/log.txt`` 会调用驱动程序 FS 1;
103- 打开 ``/data/static/index.html`` 需调用 FS 驱动程序 2;
104- 即便 FS 驱动程序 2 中没有 ``/index.html``,也不会在 FS 驱动程序 1 中查找 ``/static/index.html``。
105
106挂载点名称必须以路径分隔符 (``/``) 开头,且分隔符后至少包含一个字符。但在以下情况中,VFS 同样支持空的挂载点名称:1. 应用程序需要提供一个”最后方案“下使用的文件系统;2. 应用程序需要同时覆盖 VFS 功能。如果没有与路径匹配的前缀,就会使用到这种文件系统。
107
108VFS 不会对路径中的点 (``.``) 进行特殊处理,也不会将 ``..`` 视为对父目录的引用。在上述示例中,使用 ``/data/static/../log.txt`` 路径不会调用 FS 驱动程序 1 打开 ``/log.txt``。特定的 FS 驱动程序(如 FATFS)可能以不同的方式处理文件名中的点。
109
110执行打开文件操作时,FS 驱动程序仅得到文件的相对路径(挂载点前缀已经被去除):
111
1121. 以 ``/data`` 为路径前缀注册 ``myfs`` 驱动;
1132. 应用程序调用 ``fopen("/data/config.json", ...)``;
1143. VFS 调用 ``myfs_open("/config.json", ...)``;
1154. ``myfs`` 驱动打开 ``/config.json`` 文件。
116
117VFS 对文件路径长度没有限制,但文件系统路径前缀受 ``ESP_VFS_PATH_MAX`` 限制,即路径前缀上限为 ``ESP_VFS_PATH_MAX``。各个文件系统驱动则可能会对自己的文件名长度设置一些限制。
118
119
120文件描述符
121----------------
122
123文件描述符是一组很小的正整数,从 ``0`` 到 ``FD_SETSIZE - 1``,``FD_SETSIZE`` 在 newlib ``sys/types.h`` 中定义。最大文件描述符由 ``CONFIG_LWIP_MAX_SOCKETS`` 定义,且为套接字保留。VFS 中包含一个名为 ``s_fd_table`` 的查找表,用于将全局文件描述符映射至 ``s_vfs`` 数组中注册的 VFS 驱动索引。
124
125
126标准 IO 流 (stdin, stdout, stderr)
127-------------------------------------------
128
129如果 menuconfig 中 ``UART for console output`` 选项没有设置为 ``None``,则 ``stdin``、 ``stdout`` 和 ``stderr`` 将默认从 UART 读取或写入。UART0 或 UART1 可用作标准 IO。默认情况下,UART0 使用 115200 波特率,TX 管脚为 GPIO1,RX 管脚为 GPIO3。您可以在 menuconfig 中更改上述参数。
130
131对 ``stdout`` 或 ``stderr`` 执行写入操作将会向 UART 发送 FIFO 发送字符,对 ``stdin`` 执行读取操作则会从 UART 接收 FIFO 中取出字符。
132
133默认情况下,VFS 使用简单的函数对 UART 进行读写操作。在所有数据放进 UART FIFO 之前,写操作将处于 busy-wait 状态,读操处于非阻塞状态,仅返回 FIFO 中已有数据。由于读操作为非阻塞,高层级 C 库函数调用(如 ``fscanf("%d\n", &var);``)可能获取不到所需结果。
134
135如果应用程序使用 UART 驱动,则可以调用 ``esp_vfs_dev_uart_use_driver`` 函数来指导 VFS 使用驱动中断、读写阻塞功能等。您也可以调用 ``esp_vfs_dev_uart_use_nonblocking`` 来恢复非阻塞函数。
136
137VFS 还为输入和输出提供换行符转换功能(可选)。多数应用程序在程序内部发送或接收以 LF (''\n'') 结尾的行,但不同的终端程序可能需要不同的换行符,比如 CR 或 CRLF。应用程序可以通过 menuconfig 或者调用 ``esp_vfs_dev_uart_port_set_rx_line_endings`` 和 ``esp_vfs_dev_uart_port_set_tx_line_endings`` 为输入输出配置换行符。
138
139
140标准流和 FreeRTOS 任务
141^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
142
143``stdin``、``stdout`` 和 ``stderr`` 的 ``FILE`` 对象在所有 FreeRTOS 任务之间共享,指向这些对象的指针分别存储在每个任务的 ``struct _reent`` 中。
144
145预处理器把如下代码:
146
147.. highlight:: c
148
149::
150
151    fprintf(stderr, "42\n");
152
153解释为:
154
155.. highlight:: c
156
157::
158
159    fprintf(__getreent()->_stderr, "42\n");
160
161其中 ``__getreent()`` 函数将为每个任务返回一个指向 ``struct _reent`` 的指针。每个任务的 TCB 均拥有一个 ``struct _reent`` 结构体,任务初始化后,``struct _reent`` 结构体中的 ``_stdin``、``_stdout`` 和 ``_stderr`` 将会被赋予 ``_GLOBAL_REENT`` 中 ``_stdin``、 ``_stdout`` 和 ``_stderr`` 的值,``_GLOBAL_REENT`` 即为 FreeRTOS 启动之前所用结构体。
162
163这样设计带来的结果是:
164
165- 允许重定向给定任务的 ``stdin``、 ``stdout`` 和 ``stderr``,而不影响其他任务,例如通过 ``stdin = fopen("/dev/uart/1", "r")``;
166- 但使用 ``fclose`` 关闭默认 ``stdin``、 ``stdout`` 或 ``stderr`` 将同时关闭相应的 ``FILE`` 流对象,因此会影响其他任务;
167- 如需更改新任务的默认 ``stdin``、 ``stdout`` 和 ``stderr`` 流,请在创建新任务之前修改 ``_GLOBAL_REENT->_stdin`` (``_stdout``、``_stderr``)。
168