假设我有一个命令行程序。有没有办法让我说的时候
std::cout << stuff
如果我不在std::cout << '\n'
另一个之间做一个std::cout << stuff
,另一个输出的东西会覆盖从最左边的列开始的同一行(清理行)上的最后一个东西?
我认为ncurses有能力做到这一点?如果可能的话,如果我能说,那就太好了std::cout << std::overwrite << stuff
std::overwrite
某种iomanip在哪里。
你试过回车\r
吗?这应该做你想要的。
另外值得一看的转义字符文档:http ://en.wikipedia.org/wiki/ANSI_escape_code
您可以做的不仅仅是将 carret 设置回线路起始位置!
如果您只想覆盖最后打印的内容并且同一行上的其他内容保持不变,那么您可以执行以下操作:
#include <iostream>
#include <string>
std::string OverWrite(int x) {
std::string s="";
for(int i=0;i<x;i++){s+="\b \b";}
return s;}
int main(){
std::cout<<"Lot's of ";
std::cout<<"stuff"<<OverWrite(5)<<"new_stuff"; //5 is the length of "stuff"
return(0);
}
输出:
Lot's of new_stuff
OverWrite() 函数清除以前的“东西”并将光标放在它的开始处。
如果你想清理整条线并在那个地方打印 new_stuff ,那么只需提出
OverWrite()
足够大 的参数OverWrite(100)
或类似的东西来完全清理整条线。
如果您不想清洁任何东西,只需从头开始更换,那么您可以简单地执行以下操作:
#include<iostream>
#define overwrite "\r"
int main(){
std::cout<<"stuff"<<overwrite<<"new_stuff";
return(0);
}
你试过一个std::istream::sentry
吗?您可以尝试以下类似的方法,它会“审核”您的输入。
std::istream& operator>>(std::istream& is, std::string& input) {
std::istream::sentry s(is);
if(s) {
// use a temporary string to append the characters to so that
// if a `\n` isn't in the input the string is not read
std::string tmp;
while(is.good()) {
char c = is.get();
if(c == '\n') {
is.getloc();
// if a '\n' is found the data is appended to the string
input += tmp;
break;
} else {
is.getloc();
tmp += c;
}
}
}
return(is);
}
关键部分是我们将输入到流中的字符附加到一个临时变量中,如果没有读取 '\n',则数据被丢弃。
用法:
int main() {
std::stringstream bad("this has no return");
std::string test;
bad >> test;
std::cout << test << std::endl; // will not output data
std::stringstream good("this does have a return\n");
good >> test;
std::cout << test << std::endl;
}
这不会像 a 那样简单iomanip
,但我希望它有所帮助。