定义于头文件
template< class CharT, |
类模板 basic_istream
提供字符流上的高层输入支持。受支持操作包含带格式的输入(例如整数值或空白符分隔的字符与字符串)和无格式输入(例如未处理字符和字符数组)。此功能以通过 basic_ios
基类访问的底层 basic_streambuf
类所提供的接口实现。大多数库实现中, basic_istream
有一个非继承数据成员:用于存储 basic_istream::gcount() 所返回的值。
std::basic_istream::read
basic_istream& read( char_type* s, std::streamsize count ); |
从流释出字符。
表现为无格式输入函数 (UnformattedInputFunction) 。构造并检查 sentry 对象后,释出字符并存储它们到首元素为 s
所指向的字符数组的相继位置。释出并存储字符,直至出现任何下列条件:
count
个字符s | - | 指向要存储字符到的字符数组的指针 |
count | - | 要读取的字符数 |
*this
若出现错误(错误状态标志不是 goodbit )并且设置了 exceptions() 为对该状态抛出则为 failure 。
若内部操作抛出异常,则捕获它并设置 badbit 。若对 badbit
设置了 exceptions() ,则重抛该异常。
使用非转换的本地环境时(默认本地环境为非转换),此函数在 std::basic_ifstream 中的覆写者可以为零复制的大块 I/O 优化(通过覆写 std::streambuf::xsgetn )。
#include
#include
#include
#include
#include
int main()
{
// read() 常用于二进制 I/O
std::string bin = {'\x12', '\x12', '\x12', '\x12'};
std::istringstream raw(bin);
std::uint32_t n;
if (raw.read(reinterpret_cast(&n), sizeof n))
{
std::cout << std::hex << std::showbase << n << '\n';
}
// 为下个片段准备文件
std::ofstream("test.txt", std::ios::binary) << "abcd1\nabcd2\nabcd3";
// 读取整个文件到 string
if (std::ifstream is{"test.txt", std::ios::binary | std::ios::ate})
{
auto size = is.tellg();
std::string str(size, '\0'); // 构造 string 为流大小
is.seekg(0);
if (is.read(&str[0], size))
{
std::cout << str << '\n';
}
}
}
std::basic_istream::readsome
std::streamsize readsome( char_type* s, std::streamsize count ); |
从输入流释出至多 count
个立即可用的字符。存储释出的字符于 s
所指向的字符数组。
表现为无格式输入函数 (UnformattedInputFunction) 。构造并检查 sentry 对象后,
s
所指向的字符数组的相继位置。s | - | 指向要存储字符到的字符数组的指针 |
count | - | 要读取的最大字符数 |
实际释出的字符数。
若出现错误(错误状态标志不是 goodbit )并且设置了 exceptions() 为对该状态抛出则为 failure 。
若内部操作抛出异常,则捕获它并设置 badbit 。若对 badbit
设置了 exceptions() ,则重抛该异常。
此函数的行为是高度实现限定的。例如,以 std::ifstream 使用时,某些库实现在文件打开时立即以数据填充底层 filebuf (而这种实现上 readsome() 读取的数据潜在地,但不必为整个文件),而其他实现仅在请求实际输入操作时从文件读取(而文件打开后立即作出的 readsome() 决不释出任何字符)。类似地,调用 std::cin.readsome() 可能返回所有悬置的未处理控制台输入,或可能始终返回零并且不释出字符。
#include
#include
int main()
{
char c[10] = {};
std::istringstream input("This is sample text.");
// std::stringbuf 令个缓冲可用于无阻塞读取
input.readsome(c, 5); // 读取 'This ' 并存储于 c[0] .. c[4]
input.readsome(c, 9); // 读取 'is sample' 并存储于 c[0] .. c[8]
std::cout << c;
}
std::basic_istream::gcount
std::streamsize gcount() const; |
返回最近的无格式输入操作所释出的字符数。
basic_istream
的下列成员函数更改后继的 gcount()
调用的值:
下列函数设置 gcount()
为零:
(无)
最近的无格式输入操作所释出的字符数。
#include
#include
int main()
{
char x[20];
std::istringstream stream("Hello World");
stream.read(x, sizeof x);
std::cout << "Characters extracted: " << stream.gcount();
}