我试图循环遍历字典并打印每行的第一个浮点值,但我不知道如何选择我只想要那些值。
我的字典:
{'abc': 123123, 'defg': [
['123.4', '10'],
['567.8', '10'],
['91011.12', '10']
]}
我希望输出为:
123.4
567.8
91011.12
此外,我想总结这些价值观。有没有循环的SUM方法有更简单的方法吗?
感谢您的帮助!我真的迷失了。
答案 0 :(得分:0)
好的,我想我明白了。感谢Ajax1234和Jerfov2的提示!
s = {'abc': 123123, 'defg': [
['123.4', '10'],
['567.8', '10'],
['91011.12', '10']
]}
用于循环和打印:
for x in s['defg']:
print(x[0])
输出:
123.4
567.8
91011.12
与for循环的总结:
summed = 0
for x in s['defg']:
summed = summed + float(x[0])
print("%.2f" % summed)
输出:
91702.32
答案 1 :(得分:0)
最后,Python中的任何功能方法都只是语法糖,这是非功能性的2美分:
import ast
import itertools
s = {'abc': 123123, 'defg': [
['123.4', '10'],
['567.8', '10'],
['91011.12', '10']
]}
def str_is_float(value):
if isinstance(value, str):
value = ast.literal_eval(value)
if isinstance(value, float):
return True
else:
return False
def get_floats(d):
for k, v in d.items():
if isinstance(v, list):
for n in itertools.chain.from_iterable(v):
if str_is_float(n):
yield float(n)
elif str_is_float(v):
yield float(v)
floats = list(get_floats(s))
# Print all the floats
print(floats)
# sum the floats
print(sum(x for x in floats))
答案 2 :(得分:-1)
您可以使用reduce
获得更实用的解决方案:
import re
import itertools
from functools import reduce
s = {'abc': 123123, 'defg': [
['123.4', '10'],
['567.8', '10'],
['91011.12', '10']
]}
new_s = list(itertools.chain(*[[float(c) for c in itertools.chain(*b) if re.findall('^\d+\.\d+$', c)] for a, b in s.items() if isinstance(b, list)]))
print(new_s)
print(reduce(lambda x, y:x+y, new_s))
输出:
[123.4, 567.8, 91011.12]
91702.32