Skip to content
Advertisement

Reading part of lines from a txt

I’m trying to read a txt file with informations about time, temperature and humidity, this is the shape

07:54:03.383 -> Humidity:38.00%;Temperature:20.50°C;Heat index:19.60°C;
07:59:03.415 -> Humidity:37.00%;Temperature:20.90°C;Heat index:20.01°C;
08:04:03.435 -> Humidity:37.00%;Temperature:20.90°C;Heat index:20.01°C;
08:09:03.484 -> Humidity:37.00%;Temperature:20.80°C;Heat index:19.90°C;

I would like to extrapolate, for each line, the 4 informations and plot them in a graph. using open() and fileObject.read() i can plot the txt into VSC Terminal, but i don’t know how to:

  • read the time and save it in a proper way (it’s splitted by “:”)
  • read the values, for example i could think to read the first 5 characters after “Humidity” word, the first 5 after “Temperature” and so on. For each line
  • store them in proper vector and then plot the 3 path in function of the time. I’m using numpy as library.

Advertisement

Answer

Assuming you can tolerate reading your data into a Python string, we can use re.findall here:

# -*- coding: utf-8 -*-
import re

inp = """07:54:03.383 -> Humidity:38.00%;Temperature:20.50°C;Heat index:19.60°C;
07:59:03.415 -> Humidity:37.00%;Temperature:20.90°C;Heat index:20.01°C;
08:04:03.435 -> Humidity:37.00%;Temperature:20.90°C;Heat index:20.01°C;
08:09:03.484 -> Humidity:37.00%;Temperature:20.80°C;Heat index:19.90°C;"""

vals = re.findall(r'^(d{2}:d{2}:d{2}(?:.d+)?) -> Humidity:(d+(?:.d+)?)%;Temperature:(d+(?:.d+)?)°C;Heat index:(d+(?:.d+)?)°C;', inp, flags=re.M)
print(vals)

This prints:

[('07:54:03.383', '38.00', '20.50', '19.60'),
 ('07:59:03.415', '37.00', '20.90', '20.01'),
 ('08:04:03.435', '37.00', '20.90', '20.01'),
 ('08:09:03.484', '37.00', '20.80', '19.90')]
User contributions licensed under: CC BY-SA
10 People found this is helpful
Advertisement