Skip to content

Commit 3796db1

Browse files
author
ruthmoon
committed
circadian experiment folder created
1 parent 02dbd45 commit 3796db1

File tree

10 files changed

+315
-0
lines changed

10 files changed

+315
-0
lines changed
Binary file not shown.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,15 @@
1+
Title
2+
========
3+
4+
Aim
5+
------------
6+
7+
Protocol
8+
------------
9+
10+
* a
11+
* b
12+
* c
13+
14+
15+
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,208 @@
1+
"""
2+
This a small python program to collect, save and visualise data from the serial port in real time.
3+
Each data point is a scalar number.
4+
Consecutive data points result in a time series that is assumed to be irregular (i.e. heterogeneous).
5+
"""
6+
7+
__author__ = "Quentin Geissmann, [http://github.com/qgeissmann]"
8+
9+
10+
import os
11+
import time
12+
# In order to read from serial port
13+
import serial
14+
# Command line argument parsing
15+
import argparse
16+
# For basic linear algebra
17+
import numpy as np
18+
# To have a queue (FIFO) of values
19+
from collections import deque
20+
# Plotting the data
21+
import pygame
22+
23+
import sys
24+
import glob
25+
26+
27+
_BAUD = 57600
28+
_N_POINTS = 200
29+
DISPLAY_WIDTH, DISPLAY_HEIGHT = 1200, 520
30+
31+
32+
def plot(screen, time_queue, value_queue, window_size):
33+
"""
34+
The function to draw new data on a window.
35+
Calling repetitively this function, with new data, will display a dynamic "scrolling" plot.
36+
The y axis if for the values (value_queue) and the x axis is for time.
37+
The most recent values are plotted on the right most part of the window, whilst the
38+
oldest ones are on the left (until they eventually "leave" the screen)
39+
40+
:param screen: The display window to draw on
41+
:param time_queue: A collection of time stamps
42+
:param value_queue: A collection of y values matching time stamps.
43+
:param window_size: The duration (in seconds) corresponding to the width of the window.
44+
45+
"""
46+
# time
47+
t = np.array(list(time_queue))
48+
# y values
49+
values = np.array(list(value_queue), dtype=np.float32)
50+
51+
# We scale the signal so that all values lie between 0 and 1
52+
53+
new_y = values - np.min(values,0)
54+
# the maximal value in y
55+
mmax = np.max(new_y,0)
56+
# we ensure no division by 0 can happen
57+
if mmax == 0:
58+
return
59+
# after that new_y is between 0 and 1
60+
new_y /= np.max(new_y,0)
61+
62+
# Now, we scale new_y to the fit int the plotting window
63+
new_y *= DISPLAY_HEIGHT
64+
new_y = DISPLAY_HEIGHT - new_y
65+
66+
#we express time as a proportion of the window size
67+
new_t = t - t[0]
68+
new_t *= (DISPLAY_WIDTH/float(window_size))
69+
70+
# Clear the window (filling with black)
71+
screen.fill((0,0,0))
72+
73+
# Creating points (i.e. `x,y` tuples of int values)
74+
pts = [(int(x),int(y)) for x,y in zip(new_t, new_y )]
75+
# Then drawing in yellow
76+
pygame.draw.lines(screen, (255, 255, 0),False, pts, 3)
77+
pygame.display.flip()
78+
79+
80+
81+
def serial_ports():
82+
"""Lists serial ports, from:
83+
http://stackoverflow.com/questions/12090503/listing-available-com-ports-with-python
84+
85+
:raises EnvironmentError:
86+
On unsupported or unknown platforms
87+
:returns:
88+
A list of available serial ports
89+
"""
90+
if sys.platform.startswith('win'):
91+
ports = ['COM' + str(i + 1) for i in range(256)]
92+
93+
elif sys.platform.startswith('linux') or sys.platform.startswith('cygwin'):
94+
# this is to exclude your current terminal "/dev/tty"
95+
ports = glob.glob('/dev/tty[A-Za-z]*')
96+
97+
elif sys.platform.startswith('darwin'):
98+
ports = glob.glob('/dev/tty.*')
99+
100+
else:
101+
raise EnvironmentError('Unsupported platform')
102+
103+
result = []
104+
for port in ports:
105+
try:
106+
s = serial.Serial(port)
107+
s.close()
108+
result.append(port)
109+
except (OSError, serial.SerialException):
110+
pass
111+
return result
112+
113+
114+
if __name__ == "__main__":
115+
116+
117+
# parsing command line arguments
118+
parser = argparse.ArgumentParser()
119+
parser.add_argument('--port', help='port', type=str, default=None)
120+
parser.add_argument('--vws', help='The duration of the viewing window (s)', type=int, default=20)
121+
parser.add_argument('--out', help='An optional output file', type=str, default=os.devnull)
122+
123+
args = parser.parse_args()
124+
arg_dict = vars(args)
125+
window_size = arg_dict["vws"]
126+
out_file = arg_dict["out"]
127+
128+
# Here we open the serial port
129+
port = arg_dict["port"]
130+
if port is None:
131+
print "Scanning serial ports..."
132+
ports = serial_ports()
133+
if len(ports) == 0:
134+
raise Exception("No serial port found. Ensure your device is plugged. You ab also explicitly use the option `--port`")
135+
elif len(ports) > 2:
136+
print "%i serial ports found:\n %s" % (len(ports), "\n\t".join(ports))
137+
port = ports[0]
138+
print "Using %s " % port
139+
140+
141+
serial_port = serial.Serial(port, _BAUD, timeout=2)
142+
143+
# We start a timer using the real time from the operating system
144+
start = time.time()
145+
146+
# Then we make two queues (FIFO containers); one for the values and one for the time stamps
147+
time_queue, value_queue = deque(), deque()
148+
149+
# We need to initialise pygame
150+
pygame.init()
151+
152+
# We build the pygame window before we can start painting inside
153+
display = pygame.display.set_mode((DISPLAY_WIDTH, DISPLAY_HEIGHT))
154+
# Let us set the window name as well
155+
pygame.display.set_caption('Snail Heart Rate Monitor')
156+
157+
# The `with statement` will ensure the file is closed properly, should any exception happen
158+
with open(out_file, "w") as f:
159+
try:
160+
# Header of a csv like file
161+
f.write("t, y\n")
162+
163+
# Infinite loop
164+
while True:
165+
# we read a line from serial port and remove any `\r` and `\n` character
166+
line = serial_port.readline().rstrip()
167+
# Just after, we get a time stamp
168+
now = time.time()
169+
# we try to convert the line to an integer value
170+
try:
171+
value = float(line)
172+
173+
# If something goes wrong, we do not stop, but we print the error message
174+
except ValueError as e:
175+
print e
176+
continue
177+
178+
# The relative time from the start of the program is `dt`
179+
dt = now - start
180+
181+
# We write a formatted line to the end of the result file
182+
f.write("%f, %f\n" % (dt, value))
183+
184+
# We append relative time and value to their respective queues
185+
time_queue.append(dt)
186+
value_queue.append(value)
187+
188+
# We wait to have at least five points AND three seconds of data
189+
if time_queue[-1] < 3 or len(time_queue) < 5:
190+
continue
191+
192+
# Now, we remove/forget from the queues any value older than the window size
193+
# This way. we will only plot the last n (default 20) seconds of data
194+
while time_queue[-1] - time_queue[0] > window_size:
195+
time_queue.popleft()
196+
value_queue.popleft()
197+
198+
# Now we plot the values
199+
plot(display, time_queue, value_queue, window_size)
200+
201+
# So that the program stops if we close the window
202+
for et in pygame.event.get():
203+
if et.type == pygame.QUIT:
204+
raise KeyboardInterrupt
205+
206+
207+
except KeyboardInterrupt:
208+
print "Interrupting program..."
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,18 @@
1+
library("data.table")
2+
df <- fread("20150313_johnDoe.txt")
3+
4+
#todo INTERPOLATION/RESAMPLING here
5+
6+
df$min <- round(df$t /60)
7+
ldf <- split(df, df$min)
8+
9+
pdf("visual.pdf",w=16,h=9)
10+
par(mfrow=c(2,1))
11+
for(d in ldf){
12+
h <- round(d$t[1] / 3600,3)
13+
title <- paste0("Starts at h = ", h)
14+
print(title)
15+
plot(y ~ t, d, type='l', main=title)
16+
acf(d$y, lag.max=100)
17+
}
18+
dev.off()
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,40 @@
1+
int time_on = 5000;//us
2+
int time_off = 200;
3+
int light_pin = 6;
4+
int sensor_pin = 4;
5+
int N = 64;
6+
7+
8+
void setup(){
9+
// put your setup code here, to run once:
10+
Serial.begin(57600);
11+
pinMode(light_pin,OUTPUT);
12+
pinMode(sensor_pin,INPUT);
13+
digitalWrite(light_pin,HIGH);
14+
analogReference(EXTERNAL);
15+
}
16+
17+
void loop() {
18+
unsigned long t0 = millis();
19+
20+
float accum = 0;
21+
22+
digitalWrite(light_pin,HIGH);
23+
delayMicroseconds(time_on);
24+
25+
//sample as many times as N
26+
for(int i = 0; i < N; i++) {
27+
// We increment the accumulator by the value in the phototransistor pin
28+
accum += analogRead(sensor_pin);
29+
}
30+
31+
digitalWrite(light_pin, LOW);
32+
33+
accum = accum / N;
34+
Serial.println(accum);
35+
36+
unsigned long t1 = millis();
37+
unsigned long dt = t1 - t0;
38+
39+
delay(time_off - dt);
40+
}
Binary file not shown.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,3 @@
1+
Data units
2+
============
3+
time (seconds), light intensity (a.u.), temperature (C)
Binary file not shown.
Binary file not shown.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,31 @@
1+
temperature_experiment,,,,,,,,,
2+
ID,temp_file,heart_file,date_begin_dd/mm/yy,date_end_dd/mm/yy,mass_g,size_cm,box_N,uploaded_Y/N,notes
3+
009,temp_009_010.csv,heart_009.csv,07/05/15,08/05/15,14.190,4.2,S5,Y,-
4+
010,temp_009_010.csv,heart_010.csv,07/05/15,08/05/15,15.188,4.5,S5,Y,-
5+
011,temp_011_012.csv,heart_011.csv,08/05/15,09/05/15,14.177,4.2,S5,Y,-
6+
012,temp_011_012.csv,heart_012.csv,08/05/15,09/05/15,10.181,4.0,S5,Y,weighed_when_(w.w.)_non_dormant
7+
013,temp_013_014.csv,heart_013.csv,11/05/15,12/05/15,10.870,4.0,S6,Y,-
8+
014,temp_013_014.csv,heart_014.csv,11/05/15,12/05/15,12.427,4.1,S6,Y,-
9+
015,temp_015_016.csv,heart_015.csv,12/05/15,13/05/15,12.652,4.1,S6,Y,-
10+
016,temp_015_016.csv,heart_016.csv,12/05/15,13/05/15,11.432,3.9,S7,Y,-
11+
017,temp_017_018.csv,heart_017.csv,13/05/15,14/05/15,10.632,4.0,S7,Y,protective_bubble_w.w.
12+
018,temp_017_018.csv,heart_018.csv,13/05/15,14/05/15,11.474,4.1,S8,Y,-
13+
019,temp_019_020.csv,heart_019.csv,14/05/15,15/05/15,11.523,4.1,S8,Y,foam_w.w.
14+
020,temp_019_020.csv,heart_020.csv,14/05/15,15/05/15,13.331,4.4,S8,Y,-
15+
021,temp_021_022.csv,heart_021.csv,15/05/15,16/05/15,12.325,4.1,S8,N,-
16+
022,temp_021_022.csv,heart_022.csv,15/05/15,16/05/15,11.401,4.0,S7,N,-
17+
,,,,,,,,,
18+
experiment_trials,,,,,,,,,
19+
ID,file,,date_begin_dd/mm/yy,date_end_dd/mm/yy,mass_g,size_cm,box_N,uploaded_Y/N,notes
20+
001,temp_001.csv,,27/03/15,29/03/15,12.18,3.3,S12,Y,-
21+
002,temp_002.csv,,28/03/15,29/03/15,,,S12,Y,-
22+
003,temp_003.csv,,29/03/15,30/03/15,,,S12,Y,-
23+
004,temp_004.csv,,30/03/15,31/03/15,,,S12,Y,-
24+
005,temp_005.csv,,31/03/15,01/04/15,,,S12,Y,-
25+
006,temp_006.csv,,28/04/15,29/04/15,10.760,3.8,S9,Y,-
26+
007,temp_007.csv,,28/04/15,29/04/15,9.035,3.5,S9,Y,-
27+
007,temp_008.csv,,29/04/15,29/04/15,9.035,3.5,S9,Y,-
28+
007,temp_009.csv,,29/04/15,29/04/15,9.035,3.5,S9,Y,-
29+
007,temp_010.csv,,30/04/15,01/05/15,9.035,3.5,S9,Y,-
30+
008,temp_011.csv,,01/05/15,02/05/15,8.860,3.7,S9,Y,heart_rate
31+
008,tempC_011.csv,,01/05/15,02/05/15,8.860,3.7,S9,Y,temperature

0 commit comments

Comments
 (0)