std::mblen
来自 cppreference.cn
                    
                                        
                    
                    
                                                            
                    | 定义于头文件  <cstdlib> | ||
| int mblen( const char* s, std::size_t n ); | ||
确定多字节字符的字节大小,其首字节由 s 指向。
如果 s 是空指针,则重置全局转换状态并确定是否使用移位序列。
此函数等价于调用 std::mbtowc(nullptr, s, n),除了 std::mbtowc 的转换状态不受影响。
| 目录 | 
[编辑] 注意
每次调用 mblen 都会更新内部全局转换状态(一个类型为 std::mbstate_t 的静态对象,仅此函数可见)。如果多字节编码使用移位状态,则必须注意避免回溯或多次扫描。在任何情况下,多个线程都不应在没有同步的情况下调用 mblen:可以改用 std::mbrlen。
[编辑] 参数
| s | - | 指向多字节字符的指针 | 
| n | - | s 中可检查的字节数的限制 | 
[编辑] 返回值
如果 s 不是空指针,则返回多字节字符中包含的字节数,如果 s 指向的第一个字节不构成有效的多字节字符,则返回 -1,如果 s 指向空字符 '\0',则返回 0。
如果 s 是空指针,则将其内部转换状态重置为表示初始移位状态,如果当前多字节编码与状态无关(不使用移位序列),则返回 0,如果当前多字节编码与状态相关(使用移位序列),则返回非零值。
[编辑] 示例
运行此代码
#include <clocale> #include <cstdlib> #include <iomanip> #include <iostream> #include <stdexcept> #include <string_view> // the number of characters in a multibyte string is the sum of mblen()'s // note: the simpler approach is std::mbstowcs(nullptr, s.c_str(), s.size()) std::size_t strlen_mb(const std::string_view s) { std::mblen(nullptr, 0); // reset the conversion state std::size_t result = 0; const char* ptr = s.data(); for (const char* const end = ptr + s.size(); ptr < end; ++result) { const int next = std::mblen(ptr, end - ptr); if (next == -1) throw std::runtime_error("strlen_mb(): conversion error"); ptr += next; } return result; } void dump_bytes(const std::string_view str) { std::cout << std::hex << std::uppercase << std::setfill('0'); for (unsigned char c : str) std::cout << std::setw(2) << static_cast<int>(c) << ' '; std::cout << std::dec << '\n'; } int main() { // allow mblen() to work with UTF-8 multibyte encoding std::setlocale(LC_ALL, "en_US.utf8"); // UTF-8 narrow multibyte encoding const std::string_view str = "z\u00df\u6c34\U0001f34c"; // or u8"zß水🍌" std::cout << std::quoted(str) << " is " << strlen_mb(str) << " characters, but as much as " << str.size() << " bytes: "; dump_bytes(str); }
可能的输出
"zß水🍌" is 4 characters, but as much as 10 bytes: 7A C3 9F E6 B0 B4 F0 9F 8D 8C
[编辑] 另请参阅
| 将下一个多字节字符转换为宽字符 (函数) | |
| 返回下一个多字节字符的字节数,给定状态 (函数) | |
| C 文档 关于 mblen | |


