2.下面是一个传感器采集数据文件sensor.txt的一部分: 2018-02-28 01:03:16 19.3024 38.4629 45.08 2.68742 2018-02-28 01:03:17 19.1652 38.8039 45.08 2.68742 2018-02-28 01:03:18 19.175 38.8379 45.08 2.69964 分别表示日期、时间、温度、湿度、光照和电压。其中温度处于第3列。 编写程序,统计并输出温度部分的最大值、最小值以及平均值,保留小数点后2位。
时间: 2024-02-22 13:59:18 浏览: 421
IMX294 datasheet REV0.1
4星 · 用户满意度95%
您可以使用Python来处理这个问题。以下是一个示例代码:
```
with open('sensor.txt', 'r') as f:
lines = f.readlines()
temperatures = []
for line in lines:
data = line.split()
temperature = float(data[2])
temperatures.append(temperature)
max_temperature = max(temperatures)
min_temperature = min(temperatures)
avg_temperature = sum(temperatures) / len(temperatures)
print("最大温度:%.2f" % max_temperature)
print("最小温度:%.2f" % min_temperature)
print("平均温度:%.2f" % avg_temperature)
```
这个程序首先使用 `open()` 函数读取 `sensor.txt` 文件的内容,并将其存储在变量 `lines` 中。接着,程序遍历 `lines` 列表,使用 `split()` 方法将每行的数据按空格分割,然后取出温度值,并将其转换为浮点数类型,存储在 `temperatures` 列表中。
接下来,使用 `max()`、`min()` 和 `sum()` 函数分别计算温度的最大值、最小值和总和。最后,计算平均温度并输出到屏幕上,保留两位小数。
阅读全文