我正在尝试将一个整数放入一个字符串中,方法是将它们的数字分开并按顺序放入一个大小为3的字符串
这是我的代码:
char pont[4];
void convertInteger(int number){
int temp100=0;
int temp10=0;
int ascii100=0;
int ascii10=0;
if (number>=100) {
temp100=number%100;
ascii100=temp100;
pont[0]=ascii100+48;
number-=temp100*100;
temp10=number%10;
ascii10=temp10;
pont[1]=ascii10+48;
number-=temp10*10;
pont[2]=number+48;
}
if (number>=10) {
pont[0]=48;
temp10=number%10;
ascii10=temp10;
pont[1]=ascii10+48;
number-=temp10*10;
pont[2]=number+48;
}
else{
pont[0]=48;
pont[1]=48;
pont[2]=number+48;
}
}
这是一个假设发生的例子:
number = 356
temp100 = 356%100 = 3
ascii100 = 3
pont[0]= ascii100 = 3
temp100 = 3*100 = 300
number = 365 - 300 = 56
temp10 = 56%10 = 5
ascii10 = 5
pont[1]= ascii10 = 5
temp10 = 5*10 = 50
number = 56 - 50 = 6
pont[2]=6
我可能在某个地方有错误而没有看到它(不知道为什么)...... 顺便说一下,这应该是C ++。我可能会把它与C语言混在一起...... 提前致谢
答案 0 :(得分:1)
你现在可能忽视的错误可能是:
pont[2]=number+48;
}
if (number>=10) { /* should be else if */
pont[0]=48;
但是,我想提出一个不同的方法;您不关注该值高于100
,10
等,因为0
仍然是有用的值 - 如果您不是介意你填写你的答案。
考虑以下数字:
int hundreds = (number % 1000) / 100;
int tens = (number % 100) / 10;
int units = (number % 10);
答案 1 :(得分:1)
所有内置类型都知道如何向std::ostream
表示自己。它们可以格式化为精度,转换为不同的表示等。
这种统一处理允许我们在标准输出中编写内置函数:
#include <iostream>
int main()
{
std::cout << 356 << std::endl; // outputting an integer
return 0;
}
输出:
356
我们可以流式传输到cout
以上。有一个名为std::ostringstream
的标准类,我们可以像cout
一样使用它,但它为我们提供了一个可以转换为字符串的对象,而不是将所有内容发送到标准输出:
#include <sstream>
#include <iostream>
int main()
{
std::ostringstream oss;
oss << 356;
std::string number = oss.str(); // convert the stream to a string
std::cout << "Length: " << number.size() << std::endl;
std::cout << number << std::endl; // outputting a string
return 0;
}
输出:
Length: 3
356