Skip to content

Commit 5e16cfe

Browse files
committed
Necessary for c2d and c2b
1 parent 3cc0b3f commit 5e16cfe

File tree

1 file changed

+339
-0
lines changed

1 file changed

+339
-0
lines changed

convert.py

+339
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,339 @@
1+
#!/usr/bin/env python2
2+
# -*- coding: utf-8 -*-
3+
#
4+
# convert.py
5+
#
6+
# Copyright 2011 Giorgio Gilestro <giorgio@gilest.ro>
7+
#
8+
# This program is free software; you can redistribute it and/or modify
9+
# it under the terms of the GNU General Public License as published by
10+
# the Free Software Foundation; either version 2 of the License, or
11+
# (at your option) any later version.
12+
#
13+
# This program is distributed in the hope that it will be useful,
14+
# but WITHOUT ANY WARRANTY; without even the implied warranty of
15+
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
16+
# GNU General Public License for more details.
17+
#
18+
# You should have received a copy of the GNU General Public License
19+
# along with this program; if not, write to the Free Software
20+
# Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston,
21+
# MA 02110-1301, USA.
22+
23+
import numpy as np
24+
import os
25+
import optparse
26+
27+
28+
HEADER_LENGTH=10 # 10 is the same as trikinetics files
29+
TAB = '\t'
30+
31+
def CoordsFromFile(filename):
32+
"""
33+
Reads coordinates from a result file
34+
Returns a 3 dimensional array of shape ( frames, flies, (x,y) )
35+
"""
36+
coords = []
37+
empty_coord = ['0', '0']
38+
39+
try:
40+
fh = open(filename, 'r')
41+
rawfile = fh.read().split('\n')
42+
fh.close()
43+
44+
for line in rawfile:
45+
if line:
46+
data = [xy.split(',') if ',' in xy else empty_coord for xy in line.split(TAB)[HEADER_LENGTH:] ]
47+
if len(data) == 32: # If the computer crashes during data collection sometimes a line is not saved properly
48+
coords.append( data )
49+
50+
51+
a = np.array(coords, dtype=float)
52+
53+
return a
54+
55+
except IOError:
56+
print "Error opening the file"
57+
return False
58+
59+
60+
def CountsFromFile(filename):
61+
"""
62+
Reads beam counts from a result file
63+
Returns a 2 dimensional array of shape (frames, flies)
64+
where each value is the count for a fly per minute
65+
"""
66+
counts = []
67+
try:
68+
fh = open(filename, 'r')
69+
rawfile = fh.read().split('\n')
70+
fh.close()
71+
72+
for line in rawfile:
73+
if line:
74+
counts.append( line.split(TAB)[HEADER_LENGTH:] )
75+
76+
a = np.array(counts, dtype=int)
77+
78+
return a
79+
80+
except IOError:
81+
print "Error opening the file"
82+
return False
83+
84+
85+
def DistanceFromFile(filename):
86+
"""
87+
Reads distance counts from a result file
88+
Returns a 2 dimensional array of shape (frames, flies)
89+
where each value is the distance for a fly per minute
90+
"""
91+
return CountsFromFile(filename)
92+
93+
def plotFlyActivity(coords, fly):
94+
"""
95+
"""
96+
orientation, md = getMidlines(coords)
97+
x = coords[:,:,:1]; y = coords[:,:,1:]
98+
99+
if orientation == 'H':
100+
activity = x[:,fly]
101+
if orientation == 'V':
102+
activity = y[:,fly]
103+
104+
m = md[fly]
105+
106+
up = np.ma.array(activity, mask=activity>=m)
107+
down = np.ma.array(activity, mask=activity<=m)
108+
pylab.plot(up, 'b-')
109+
pylab.plot(down, 'g-')
110+
111+
112+
def getMidlines(coords):
113+
"""
114+
"""
115+
x = coords[:,:,:1]; y = coords[:,:,1:]
116+
117+
118+
x_span = x.max(0) - x.min(0)
119+
y_span = y.max(0) - y.min(0)
120+
121+
if y_span.max() > x_span.max():
122+
orientation = 'V'
123+
md = y_span / 2
124+
125+
if x_span.max() > y_span.max():
126+
orientation = 'H'
127+
md = x_span / 2
128+
129+
return orientation, md
130+
131+
def compressArray(a, resolution=60):
132+
"""
133+
This is used to compress an array having data in seconds
134+
to an array summing each 60 seconds into one minute
135+
"""
136+
137+
frames, flies, d = a.shape
138+
139+
resolution = np.round(frames / 1440.)
140+
141+
bins = frames / resolution
142+
rest = frames % resolution
143+
144+
if rest:
145+
lastbit = a[frames-rest:].sum(0)
146+
b = a[:frames-rest].reshape(-1,resolution,flies,d).sum(1)
147+
c = np.append(b, lastbit).reshape(-1,flies,d)
148+
else:
149+
c = a[:frames-rest].reshape(-1,resolution,flies,d).sum(1)
150+
151+
c = np.array(c, dtype=int)
152+
return c
153+
154+
155+
def CoordsToBeamCrossings(coords):
156+
"""
157+
Transform an array containing coordinates to a beam crossing count
158+
coords should be a numpy array of shape ( frames, flies, (x,y) )
159+
160+
orientation H Horizontal, use X value to check crossing
161+
V Vertical use Y value to check crossing
162+
"""
163+
164+
orientation, md = getMidlines(coords)
165+
166+
fs = np.roll(coords, -1, 0)
167+
168+
x = coords[:,:,:1]; y = coords[:,:,1:]
169+
x1 = fs[:,:,:1]; y1 = fs[:,:,1:]
170+
171+
if orientation == 'H':
172+
crossed = (x < md ) * ( md < x1) + (x > md) * (md > x1)
173+
else:
174+
crossed = (y < md ) * ( md < y1) + (y > md) * (md > y1)
175+
176+
return compressArray(crossed)
177+
178+
179+
def CoordsToDistance(coords):
180+
"""
181+
Motion is calculated as distance in px per minutes
182+
"""
183+
fs = np.roll(coords, -1, 0)
184+
185+
x = coords[:,:,:1]; y = coords[:,:,1:]
186+
x1 = fs[:,:,:1]; y1 = fs[:,:,1:]
187+
188+
d = np.sqrt ( (x1-x)**2 + (y1-y)**2 )
189+
190+
frames, flies, _ = d.shape
191+
#d = d[~np.isnan(d)]; d = d[~np.isinf(d)]
192+
#d = d.reshape((frames, flies))
193+
194+
return compressArray(d)
195+
#return d
196+
197+
def getHeaders(filename):
198+
"""
199+
"""
200+
headers = []
201+
try:
202+
fh = open(filename, 'r')
203+
rawfile = fh.read().split('\n')
204+
fh.close()
205+
206+
for line in rawfile:
207+
if line:
208+
headers.append( line.split(TAB)[:HEADER_LENGTH] )
209+
210+
211+
except IOError:
212+
print "Error opening the file"
213+
214+
return headers
215+
216+
217+
def detectFileType(filename):
218+
"""
219+
Understand the file type by looking at the informative
220+
byte in the last line of the file to open
221+
"""
222+
position = 4
223+
with open(filename, 'r') as inputfile:
224+
lastline = inputfile.read().split('\n')[-2]
225+
226+
trackType = lastline.split(TAB)[position]
227+
228+
return int(trackType)
229+
230+
#Conversion front-ends
231+
232+
def c2b(file_in, file_out=None, extend=True):
233+
"""
234+
Converts Coordinate to virtual beam crossing
235+
"""
236+
237+
new_content = ''
238+
data = CoordsFromFile(file_in) #This contains only the actual coordinates
239+
beams = CoordsToBeamCrossings(data)
240+
headers = getHeaders(file_in)
241+
VALUES_PER_MINUTE = int(np.floor( len(data) / 1440. ))
242+
243+
flies = beams.shape[1]
244+
245+
if extend and flies < 32:
246+
extension = TAB + TAB.join(['0',] * (32-flies) )
247+
else:
248+
extension = ''
249+
250+
251+
for h, c in zip ( headers[::VALUES_PER_MINUTE], beams):
252+
new_content += (
253+
TAB.join(h) + TAB +
254+
#'0TAB * 2' + #This is not needed anymore
255+
TAB.join( [str(xy)[1:-1] for xy in c.tolist()] ) +
256+
extension +
257+
'\n'
258+
)
259+
260+
if file_out:
261+
try:
262+
fh = open(file_out, 'w')
263+
fh.write ( new_content )
264+
fh.close()
265+
266+
except IOError:
267+
print "Error opening the output file"
268+
269+
return new_content
270+
271+
272+
def c2d(file_in, file_out=None, extend=True):
273+
"""
274+
Converts coordinates to distance
275+
"""
276+
277+
new_content = ''
278+
data = CoordsFromFile(file_in) #This contains only the actual coordinates
279+
dist = CoordsToDistance(data)
280+
headers = getHeaders(file_in)
281+
VALUES_PER_MINUTE = int(np.floor( len(data) / 1440. ))
282+
283+
flies = dist.shape[1]
284+
285+
if extend and flies < 32:
286+
extension = TAB + TAB.join(['0',] * (32-flies) )
287+
else:
288+
extension = ''
289+
290+
291+
for h, c in zip ( headers[::VALUES_PER_MINUTE], dist):
292+
new_content += (
293+
TAB.join(h) + TAB +
294+
#'0TAB * 2' + #This is not needed anymore
295+
TAB.join( [str(xy)[1:-1] for xy in c.tolist()] ) +
296+
extension +
297+
'\n'
298+
)
299+
300+
if file_out:
301+
try:
302+
fh = open(file_out, 'w')
303+
fh.write ( new_content )
304+
fh.close()
305+
306+
except IOError:
307+
print "Error opening the output file"
308+
309+
return new_content
310+
311+
if __name__ == '__main__':
312+
313+
parser = optparse.OptionParser(usage='%prog [options] [argument]', version='%prog version 0.1')
314+
parser.add_option('-i', '--input', dest='source', metavar="SOURCE", help="Input file to be processed")
315+
parser.add_option('-o', '--output', dest='output', metavar="OUTPUT", help="Output file")
316+
317+
parser.add_option('--c2d', action="store_true", default=False, dest='c2d', help="Coordinates to distance traveled")
318+
parser.add_option('--c2b', action="store_true", default=False, dest='c2b', help="Coordinates to virtual beam splitting")
319+
320+
(options, args) = parser.parse_args()
321+
322+
if not options.source and not (options.c2d or options.c2b):
323+
parser.print_help()
324+
325+
input_file = options.source
326+
327+
if input_file and not options.output:
328+
path_filename, extension = os.path.splitext(input_file)
329+
output_file = path_filename + '-converted' + extension
330+
else:
331+
output_file = options.output
332+
333+
if input_file and options.c2d:
334+
c2d(input_file, output_file)
335+
336+
if input_file and options.c2b:
337+
c2b(input_file, output_file)
338+
339+

0 commit comments

Comments
 (0)