您已经使用正确清空了字符串缓冲区ss.str("")
,但您还需要使用 清除流的错误状态ss.clear()
,否则在第一次提取后将不会尝试进一步读取,这会导致 EOF 条件。
所以:
string whatTime(int seconds) {
string h,m,s,ans;
stringstream ss;
ss << (seconds/3600);
seconds -= (3600*(seconds/3600));
ss >> h;
ss.str("");
ss.clear();
ss << (seconds/60);
seconds -= (60*(seconds/60));
ss >> m;
ss.str("");
ss.clear();
ss << seconds;
ss >> s;
return (h + ":" + m + ":" + s );
}
但是,如果这是您的完整代码并且您出于任何原因不需要各个变量,我会这样做:
std::string whatTime(const int seconds_n)
{
std::stringstream ss;
const int hours = seconds_n / 3600;
const int minutes = (seconds_n / 60) % 60;
const int seconds = seconds_n % 60;
ss << std::setfill('0');
ss << std::setw(2) << hours << ':'
<< std::setw(2) << minutes << ':'
<< std::setw(2) << seconds;
return ss.str();
}
这要简单得多。看到它在这里工作。
在 C++11中,您可以使用完全避免流std::to_string
,但这不允许您进行零填充。