如何使用cin以特定格式阅读? 示例: - 为了读取复数,我希望用户像往常一样输入:x + yi, 所以我想要这样的东西: CIN>> X>> “中+” >> Y>> “中我”; 但这是一个错误。什么是正确的方法?非常感谢。
答案 0 :(得分:2)
根据my answer on a vaguely related question,使用流进行解析通常是一个坏主意,但可以这样做:
我写了一些可以读取字符串和字符文字的代码。与普通流读取一样,如果它获得无效数据,则设置流的badbit。这适用于所有类型的流,包括宽流。将这四个函数粘贴在标题中:
#include <iostream>
#include <string>
#include <array>
#include <cstring>
template<class e, class t, int N>
std::basic_istream<e,t>& operator>>(std::basic_istream<e,t>& in, const e(&literal)[N]) {
std::array<e, N-1> buffer; //get buffer
in >> buffer[0]; //skips whitespace
if (N>2)
in.read(&buffer[1], N-2); //read the rest
if (strncmp(&buffer[0], literal, N-1)) //if it failed
in.setstate(in.rdstate() | std::ios::badbit); //set the state
return in;
}
template<class e, class t>
std::basic_istream<e,t>& operator>>(std::basic_istream<e,t>& in, const e& literal) {
e buffer; //get buffer
in >> buffer; //read data
if (buffer != literal) //if it failed
in.setstate(in.rdstate() | std::ios::badbit); //set the state
return in;
}
//redirect mutable char arrays to their normal function
template<class e, class t, int N>
std::basic_istream<e,t>& operator>>(std::basic_istream<e,t>& in, e(&carray)[N]) {
return std::operator>>(in, carray);
}
它会使输入字符变得非常简单:
if (cin>>x>>"+">>y>>"i";) {
// read correctly
}
PROOF OF CONCEPT。现在你可以cin
字符串和字符文字,如果输入不是完全匹配,它就像任何其他未能正确输入的类型一样。请注意,这仅匹配不是第一个字符的字符串文字中的空格。它只有三个功能,所有功能都是脑死亡的简单。
答案 1 :(得分:1)
一个非常简单的解决方案:
char plus,img;
double x,y;
cin>> x >> plus >> y >> img;
if (plus!='+' || img!='i') ...error
在“现实生活”代码中,您构建/使用class complex
,并重载运算符>>.
我在Ideone中尝试:http://ideone.com/ZhSprF
#include <iostream>
using namespace std;
int main()
{
char plus{},img{};
double x{},y{};
cin>> x >> plus >> y >> img;
if (plus!='+' || img!='i')
cout << "\nError: "<< "x=" << x <<", plus=" << plus <<", y=" << y <<", img=" << img;
else
cout << "\nComplex: " << x << plus << y << img;
return 0;
}
stdin:3 + 4i
- &gt; stdout:Complex: 3+4i
stdin:1E4L1e3g
- &gt; stdout:Error: x=10000, plus=L, y=1000, img=g
stdin:a+3i
- &gt; stdout:Error: x=0, plus=, y=0, img=
stdin:1e3+93E-2i
- &gt; stdout:Complex: 1000+0.93i
答案 2 :(得分:1)
使用std::complex
。
这是一个说明我的评论的伪代码:
struct Complex { double real, imag; }
istream& operator>> (Complex& c, istream& str)
{
// read until whitespace
char C;
string Buffer;
enum { READING_REAL, READING_PLUS, READING_IMAG }
State = READING_REAL;
C = str.peek();
while (/* C is not whitespace */)
{
// actually read C
switch(State) {
case READ_REAL:
// check if it fits allowed double syntax
// continue until first double is read
/* when it is
c.real = parsedouble(Buffer);
Buffer.clear();
State = READ_PLUS;
*/
case READ_PLUS:
// accept plus sign
case READ_IMAG:
// read 2nd double
}
}
}
请注意,此操作可能会失败。