下面是我的c ++程序,用于将两个字符串(字符串中的整数)相乘,并在字符串中生成整数结果。我认为这是由于cout冲洗问题。有人可以在打印答案之前解释如何在没有endl或任何文本字符串的情况下打印值。
#include <iostream>
using namespace std;
string multiply (string s1, string s2)
{
char str[10];
string ans="";
int m=s1.length();
int n=s2.length();
if (!s1.compare("0") || !s2.compare("0"))
return "0";
int *res = new int[m + n];
for (int i = m - 1; i >= 0; i--)
{
for (int j = n - 1; j >= 0; j--)
{
res[m + n - i - j - 2] += (s1[i] - '0') * (s2[j] - '0');
res[m + n - i - j - 1] += res[m + n - i - j - 2] / 10;
res[m + n - i - j - 2] %= 10;
}
}
for (int i = m + n - 1; i >= 0; i--)
{
if (res[i] != 0)
{
for (int j = i; j >= 0; j--)
{
sprintf(str,"%d", res[j]);
ans+=str;
}
return ans;
}
}
}
int main() {
cout << multiply("0", "0"); // Doesn't work - prints nothing.
/**cout << multiply("0", "0") << endl; //works!! This prints "0" correctly **/
return 0;
}
答案 0 :(得分:4)
您应该注意到std::endl
包括刷新输出流。从reference documentation开始:
在输出序列
os
中插入换行符并将其刷新,就像调用os.put(os.widen('\n'))
后跟os.flush()
一样。
因此,如果您在示例
中打印后刷新cout
cout << multiply("0", "0");
cout.put(cout.widen('\n'));
cout.flush();
你会看到打印结果 Live Demo 。
有关刷新的详细信息及其对缓冲输出的实际意义,请阅读std::ostream::flush()
。