AI 刷题 3. 数字字符串格式化 题解 | 豆包MarsCode AI刷题

127 阅读3分钟

解题思路

为了将用户输入的不带千分位逗号的数字字符串转换为带千分位逗号的格式,并且保留小数部分,我们可以按照以下步骤进行:

  1. 去除前导零 :首先,我们需要去除输入字符串前面的无用零。这可以通过将字符串转换为浮点数,然后再转换回字符串来实现。
  2. 分离整数部分和小数部分 :将字符串分为整数部分和小数部分。如果没有小数部分,则小数部分为空字符串。
  3. 处理整数部分 :对整数部分进行千分位逗号的插入。我们可以从右向左每三位插入一个逗号。
  4. 合并整数部分和小数部分 :最后,将处理后的整数部分和小数部分合并,得到最终的结果。

代码实现

下面是Python代码实现上述思路:

python

RunSaveCopy

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

24

25

26

27

28

29

30

31

def format_number_with_commas(s):

去除前导零

s = str(float(s))

分离整数部分和小数部分

if '.' in s:

integer_part, decimal_part = s.split('.')

else:

integer_part, decimal_part = s, ''

处理整数部分,插入千分位逗号

integer_part_with_commas = ''

count = 0

for char in reversed(integer_part):

if count != 0 and count % 3 == 0:

integer_part_with_commas = ',' + integer_part_with_commas

integer_part_with_commas = char + integer_part_with_commas

count += 1

合并整数部分和小数部分

if decimal_part:

result = integer_part_with_commas + '.' + decimal_part

else:

result = integer_part_with_commas

return result

测试样例

print(format_number_with_commas("1294512.12412")) # 输出:'1,294,512.12412'

print(format_number_with_commas("0000123456789.99")) # 输出:'123,456,789.99'

print(format_number_with_commas("987654321")) # 输出:'987,654,321'

代码解释

去除前导零

s = str(float(s))

这里我们将字符串转换为浮点数,然后再转换回字符串。这样做的目的是去除前导零。

分离整数部分和小数部分

if '.' in s:

integer_part, decimal_part = s.split('.')

else:

integer_part, decimal_part = s, ''

如果字符串中包含小数点,我们使用`split`方法将其分为整数部分和小数部分。如果没有小数点,则整数部分就是原字符串,小数部分为空字符串。

处理整数部分,插入千分位逗号

integer_part_with_commas = ''

count = 0

for char in reversed(integer_part):

if count != 0 and count % 3 == 0:

integer_part_with_commas = ',' + integer_part_with_commas

integer_part_with_commas = char + integer_part_with_commas

count += 1

我们从右向左遍历整数部分,每三位插入一个逗号。`count`变量用于跟踪当前字符的位置。

合并整数部分和小数部分

if decimal_part:

result = integer_part_with_commas + '.' + decimal_part

else:

result = integer_part_with_commas

如果小数部分不为空,我们将整数部分和小数部分用小数点连接起来。否则,直接返回处理后的整数部分。