-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathscript.py
executable file
·232 lines (189 loc) · 8.35 KB
/
script.py
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
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
#!/usr/bin/env python3
"""
Potentiometer Reader Data Collector
This script reads data from an Arduino running the potentiometer_reader sketch,
saves the data to a CSV file, and provides options for real-time visualization.
Usage:
python script.py [--port PORT] [--baud BAUD] [--output FILENAME] [--plot]
"""
import serial
import csv
import time
import argparse
import os
import sys
from datetime import datetime
import re
# Optional matplotlib import for plotting
try:
import matplotlib.pyplot as plt
from matplotlib.animation import FuncAnimation
MATPLOTLIB_AVAILABLE = True
except ImportError:
MATPLOTLIB_AVAILABLE = False
def find_arduino_port():
"""Attempt to automatically find the Arduino port."""
import serial.tools.list_ports
# Common Arduino identifiers
arduino_identifiers = [
"Arduino", "CH340", "FTDI", "usbserial", "usbmodem", "wchusbserial"
]
ports = list(serial.tools.list_ports.comports())
for port in ports:
for identifier in arduino_identifiers:
if identifier.lower() in port.description.lower() or identifier.lower() in port.device.lower():
return port.device
return None
def parse_arduino_data(line):
"""Parse the data coming from Arduino."""
# Extract voltage from the line (assuming format like "Raw value: 123 Voltage: 2.45 V")
voltage_match = re.search(r'Voltage:\s+(\d+\.\d+)', line)
if voltage_match:
voltage = float(voltage_match.group(1))
timestamp = time.time()
return timestamp, voltage
return None, None
def setup_plotting():
"""Setup real-time plotting if matplotlib is available."""
if not MATPLOTLIB_AVAILABLE:
print("Matplotlib not available. Install with: pip install matplotlib")
return None, None, None
# Create figure and axis
fig, ax = plt.subplots(figsize=(10, 6))
ax.set_title('Potentiometer Readings')
ax.set_xlabel('Time (s)')
ax.set_ylabel('Voltage (V)')
ax.grid(True)
# Initialize empty lists for data
times = []
voltages = []
# Create line object
line, = ax.plot([], [], 'b-')
# Set up plot to be animated
def init():
ax.set_xlim(0, 10)
ax.set_ylim(0, 5.5)
return line,
def update(frame):
if times and voltages:
# Update the line with new data
line.set_data(times, voltages)
# Adjust x-axis limits to show the last 30 seconds of data
if len(times) > 1:
start_time = times[0]
current_time = times[-1]
ax.set_xlim(max(0, current_time - start_time - 30), current_time - start_time + 1)
# Adjust y-axis to fit the data with some padding
min_voltage = min(voltages)
max_voltage = max(voltages)
padding = (max_voltage - min_voltage) * 0.1 if max_voltage > min_voltage else 0.5
ax.set_ylim(max(0, min_voltage - padding), min(5.5, max_voltage + padding))
return line,
# Create animation
ani = FuncAnimation(fig, update, init_func=init, interval=100, blit=True)
return fig, (times, voltages), ani
def main():
"""Main function to run the data collection."""
# Parse command line arguments
parser = argparse.ArgumentParser(description='Arduino Potentiometer Data Collector')
parser.add_argument('--port', help='Serial port (e.g., /dev/ttyUSB0, COM3)')
parser.add_argument('--baud', type=int, default=9600, help='Baud rate (default: 9600)')
parser.add_argument('--output', default=None, help='Output CSV filename (default: potentiometer_data_TIMESTAMP.csv)')
parser.add_argument('--plot', action='store_true', help='Enable real-time plotting (requires matplotlib)')
args = parser.parse_args()
# Determine port
port = args.port
if not port:
port = find_arduino_port()
if not port:
print("Error: Could not automatically find Arduino port. Please specify with --port.")
print("Available ports:")
import serial.tools.list_ports
for p in serial.tools.list_ports.comports():
print(f" {p.device} - {p.description}")
return 1
# Determine output filename
if not args.output:
timestamp = datetime.now().strftime("%Y%m%d_%H%M%S")
output_filename = f"potentiometer_data_{timestamp}.csv"
else:
output_filename = args.output
# Setup plotting if requested
plot_data = None
if args.plot:
if MATPLOTLIB_AVAILABLE:
fig, plot_data, ani = setup_plotting()
plt.ion() # Turn on interactive mode
plt.show(block=False)
else:
print("Warning: Plotting requested but matplotlib is not available.")
print("Install matplotlib with: pip install matplotlib")
# Connect to Arduino
print(f"Connecting to Arduino on {port} at {args.baud} baud...")
try:
arduino = serial.Serial(port, args.baud, timeout=2)
# Wait for connection to stabilize
time.sleep(2)
print("Connection established.")
except serial.SerialException as e:
print(f"Error connecting to Arduino: {e}")
return 1
# Create and open CSV file
try:
with open(output_filename, "w", newline="") as file:
writer = csv.writer(file)
writer.writerow(["Timestamp", "Elapsed Time (s)", "Voltage (V)"])
print(f"Data collection started. Saving to {output_filename}")
print("Press Ctrl+C to stop collection.")
start_time = time.time()
try:
while True:
try:
line = arduino.readline().decode('utf-8', errors='replace').strip()
if line:
timestamp, voltage = parse_arduino_data(line)
if timestamp and voltage is not None:
elapsed = timestamp - start_time
# Write to CSV
writer.writerow([timestamp, round(elapsed, 2), voltage])
file.flush()
# Print to console
print(f"Time: {elapsed:.2f}s, Voltage: {voltage:.2f}V")
# Update plot if enabled
if plot_data:
times, voltages = plot_data
times.append(elapsed)
voltages.append(voltage)
if len(times) > 1000: # Limit data points to avoid memory issues
times.pop(0)
voltages.pop(0)
plt.pause(0.01) # Update the plot
else:
print(f"Raw data: {line}")
except UnicodeDecodeError:
print("Warning: Received invalid data from Arduino.")
continue
except KeyboardInterrupt:
print("\nData collection stopped by user.")
# Final statistics
if os.path.exists(output_filename):
with open(output_filename, 'r') as f:
line_count = sum(1 for _ in f) - 1 # Subtract header
print(f"\nCollection summary:")
print(f"- Data points collected: {line_count}")
print(f"- Duration: {time.time() - start_time:.2f} seconds")
print(f"- Data saved to: {output_filename}")
except Exception as e:
print(f"Error during data collection: {e}")
finally:
# Clean up
arduino.close()
print("Serial connection closed.")
# If plotting was enabled, keep the plot window open
if args.plot and MATPLOTLIB_AVAILABLE:
print("Keeping plot window open. Close it to exit.")
plt.ioff()
plt.show()
return 0
if __name__ == "__main__":
sys.exit(main())