-
Notifications
You must be signed in to change notification settings - Fork 10
/
Copy pathQTschedule.py
2809 lines (2636 loc) · 134 KB
/
QTschedule.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
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/env python
'''
Main application for the EOVSA Schedule, which sends commands to the
Array Control Computer according to a timed schedule and runs various
routines locally to generate source coordinates, track tables, uvw
and delay information. This version using the QT Gui'''
# ____ _ _ _
# / ___| ___| |__ ___ __| |_ _ | | ___
# \___ \/ __| '_ \/ _ \/ _` | | | || |/ _ \
# ___) |(__| | | | __/ (_| | |_| || | __/
# |____/\___|_| |_\___|\__,_|\__,_||_|\___|
#
# History:
# 2014-Nov-15 DG
# Started this history log. Added $TRIPS command and added antenna
# diagnostics update every 5 minutes. Extended height of window
# (controlled by Macro list box) to 15 lines.
# 2014-Nov-17 DG
# Changed antenna diagnostics update to occur at half-minute mark
# of 5 minute updates, to avoid collision with other commands.
# 2014-Nov-28 DG
# Fixed the default ROACH channel assignments 'Antlist' in the scan_header
# to be [1,2,3,4,0,0,0,0,0,0,0,0,0,0,0,0]. Also, no longer flag antennas that
# are not in 'Antlist' as not tracking.
# 2014-Nov-29 DG
# Added information to sh_dict['project'] identifying the type of
# observation, mainly to allow finding of SOLPNTCAL right now, but
# likely to be of general use. Also improved visibility of errors
# when writing to the SQL Server. Had to put 'Antlist' back to (wrong)
# original value due to bug in Fortran software--for now...
# 2014-Dec-07 DG
# Add default project/source ID in cases where none is specifically
# defined/hard-coded. Note that default Track Mode is 'FIXED' in this
# case. Also tried to get $SCAN-START to work as a raw command.
# 2014-Dec-08 DG
# Finally fixed problem with scan_state getting set to -1. It was
# happening in get_uvw() when srcname was None. It should be possible
# (e.g. for total power scans) to take data with no source name... Hmm,
# still not working. Also changed default observation Project from
# "Normal Observing" to "NormalObserving".
# 2015-Jan-19 DG
# Attempt to run 4 ROACH boards (2 separate systems)
# Updated: antlist, roach_ips
# 2015-Feb-11 DG
# Implement $DLASWEEP command, which sweeps delay one per second
# on given antenna from a start value to a stop value relative to
# current delay.
# 2015-Feb-14 DG
# Rather major change to interpret a "Raw Command" just like any
# other atomic command in a .ctl file. This should make all
# legitimate atomic commands, even those interpreted by the schedule
# (that start with $) runnable as a "Raw Command."
# 2015-Feb-15 DG
# Several changes to get the code working for Geosats again.
# 2015-Mar-02 DG
# Change the 5000 step delay offset to 5000.5 to make astype(int)
# act as a round().
# 2015-Mar-29 DG
# On starting a new scan, reads DCM_master_table.txt and creates
# dcm.txt according to the frequency sequence, then transfers it to
# the ACC.
# 2015-Apr-02 JV
# Modifications to enable running a second subarray: use commands
# > python schedule.py Subarray2
# for OVSA, or
# > python schedule.py Starburst
# for Starburst. In either case, a master schedule (Subarray1), initiated
# by running schedule.py without args, must be running, because only the
# master schedule updates the antenna diagnostics in the ACC stateframe,
# and only the master schedule writes stateframe data to the SQL database.
# The second subarray schedule writes stateframe data to the ACC using a
# different port than the master schedule.
# 2015-Apr-03 JV
# - Modified App.get_subarray_pid() (used to check if a schedule with same
# name is already running) to be case insensitive.
# - Added a '$SUBARRAY' command to execute_ctlline() which runs SUBARRAY1
# when run by schedule 1 and SUBARRAY2 when run by schedule 2. $SUBARRAY
# command can be invoked in two ways (shown using examples):
# $SUBARRAY ant1-8 ant15
# $SUBARRAY default.antlist starburst
# where the 3rd argument in the 2nd example is the name of an antlist specified
# in the file default.antlist.
# - Wrote function get_antlist(antlistname,antlistfile) to read antlistfile and
# return the antlist defined for name antlistname. This way we can modify
# default.antlist (or other antlistfile) instead of modifying all the .ctl files
# when we want to move ants in and out of the array.
# 2015-Apr-03 DG
# Add s = socket.socket(socket.AF_INET, socket.SOCK_STREAM) ahead of s.connect()
# in places where it was missing.
# 2015-May-29 DG
# Converted from using datime() to using Time() based on astropy.
# 2015-Jun-12 DG
# Added command history code written by Rob Gelosa
# 2015-Jun-16 DG
# FTP to ACC now requires a username and password
# 2015-Jun-19 DG
# Now gets ROACH antenna assignments from eovsa_corr.ini, so that this
# can be changed in a single place and propagate correctly to the rest
# of the system.
# 2015-Jun-25 DG
# Now that Ant13's solar power station is online, changed rd_solpwr() to
# read from either power station depending on supplied url.
# 2015-Jun-26 DG
# Finally found and fixed the bug that was preventing automatic update of
# choice of calibrators.
# 2015-Jul-07 DG
# Added subbw for 400 MHz to scan_header (not used in DPP?)
# 2015-Jul-25 DG
# Changes to allow for different X and Y delay centers in file
# acc:/parm/delay_centers.txt. Added dlaceny to sh_dict.
# 2015-Jul-27 DG
# Added optional polarization to $DLASWEEP command (X, Y, or omitted=>both)
# 2015-Jul-29 DG
# I found that the DCMTABLE command was not being issued to send DCM.TXT
# to the ACC. This is now automatically done just before any DCMAUTO-ON
# command is sent.
# 2015-Aug-09 DG
# Added provision to sweep all delays in $DLASWEEP command if ant = 0 is
# specified. This is useful for total power polarization measurements,
# if only X or Y is swept.
# 2015-Aug-17 DG
# Changed to allow setting different adc clock frequency in one place
# [in connect2roach(), i.e. self.brd_clk_freq]
# 2015-Oct-13 DG
# Added $LNA-INIT command to read ACC file LNA_settings.txt and send the
# corresponding commands to the ACC.
# 2015-Oct-22 DG
# Finally had a chance to debug $LNA-INIT command. I ended up having to
# create a new procedure sendctlline() that creates the socket, sends, and
# closes the socket for each line. Then it was possible to send the
# multiple lines needed for $LNA-INIT.
# 2015-Oct-24 DG
# Added PLANET macro command to track a PLANET other than the Sun.
# 2015-Oct-27 DG
# Expand to 6 ROACHes (three pairs) [change to antlist, and to list of roach IPs]
# --one ROACH (#6) seems messed up, so going back to 4 ROACHes for now.
# 2015-Nov-29 DG
# Updated $LNA-INIT command to use new command names and syntax.
# 2016-Jan-16 DG
# Added code for $PCYCLE command, to power-cycle a device in the field
# (antenna, crio, or fem) using the new Viking relay controllers
# 2016-Jan-19 DG
# Added attempt to read pwr_cycle queue
# 2016-Feb-27 DG
# This time I really did add sending of DCM.TXT before DCMAUTO-ON
# 2016-Feb-28 DG
# Changed printing of elapsed time to print only if more than 10 ms
# early or late (should mean shorter log file...). Also fixed a not
# very important bug in dlasweep.
# 2016-Feb-29 DG
# Added $SCAN-RESTART command, to just turn on the scan state
# 2016-Mar-08 DG
# Changed delay offset from 5000 to 8000, to reflect new range of
# 16-ant correlator (0-16000 steps).
# 2016-Mar-15 JRV
# Added function check_27m_sun, which is called once per second (by
# inc_time) to make sure 27-m's do not go w/in 10 degrees of Sun
# 2016-Mar-17 DG
# Changed delay offset from 8000 to 9000, to reflect new range of
# 16-ant correlator (0-16000 steps).
# 2016-Mar-30 DG
# I discovered that I was writing the wrong polarizations.
# 2016-May-04 DG
# Implemented writing of DCM table to sql server as well as to ACC.
# Also added $FEM-INIT command to reset the FEM attenuations to
# their optimal value (for power level 3 dBm)
# 2016-May-20 DG
# Starting a new scan now takes much longer (not sure why), so changed
# the wake_up() timer from 10 s to 15 s
# 2016-Aug-17 DG
# Change to connect2roach() to minimize number of FTP accesses to
# files on ACC.
# 2016-Sep-07 DG
# Aborted the preceding, since it never worked, and the ACC is fixed...
# 2016-Oct-26 DG
# Added $CAPTURE-1S command, to capture 1 s of data packets on dpp.
# Data recording must first be stopped, using $SCAN-STOP.
# 2016-Nov-04 DG
# Add $SCAN-START NODATA option, so that a scan is set up for running
# but no data is recorded (needed prior to $CAPTURE-1S).
# 2016-Nov-15 DG
# Implement two new commands, $PA-TRACK and $PA-STOP, to initiate and
# abort automatic tracking of the position angle setting of the 27-m
# focus rotation mechanism. $PA-TRACK requires an antenna number,
# which is the antenna from which to read the value of parallactic angle.
# 2016-Nov-22 DG
# Changed the code to read delay centers from the database at the
# start of each scan (so code does not have to be reloaded every time).
# Note that it reads from the SQL database, not the ACC file
# /parm/delay_centers.txt, so proper procedures are needed to
# ensure that these are the same! The dppxmp program uses that file.
# 2016-Nov-25 DG
# Delays on ant 13 are still going negative. Change Ant1 delay to
# 11000, to counteract it. I hope this does not drive other delays
# past 16000
# 2016-Nov-26 DG
# Added CALPNTCAL command handling, to do 27-m pointing measurement on
# calibrators.
# 2016-Dec-10 DG
# Added $PA-SWEEP command, which rotates the FRM from -PA to PA at
# a given rate. Uses the same PA_thread variable so that $PA-STOP
# works to stop it, and it cannot run if $PA-TRACK is running (and
# vice versa). Also fixed a number of problems where I was referring
# to np instead of numpy--there is no np in this module!
# 2016-Dec-12 DG
# Changed autogen() to expect the first line to be an ACQUIRE line,
# second to be a PHASECAL, and third to be SUN.
# 2016-Dec-18 DG
# Discovered that there is no difference between make_tracktable and
# make_geosattable, so I eliminated the latter. Also changed split(' ')
# to just split() everywhere, to remove pointless requirement of only
# one space between elements of schedule commands.
# 2017-Jan-05 DG
# It turns out that there were some subtle but important differences
# in make_geosattable(), so I reinstated it.
# 2017-Jan-06 DG
# Discovered that X and Y delays were being set independently, which
# made the difference in delay between X and Y change by 1 step. This
# unwanted behavior explains the random changes in X vs. Y (and XX vs. YY)
# delay that we see in the data. Now only X controls when delays are
# changed, and X and Y are changed together.
# 2017-Feb-06 DG
# Major change to set all source coordinates as J2000 TOPOCENTRIC. This
# means setting the EPOCH string in the scan_header to '2000', and converting
# RA and Dec coordinates from TOPOCENTRIC of DATE as follows:
# ra_j2000 = (src.ra - src.g_ra) + src.a_ra
# dec_j2000 = (src.dec - src.g_dec) + src.a_dec
# where src.ra and src.dec are the old topocentric coordinates of date,
# src.g_ra, src.g_dec are the geocentric coordinates of date, and
# src.a_ra, src.a_dec are the astrometric (J2000, geocentric) coordinates.
# 2017-Feb-08 DG
# The above strategy did not work. I determined that the call to check the 27-m
# position was calling aa.set_jultime(), which has a side-effect of setting the
# epoch to date. I replaced that with a change to aa.date. I also verified
# that uvw coordinates are calculated correctly with the current scheme. Still
# not good enough. The epoch is getting reset somewhere else. I finally gave
# up and just set the epoch to J2000 once per second!
# 2017-Mar-05 DG
# The 300 MHz correlator is working! However, that led me to discover that
# a 200 MHz board clock speed was hard-coded here. I have changed it to
# check the ADC clock speed in the ROACH config file (attached to the
# roach objects when connecting to the ROACHes), and set it to 1/4 of that.
# If for some reason that fails, the clock speed defaults to 300 MHz. I
# also increased the delay offset to 16000. Also added reading of new ACC
# file with the ROACH sync time, in init_scanheader_dict(), which replaces
# the erroneous value we have been using in the scan_header. I also changed
# time reference time of the uvw to correspond to the current second.
# 2017-Mar-06 DG
# Changed delay offset to scale with adc_clk frequency, so that it works for
# either 200 or 300 MHz design.
# 2017-Apr-22 DG
# Updated $CAPTURE-1S handling to allow it to work when no <stem> argument is given.
# 2017-May-18 DG
# Commented out lines relating STARBURST
# 2017-Jun-28 DG
# Added "crossed" keyword handling for $PA_ADJUST command
# 2017-Jul-08 DG
# Changes to allow detection of Ant 14 receiver position (based on stateframe
# information from FEMA, and remembered via self.lorx), and setting of Ant 14
# delays based on that, to those in slot for Ant 15.
# 2017-Jul-10 DG
# After some confusing results, I realized that the ACC delay_centers.txt
# file also had to be changed, because the DPP is using that. Therefore,
# the whole scheme was updated to read from SQL at a $SCAN-START, do the
# swap at that point, if necessary, and then create and FTP the file. This
# solves another problem that the ACC file could in principle deviate from
# the SQL table. Now it cannot (if all goes smoothly).
# 2017-Sep-01 DG
# Added update_status() to create a status file with the currently running
# schedule.
# 2018-Apr-09 DG
# My earlier change of split(' ') to just split() everywhere seems to have
# vanished, so I reedited this change.
# 2018-Jun-08 DG
# Added a distinct PHASECAL_LO command, in order to selectively change the
# receiver commands for a scan using the low-frequency receiver. At the
# moment, a different set of DCM attenuations are needed for that receiver,
# but this ability is probably a good idea in general.
# 2018-Sep-18 DG
# Added new functionality for New menu item! Automatically make today's
# solar schedule.
# 2018-Oct-24 DG
# Rearrange code to check if another schedule is running BEFORE opening a
# new schedule.log file. This avoids overwriting the schedule.log file of
# a running schedule.
# 2018-Dec-26 DG
# First attempt to make the schedule work using the QT Gui
#
import os, signal
os.chdir('/home/sched/Dropbox/PythonCode/Current')
from PyQt4 import QtGui, QtCore
#from Tkinter import *
#import ttk
#from tkMessageBox import *
#from tkFileDialog import *
from ftplib import FTP
import urllib2
import util
import threading, pwr_cycle
import subprocess
import roach
from eovsa_tracktable import *
from eovsa_array import *
from eovsa_lst import eovsa_ha
from math import pi
from readvla import *
from scan_header import *
from gen_schedule_sf import *
import stateframe, stateframedef
from aipy.phs import PointingError
import corr, time, numpy, socket, struct, sys
import ephem
import eovsa_cat
from eovsa_visibility import scan_visible
from whenup import whenup
#import starburst
from matplotlib.mlab import find
import cal_header
import adc_cal2
import pcapture2
from whenup import make_sched
# Determine whether this is the master schedule (Subarray1) or controlling a second subarray
# To run the master schedule, just type > python schedule.py
# or > python schedule.py Subarray1
# To control a second subarray, type > python schedule.py Subarray2
# or > python schedule.py Starburst
if len(sys.argv) < 2: # master schedule (Subarray1)
subarray_name = 'Subarray1'
else:
subarray_name = sys.argv[1] # this option is for a 2nd OVSA subarray - Subarray2 is suggested name,
# but any name should work other than Starburst or Subarray1
mypid = str(os.getpid())
#============================
def get_subarray_pid(subarray_name):
# check whether a subarray with subarray_name ('Subarray1' for master, or 'Subarray2' or 'Starburst')
# is running in another instance of schedule.py (case-insensitive).
# return PID if it is running, -1 if it is not
pidlist = subprocess.check_output(["pidof","python"]).split() # list of PIDs for all python processes
for pid in pidlist:
if mypid != pid:
ps_out = subprocess.check_output(["ps","-lfp",pid])
ind = ps_out.find('schedule.py') # position in string at which 'schedule.py' can be found (-1 if not found)
if ind != -1: # if this PID is running schedule.py
if subarray_name=='Subarray1': # if we are checking if the master schedule is running (Subarray1)
if len(ps_out)==ind+len('schedule.py\n'): # check if this PID is for a master schedule (no extra args after schedule.py)
return pid
elif ps_out.upper().find(subarray_name.upper()) != -1: # if the name of the subarray we are checking was used for this PID
return pid
return -1
# Check whether a schedule is already running. Only one of each subarray is allowed.
match_pid = get_subarray_pid(subarray_name)
if match_pid != -1:
showerror('Error','Another '+subarray_name+' schedule is already running (PID '+ match_pid + ')')
exit()
# Ensure that output to "terminal" goes to log file.
if len(sys.argv)<2: # for master schedule write to schedule.log
sys.stdout = open('/tmp/schedule.log','w')
else: # use a different log file name for the 2nd subarray (schedule_Subarray2.log or schedule_Starburst.log)
sys.stdout = open('/tmp/schedule_'+sys.argv[1]+'.log','w')
# Show the scanheader dictionary as undefined
global sh_dict, sf_dict
userpass = 'admin:observer@'
sh_dict = {}
sf_dict = {}
#============================
def init_scanheader_dict(version=37.0):
''' Create the initial scan header dictionary, with reasonable defaults.
Entries will be overridden before creating the scan_header file using
scan_header.py
'''
global sh_dict
#userpass = 'admin:observer@'
t = util.Time.now()
mjd_ = t.mjd # Get mjd of Time() object
timestamp = t.lv # Get LabVIEW timestamp
aa = eovsa_array()
aa.date = str(aa.date)[:11]+'00:00' # Set date to 0 UT
#print t.iso,aa.epoch
mjd0 = aa.date + 15019.5 # Convert from ephem date to mjd
try:
f = urllib2.urlopen('ftp://'+userpass+'acc.solar.pvt/parm/acc0time.txt',timeout=1)
mjdacc0 = np.double(f.readline().split()[0])
f.close()
except:
print t.iso,'ACC connection for acc0 time timed out. Reading from /tmp/acc0time.txt'
f = open('/tmp/acc0time.txt','r')
mjdacc0 = np.double(f.readline().split()[0])
f.close()
#try:
## Read delay center file from ACC
#dlafile = urllib2.urlopen('ftp://'+userpass+'acc.solar.pvt/parm/delay_centers.txt',timeout=1)
#dcen = []
#dceny = []
#for line in dlafile.readlines():
#if line[0] != '#':
#ant,dx,dy = numpy.array(line.strip().split()).astype('float')
## Skip comment lines and take second number as delay center [ns]
#dcen.append(dx)
#dceny.append(dy)
#except:
#print t.iso,'ACC connection for delay centers timed out.'
#dcen = [0]*16
try:
xml, buf = cal_header.read_cal(4)
dcenters = stateframe.extract(buf,xml['Delaycen_ns'])
dcen = dcenters[:,0]
dceny = dcenters[:,1]
except:
print t.iso,'SQL connection for delay centers failed.'
dcen = [0]*16
try:
# Read eovsa_corr.ini file from ACC and get ROACH antenna assignments.
inifile = urllib2.urlopen('ftp://'+userpass+'acc.solar.pvt/parm/eovsa_corr.ini',timeout=1)
antasgn = ''
for line in inifile.readlines():
if line.find('antasgn') == 0:
# Keep appending antennas to the string (final will end in ',').
antasgn += line.strip().split('=')[1]+','
# Convert string to numpy array
antlist = numpy.array(antasgn[:-1].split(',')).astype('int')
except:
print t.iso,'ACC connection for eovsa_corr.ini (ROACH antenna assignments) timed out.'
antlist = numpy.arange(16) # Assume [bad assumption!] that antennas are assigned in order
print t.iso, 'Antlist is:', antlist
sh_dict = {'timestamp': timestamp,
'Version': version,
'project':'NormalObserving',
'operator':'Kjell Nelin',
'comments':'None',
'version':['1.0.0','1.0.0'],
'nants':16,
'antlist':antlist,
#'antlist':numpy.array([1,2,3,4,0,0,0,0,0,0,0,0,0,0,0,0]), # 1,2,3,4 for prototype
'antpos': aa,
'pbfwhm': [1.22*30*180*3600./210./pi]*13 + [1.22*30*180*3600./2700./pi]*2 + [0.0],
'mount': [1]*13 + [2]*2 + [0],
'scan_type':'test',
'source_id':'None',
'track_mode':'PLANET',
'epoch':'2000',
'dra': 0.0, 'ddec': 0.0, 'ha': 0.0, 'dha': 0.0,
'sun_info': mjd0, # Solar P-angle, B0-angle, and radius will be calculated for this date
'pol': [-5,-6,-7,-8], # Default XX, YY, XY, YX polarization
'max_file_size':100, # MB, max IDB file size
'intval': 20,
'nintval': 50,
'subbw': 0.4/4096, # Case of 400 MHz IF bandwidth (not used?)
'dlacen': numpy.array(dcen),
'dlaceny': numpy.array(dceny),
'time_at_acc0': Time(mjdacc0,format='mjd'),
'roach_brd_clk': [0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0],
'katadc':[{},{},{},{},{},{},{},{}]} # Empty dictionaries (one for each ROACH) for katadc sensor data
#============================
def init_sched_dict():
'''Create the dictionary that represents the schedule portion of the
stateframe. These entries are overwritten once per second as long
as the schedule is running.
'''
global sf_dict
t = util.Time.now()
mjd_ = t.mjd # Get mjd of Time() object
timestamp = t.lv # Get LabVIEW timestamp
# Create schedule dictionary
sf_dict = {'timestamp': timestamp,
'timestamp1': timestamp,
'scan_state': -1,
'phase_tracking': False,
'uvw': numpy.array([[0.0,0.0,0.0]]*16),
'uvw1': numpy.array([[0.0,0.0,0.0]]*16),
'delay': numpy.zeros(16),
'delay1': numpy.zeros(16),
'geosat': None, # Initally, no geosats defined
'SolPwr':[{},{}],
'delays':[{},{},{},{},{},{},{},{}], # Empty dictionaries (one for each ROACH) for ROACH delays
'sensors':[{},{},{},{},{},{},{},{}]} # Empty dictionaries (one for each ROACH) for ROACH sensor data
#============================
def set_uvw(aa,t,srcname):
'''Set u,v,w coordinates and delays (=-w) [ns] for antenna array aa
at time specified by datime() object d (1 s in advance of current time).
The source name must exist in the source catalog (aa.cat) attached to aa.
'''
global sf_dict, sh_dict
if srcname is None:
if sf_dict['scan_state'] != 1:
init_sched_dict()
return
mjd_ = t.mjd # Get mjd of Time() object (t+1)
aa.date = mjd_ - 15019.5 # Convert mjd to ephem timebase
aa.epoch = '2000/1/1 12:00' # Seems silly to set epoch to J2000 every second, but it keeps getting set to date...
if sf_dict['geosat']:
try:
# Newly calculate coordinates for geosat (an ephem.EarthSatellite object)
# and add it to source catalog. If it already exists, it will be overwritten.
sat = sf_dict['geosat']
sat.compute(aa)
geosat=aipy.amp.RadioFixedBody(sat.ra,sat.dec,name=sat.name)
# This will either add a new source or replace the existing one
aa.cat.add_srcs([geosat,geosat])
except:
# Probably there is no geosat defined. Just continue.
pass
# Fill in scan header dictionary, so that it will be ready at any time for writing
# at the start of a scan. These should be for the current time rather than 1 s in
# the future, since we have not yet "computed" for new time.
src = aa.cat[srcname]
src.compute(aa)
# Save coordinates as TOPOCENTRIC J2000. These should agree with JPL Horizons astrometric
# coordinates for the OVRO site.
sh_dict['ra'] = (src.ra - src.g_ra) + src.a_ra
sh_dict['dec'] = (src.dec - src.g_dec) + src.a_dec
sh_dict['ha'] = eovsa_ha(src)
cat = aa.cat # Make a copy of catalog
cat.compute(aa) # Compute for time t+1
#print t.iso,aa.epoch
sf_dict['uvw'] = sf_dict['uvw1'].copy() # Transfer previously calculated uvw (time t)
sf_dict['delay'] = sf_dict['delay1'].copy() # Transfer previously calculated delay (time t)
sf_dict['timestamp'] = sf_dict['timestamp1'] # Transfer previous timestamp (time t)
timestamp = t.lv # Get LabVIEW timestamp (t+1)
sf_dict['timestamp1'] = timestamp
uvw = sf_dict['uvw1'] # Prepare for next uvw (t+1)
# Loop over antennas to generate uvw of each relative to antenna 1 (index 0)
try:
for i in range(16):
uvw[i] = aa.gen_uvw(0,i,src=cat[srcname]).transpose()[0,0]
sf_dict['phase_tracking'] = True
except PointingError:
# Source is below horizon
uvw = numpy.array([[0.0,0.0,0.0]]*16)
sf_dict['phase_tracking'] = False
# Store result for t+1 stateframe dictionary
sf_dict['uvw1'] = uvw
# Store corresponding delays (= -w coordinate)
sf_dict['delay1'] = -uvw[:,2]
#============================
def mjd(line=None):
# Returns the MJD for the time in a line of the schedule,
# or the current time if no line is supplied.
t = util.Time.now()
if line:
t = util.Time(line[:19])
return t.mjd
#============================
def get_antlist(key='sun',filename='default.antlist'):
# antlist = get_antlist(key='sun',filename='default.antlist')
#
# Load filename into a dictionary of format {antlistname: antlist}
# then return the antlist for the key.
# Supports spaces, commas, etc in antlist. key is not case sensitive,
# but filename is case sensitive.
# If key is not found in filename, returns an empty string.
f = open(filename)
antlist_dict = {}
for line in f:
if len(line.split())<1 or line[0]=='#': # skip blank or commented lines
pass
else:
linekey = line.split()[0].lower() # name of antlist
l = len(linekey)
antlist = line[l:].strip() # antlist
antlist_dict[linekey] = antlist
f.close()
try:
return antlist_dict[key.lower()]
except:
print 'Warning: get_antlist() could not find an antlist of name', key,
'in file', filename + '. In this case get_antlist() returns an empty string.'
return ''
#============================
class App(QtGui.QMainWindow):
'''Main application
'''
def __init__(self, parent=None):
'''Create the user interface and initialize it
'''
super(App, self).__init__(parent)
menu = self.menuBar()
#self.menu = Menu(self.root)
# Define Menu Actions
newAction = QtGui.QAction('&New', self)
newAction.setShortcut('Ctrl+N')
newAction.setStatusTip('Create new file')
newAction.triggered.connect(self.New)
saveAction = QtGui.QAction('&Save', self)
saveAction.setShortcut('Ctrl+S')
saveAction.setStatusTip('Save current file')
saveAction.triggered.connect(self.Save)
openAction = QtGui.QAction('&Open', self)
openAction.setShortcut('Ctrl+O')
openAction.setStatusTip('Open an existing file')
openAction.triggered.connect(self.Open)
exitAction = QtGui.QAction('&Exit', self)
exitAction.setShortcut('Ctrl+E')
exitAction.setStatusTip('Exit the schedule')
exitAction.triggered.connect(QtGui.qApp.quit)
self.statusBar()
filemenu = menu.addMenu('&File')
filemenu.addAction(newAction)
fileMenu.addAction(openAction)
fileMenu.addAction(saveAction)
fileMenu.addAction(exitAction)
self.subarray_name = subarray_name # Subarray1 for master schedule, sys.argv[1] for 2nd schedule
# Define self.mypid, since this will be used by get_subarray_pid() and wake_up()
self.mypid = mypid
# Set function to handle signal alarm, if it should go off. It is set for 15 s in inc_time().
signal.signal(signal.SIGALRM, self.wake_up)
# Read ACC.ini file to get values for global variables
# binsize, xmlpath, scdport and sfport
try:
self.accini = stateframe.rd_ACCfile()
except urllib2.URLError:
showerror('Error','ACC unreachable, or ACC.ini file does not exist\n'
+'Cannot continue.')
exit()
global sf_dict, sh_dict
if self.subarray_name == 'Subarray1':
self.sh_datfile = '/tmp/scan_header.dat'
else:
self.sh_datfile = '/tmp/scan_header_' + self.subarray_name + '.dat'
if sh_dict == {}:
init_scanheader_dict()
# if self.subarray_name == 'Starburst':
# # write over some defaults (such as for dlacen) with Starburst defaults and add Starburst-specific entries
# sh_dict_starburst = starburst.init_sh_dict()
# sh_dict.update(sh_dict_starburst)
# else:
scan_header(sh_dict,self.sh_datfile)
if sf_dict == {}:
init_sched_dict()
# Generate schedule item XML file on init
junk = gen_schedule_sf(sf_dict)#,mk_xml=True)
if self.subarray_name == 'Subarray1':
# Connect to SQL Server database, or set to None if cannot connect
# Only do this for the master schedule (Subarray1)
connstr = "DRIVER={FreeTDS};SERVER=192.168.24.106,1433; \
DATABASE=eOVSA06;UID=aaa;PWD=I@bsbn2w;"
sh, shver = stateframe.xml_ptrs('/tmp/scan_header.xml')
try:
cnxn = stateframedef.pyodbc.connect(connstr)
cursor = cnxn.cursor()
sfbrange, outlist = stateframedef.sfdef(self.accini['sf'])
shbrange, outlist = stateframedef.sfdef(sh)
except:
showerror('Warning','Cannot connect to SQL server\n')
cnxn = None
cursor = None
sfbrange = None
shbrange = None
self.sql = {'cnxn':cnxn,'cursor':cursor,'sfbrange':sfbrange,'shbrange':shbrange}
else:
self.sql = {'cnxn':None,'cursor':None,'sfbrange':None,'shbrange':None}
# Set window title from command-line argument, which is saved in self.subarray_name
self.setWindowTitle('Schedule for '+self.subarray_name)
self.form_widget = FormWidget(self)
self.setCentralWidget(self.form_widget)
self.show()
#============================
def Open(self, filename=None):
''' To open a new file, delete the contents of lines, and
the text widget. Then proceed to populate them again,
checking any PHASECAL lines to confirm that they will be visible.
'''
if self.Toggle == 0:
# Schedule is running, so do nothing
return
self.status.configure(state = NORMAL)
if filename is None:
init_dir = os.getcwd()
f = askopenfile(initialdir = init_dir, mode = 'r',
filetypes = [('SCD Files','*.scd'),('all files','*.*')])
if f is None:
# User cancelled, so do nothing.
self.status.configure(state = DISABLED)
return
else:
f = open(filename,'r')
try: #takes care of an empty line, if there is one, in
#the file being read.
lines = f.readlines()
except AttributeError:
pass
else:
self.L.delete(0, END)
self.curline = 0
self.lastline = len(lines)
for i,line in enumerate(lines):
self.L.insert(END, line.rstrip('\n'))
ctl_cmd = line.split()[2]
if ctl_cmd == 'PHASECAL' or ctl_cmd == 'PHASECAL_LO' or ctl_cmd == 'STARBURST' or ctl_cmd == 'CALPNTCAL':
name = line.split()[3]
# Get start and stop time for this calibrator, as ephem-compatible strings
if i == self.lastline-1:
# Should never happen, but just in case the PHASECAL
# is the last line of the schedule, assume 15 minutes duration
trange = util.Time([mjd(line),mjd(line) + 15.*60./86400.],format='mjd')
else:
line2 = lines[i+1]
trange = util.Time([mjd(line),mjd(line2)],format='mjd')
if ctl_cmd == 'STARBURST':
check_27m = True
check_2m = False
elif ctl_cmd == 'PHASECAL' or ctl_cmd == 'PHASECAL_LO' or ctl_cmd == 'CALPNTCAL':
check_27m = True
check_2m = True
# Check visibility for source
try:
src=self.aa.cat[name]
visible = scan_visible(src,self.aa,trange,check_27m,check_2m)
if not visible:
self.error = 'Warning, source '+name+' not visible at scheduled time: Schedule line '+str(i+1)
print self.error
except:
self.error = 'Err: source '+name+' not found in catalog. Not added to schedule!'
self.state=['']*len(lines)
self.status.configure(state = DISABLED)
if filename is None:
filenamelist = f.name.split('/')
self.filename = filenamelist[len(filenamelist)-1:][0]
else:
self.filename = filename
# Update the status file in /common/webplots for display on the status web page
self.update_status()
#============================
def New(self):
# New option creates a new table with predetermined content.
if self.Toggle == 0:
# Schedule is running, so do nothing
return
self.status.configure( state = NORMAL)
t = util.Time.now()
scd = make_sched(t=t)
self.L.delete(0, END)
for line in scd:
self.L.insert(END,line)
self.curline = 0
self.lastline = len(scd)
self.status.configure( state = DISABLED)
self.filename = 'solar.scd'
#============================
def Save(self):
''' The Save button will save the file as a text file, in a folder
specified by the user. If the file exists, the program will ask
the user if he wants to replace the file.
'''
if self.Toggle == 0:
# Schedule is running, so do nothing
return
try:
#The Exception is to allow the user to cancel the save.
init_dir = os.getcwd()
fileout = asksaveasfile(initialdir = init_dir,
initialfile = self.filename, mode = 'w',
filetypes = [('SCD Files','*.scd'),
('all files','*.*')])
for i in range(self.lastline):
fileout.write(self.L.get(i)+'\n')
fileout.close()
except AttributeError:
pass
class FormWidget(QtGui.QWidget):
def __init__(self, parent):
super(FormWidget,self).__init__(parent)
self.setGeometry(100,0,500,400)
# H-box for Time widget
self.label = QtGui.QLabel('') #bg="yellow",font="Helvetica 16 bold"
timeframe = QtGui.QHBoxLayout()
timeframe.addWidget(self.label)
self.error = '' # Error string to be added to source on front panel
#pageframe = Frame(self.root)
#pageframe.pack(expand = 1, fill = BOTH)
# H-box for radio buttons
toolbar = QtGui.QHBoxLayout()
self.b1 = QtGui.QRadioButton("D")
self.b1.setChecked(True)
self.b_text = "D"
self.b1.toggled.connect(lambda:self.btnstate(self.b1))
toolbar.addWidget(self.b1)
self.b2 = QtGui.QRadioButton("H")
self.b2.toggled.connect(lambda:self.btnstate(self.b2))
toolbar.addWidget(self.b2)
self.b3 = QtGui.QRadioButton("M")
self.b3.toggled.connect(lambda:self.btnstate(self.b3))
toolbar.addWidget(self.b3)
self.b4 = QtGui.QRadioButton("S")
self.b4.toggled.connect(lambda:self.btnstate(self.b4))
toolbar.addWidget(self.b4)
# Widget for current source and phase tracking state
self.source = QtGui.QLabel(" Source: None "+"Phase Tracking: False")
toolbar.addWidget(self.source)
toolbar.addStretch(1)
vbox = QtGui.QVBoxLayout()
vbox.addLayout(timeframe)
vbox.addLayout(toolbar)
vbox.addStretch(1)
textframe = QtGui.QHBoxLayout()
# Main Listbox widget for Macro commands
self.L = QtGui.QListWidget()
Lframe = Frame(textframe)
Lframe.pack(expand = False, fill=Y,side=LEFT)
self.L = Listbox(Lframe,selectmode=EXTENDED,width=45,height=30)
self.Sx = Scrollbar(Lframe,orient=HORIZONTAL,command=self.xview)
self.L.config( xscrollcommand = self.Sx.set)
self.L.bind('<<ListboxSelect>>',self.display_ctl)
# Associated Listbox widget for status (Waiting..., Running..., or Done)
self.status = Listbox(Lframe,width=8)
self.Sx.pack(side=BOTTOM, fill=X)
self.L.pack(side=LEFT, expand=True, fill = Y)
self.S = Scrollbar(Lframe)
self.S.pack( side = LEFT, fill = BOTH)
self.status.pack(side = LEFT, fill = Y, expand = True)
self.S.config (command = self.yview)
self.L.config( yscrollcommand = self.S.set)
self.status.config( yscrollcommand = self.S.set)
# Atomic Command Listbox
Rframe = Frame(textframe)
Rframe.pack(expand = True, fill=BOTH,side=LEFT)
self.L2 = Listbox(Rframe,selectmode=SINGLE,width=25)
self.L2.pack(side=LEFT, fill = BOTH, expand = True)
self.L.atomlist = self.L2 # Associate main listbox (L) with L2
self.S2 = Scrollbar(Rframe)
self.S2.pack(side = RIGHT, fill = BOTH)
self.S2.config( command = self.L2.yview)
self.L2.config( yscrollcommand = self.S2.set)
self.downbutton = Button(fmain, text = '- 1', command=self.Decrease_cmd)
self.downbutton.pack(side=LEFT)
self.upbutton = Button(fmain, text = '+ 1', command=self.Increase_cmd)
self.upbutton.pack(side=LEFT)
self.Insert = Button(fmain,text="Insert", command=self.Insert)
self.Insert.pack(side = LEFT)
# Toggle controls which state the button is, Go/Stop
self.Toggle = 1
#Stop/Go Button
self.B2 = Button(fmain,text='GO', width = 8, command=self.toggle_state, background='GREEN')
self.B2.pack(side = LEFT)
self.TodayBtn = Button(fmain,text = 'Today', command = self.Today)
self.TodayBtn.pack(side = LEFT)
self.ClearBtn = Button(fmain,text = 'Clear', width = 5, command=self.Clear)
self.ClearBtn.pack(side=LEFT)
# Entry widget, for entering a new line into the schedule
## content = StringVar()
## self.E1 = Entry(textvariable = content)
## self.E1.pack( side = RIGHT)
# self.B1 = Button(text="Create new event", command=self.write)
# self.B1.pack( side = RIGHT)
#self.B3 = Button(text="Raw Command", command=self.send_cmd)
#self.B3.pack( side = RIGHT)
#command = StringVar()
#self.E3 = Entry(textvariable = command)
rawlabel = Label(fmain,text='Raw Command:')
rawlabel.pack(side=LEFT)
E3 = Entry(fmain)
E3.pack( side = LEFT, expand=True, fill=X)
E3.bind('<Return>',self.send_cmd)
E3.bind('<Up>',self.up)
E3.bind('<Down>',self.down)
self.cmd_history = []
self.ptr = 0
t = util.Time.now()
self.label.configure(text=t.iso)
# Set default Ant 14 receiver position to the High-Frequency setting, i.e. lorx = False
self.lorx = False
# Setup Project Tab
fproj = Frame()
fproj.pack(side=LEFT)
self.nb.add(fproj,text='Project')
fline1 = Frame(fproj)
fline1.pack(side=TOP)
tmplabel = Label(fline1,text='Project:')
tmplabel.pack(side=LEFT)
self.wproj = Entry(fline1,width=32)
self.wproj.pack( side = LEFT, expand=False, fill=X)
self.wproj.bind('<Return>',self.handle_entry)
tmplabel = Label(fline1,text='Operator:')
tmplabel.pack(side=LEFT)
self.woper = Entry(fline1,width=16)
self.woper.pack( side = LEFT, expand=False, fill=X)
self.woper.bind('<Return>',self.handle_entry)
self.woper.config(state=DISABLED)
fline2 = Frame(fproj)
fline2.pack(side=TOP)
tmplabel = Label(fline2,text='Comment:')
tmplabel.pack(side=LEFT)
self.wcomm = Entry(fline2,width=50)
self.wcomm.pack( side = LEFT, expand=False, fill=X)
self.wcomm.bind('<Return>',self.handle_entry)
# Listbox widget for calibrator times
CTframe = Frame(fproj)
CTframe.pack(expand = False, fill=Y,side=LEFT)
self.CalTimeLB = Listbox(CTframe,selectmode=EXTENDED,width=45,height=10,font="Courier 10 bold")
out = whenup()
for line in out['lines']:
self.CalTimeLB.insert(END,line)
self.CalTimeLB.pack(side=LEFT)
# Make sure window can never be smaller than initially created size
self.root.update_idletasks()
self.root.minsize(self.root.winfo_width(),self.root.winfo_height())
# Generate the Antenna Array object, used to calculate source coordinates,
# uvw, delays, etc.
sys.stdout.flush()
self.aa = eovsa_cat.eovsa_array_with_cat()
#print t.iso,self.aa.epoch,' Initial epoch'
self.aa.epoch = '2000/1/1 12:00' # Get coordinates in J2000 epoch
sys.stdout.flush()
#self.Open('solar.scd')
self.New() # Generate a solar schedule for today
self.filename = 'solar.scd'
# Establish connect to ROACHes.
self.roaches =[]
self.connect2roach()
# Initialize $WAIT settings
self.waitmode = False # Not in $WAIT mode
self.nextctlline = 0
self.wait = 0
self.solpwr = [{},{}] # Empty solar power dictionary pair
self.sensors = [{},{},{},{},{},{},{},{}] # Empty ROACH sensor dictionaries
self.delays = [{},{},{},{},{},{},{},{}] # Empty ROACH delays dictionaries
self.w = {} # Empty weather dictionary
self.PAthread = None
# Start the clock ticking
self.prev = time.time()
self.root.after(1,self.inc_time)
#============================
#============================
def xview(self, *args):