istringstream 获取固定长度字符
时间: 2024-01-20 18:03:00 浏览: 71
c++ 字符串分割util
如果你想要从istringstream对象中获取固定长度的字符,可以使用`readsome`或`getline`函数。
1. readsome函数
readsome函数从流中读取指定数量的字符,不像`getline`函数那样读取整行。它的语法如下:
```
streamsize readsome (char* s, streamsize n);
```
其中,第一个参数s是一个字符数组,用于存储读取的字符;第二个参数n是要读取的字符数量。readsome函数返回实际读取的字符数量,这个数量可能小于指定的数量n。
以下是一个示例代码:
```
#include <iostream>
#include <sstream>
#include <string>
using namespace std;
int main()
{
string str = "abcdefghijk";
istringstream iss(str);
char buf[5];
while (iss.readsome(buf, 5))
{
cout.write(buf, iss.gcount());
}
return 0;
}
```
输出结果为:
```
abcde
fghij
k
```
在上面的示例中,我们定义了一个字符串变量str,它包含了要处理的字符串。然后,我们定义了一个istringstream对象iss,并将str作为参数传入。接着,我们定义了一个大小为5的字符数组buf,用于存储读取的字符。在while循环中,我们使用readsome函数从istringstream对象中读取5个字符,并将它们存储到buf数组中。最后,我们使用cout.write函数将读取的字符打印出来。
2. getline函数
getline函数从流中读取一行字符,并将其存储到一个字符串中。它的语法如下:
```
istream& getline (istream& is, string& str, char delim);
```
其中,第一个参数is是输入流对象;第二个参数str是要存储读取的字符串;第三个参数delim是行结束符。如果指定了行结束符,getline函数将会读取到行结束符为止;否则,它将读取到输入流的末尾为止。
以下是一个示例代码:
```
#include <iostream>
#include <sstream>
#include <string>
using namespace std;
int main()
{
string str = "abcdefghijk";
istringstream iss(str);
string line;
while (getline(iss, line, '\n'))
{
cout << line << endl;
}
return 0;
}
```
输出结果为:
```
abcdefghijk
```
在上面的示例中,我们定义了一个字符串变量str,它包含了要处理的字符串。然后,我们定义了一个istringstream对象iss,并将str作为参数传入。接着,我们定义了一个字符串变量line,用于存储读取的一行字符。在while循环中,我们使用getline函数从istringstream对象中读取一行字符,并将其存储到line字符串中。最后,我们打印出line字符串。
阅读全文