题目
科学计数法的转换
代码和思路
- 小数点的移动很关键,对于指数部分小于0的情况下,是不需要考虑小数点的问题的,这里讨论下小数部分大于0仍需要输出小数点
+ | 3 | . | 1 | 4 | 1 | 5 | 9 | 2 | 6 | E | + | 0 | 4 |
---|---|---|---|---|---|---|---|---|---|---|---|---|---|
1 | pos(10) |
- 在上面的情况下,小数点仍需要输出,需要输出的原因是当i = exp + 2(2是第一个数和第一个小数点)但是要注意,如果exp + 2 已经是最后一个数了,就不能输出小数点了,所以要加判 pos - 3 != exp (小数点和E之间的数字个数)
- 还有可能是要多输出0,多输出0的个数是指数 - (pos - 3)[小数点之间和E的数字个数]。
- 指数为负的情况下就简单很多,因为小数点的位置就很好确定了,然后输出0的个数就好
#include<cstdio>
#include<string>
#include<iostream>
using namespace std;
int main() {
string str, temp;
int exp = 0, pos = 0;
cin >> str;
if (str[0] == '-') printf("-");
while (str[pos] != 'E') pos++;
for (int i = pos + 2; i < str.length(); i++) {
exp = exp * 10 + (str[i] - '0');
}
if (exp == 0) {
for (int i = 1; i < str.length(); i++) cout << str[i];
}
if (str[pos + 1] == '-'){ //指数为负
cout << "0.";
for (int i = 1; i < exp; i++) cout << "0";
cout << str[1];
for (int i = 3; i < pos; i++) cout << str[i];
}
else {
for (int i = 1; i < pos; i++) {
if (str[i] == '.') continue;
cout << str[i];
if (i == exp + 2 && pos - 3 != exp) {
cout << ".";
}
}
for (int i = 0; i < exp - (pos - 3); i++) {
cout << "0";
}
}
}