source: trunk/daemon/togad.py @ 136

Last change on this file since 136 was 136, checked in by bastiaans, 19 years ago

daemon/togad.py:

  • Typo really fixed now?
File size: 31.8 KB
Line 
1#!/usr/bin/env python
2
3import xml.sax
4import xml.sax.handler
5import socket
6import sys
7import string
8import os
9import os.path
10import time
11import threading
12import random
13from types import *
14import DBClass
15
16# Specify debugging level here;
17#
18# 11 = XML: metrics
19# 10 = XML: host, cluster, grid, ganglia
20# 9  = RRD activity, gmetad config parsing
21# 8  = RRD file activity
22# 6  = SQL
23# 1  = daemon threading
24#
25DEBUG_LEVEL = 1
26
27# Where is the gmetad.conf located
28#
29GMETAD_CONF = '/etc/gmetad.conf'
30
31# Where to grab XML data from
32# Normally: local gmetad (port 8651)
33#
34# Syntax: <hostname>:<port>
35#
36ARCHIVE_XMLSOURCE = "localhost:8651"
37
38# List of data_source names to archive for
39#
40# Syntax: [ "<clustername>", "<clustername>" ]
41#
42ARCHIVE_DATASOURCES = [ "LISA Cluster" ]
43
44# Where to store the archived rrd's
45#
46ARCHIVE_PATH = '/data/toga/rrds'
47
48# Amount of hours to store in one single archived .rrd
49#
50ARCHIVE_HOURS_PER_RRD = 12
51
52# Toga's SQL dbase to use
53#
54# Syntax: <hostname>/<database>
55#
56TOGA_SQL_DBASE = "localhost/toga"
57
58# Wether or not to run as a daemon in background
59#
60DAEMONIZE = 0
61
62######################
63#                    #
64# Configuration ends #
65#                    #
66######################
67
68###
69# You'll only want to change anything below here unless you
70# know what you are doing (i.e. your name is Ramon Bastiaans :D )
71###
72
73# What XML data types not to store
74#
75UNSUPPORTED_ARCHIVE_TYPES = [ 'string' ]
76
77# Maximum time (in seconds) a parsethread may run
78#
79PARSE_TIMEOUT = 60
80
81# Maximum time (in seconds) a storethread may run
82#
83STORE_TIMEOUT = 360
84
85"""
86This is TOrque-GAnglia's data Daemon
87"""
88
89class DataSQLStore:
90
91        db_vars = None
92        dbc = None
93
94        def __init__( self, hostname, database ):
95
96                self.db_vars = DBClass.InitVars(DataBaseName=database,
97                                User='root',
98                                Host=hostname,
99                                Password='',
100                                Dictionary='true')
101
102                try:
103                        self.dbc     = DBClass.DB(self.db_vars)
104                except DBClass.DBError, details:
105                        print 'Error in connection to db: %s' %details
106                        sys.exit(1)
107
108        def setDatabase(self, statement):
109                ret = self.doDatabase('set', statement)
110                return ret
111               
112        def getDatabase(self, statement):
113                ret = self.doDatabase('get', statement)
114                return ret
115
116        def doDatabase(self, type, statement):
117
118                debug_msg( 6, 'doDatabase(): %s: %s' %(type, statement) )
119                try:
120                        if type == 'set':
121                                result = self.dbc.Set( statement )
122                                self.dbc.Commit()
123                        elif type == 'get':
124                                result = self.dbc.Get( statement )
125                               
126                except DBClass.DBError, detail:
127                        operation = statement.split(' ')[0]
128                        print "%s operation on database failed while performing\n'%s'\n%s"\
129                                %(operation, statement, detail)
130                        sys.exit(1)
131
132                debug_msg( 6, 'doDatabase(): result: %s' %(result) )
133                return result
134
135        def getNodeId( self, hostname ):
136
137                id = self.getDatabase( "SELECT node_id FROM nodes WHERE node_hostname = '%s'" %hostname )
138
139                if len( id ) > 0:
140
141                        id = id[0][0]
142
143                        return id
144                else:
145                        return None
146
147        def getNodeIds( self, hostnames ):
148
149                ids = [ ]
150
151                for node in hostnames:
152
153                        id = self.getNodeId( node )
154
155                        if id:
156                                ids.append( id )
157
158                return ids
159
160        def getJobId( self, jobid ):
161
162                id = self.getDatabase( "SELECT job_id FROM jobs WHERE job_id = '%s'" %jobid )
163
164                if id:
165                        id = id[0][0]
166
167                        return id
168                else:
169                        return None
170
171        def addJob( self, job_id, jobattrs ):
172
173                if not self.getJobId( job_id ):
174
175                        self.mutateJob( 'insert', job_id, jobattrs ) 
176                else:
177                        self.mutateJob( 'update', job_id, jobattrs )
178
179        def mutateJob( self, action, job_id, jobattrs ):
180
181                job_values = [ 'name', 'queue', 'owner', 'requested_time', 'requested_memory', 'ppn', 'status', 'start_timestamp', 'stop_timestamp' ]
182
183                insert_col_str = 'job_id'
184                insert_val_str = "'%s'" %job_id
185                update_str = None
186
187                debug_msg( 6, 'mutateJob(): %s %s' %(action,job_id))
188
189                ids = [ ]
190
191                for valname, value in jobattrs.items():
192
193                        if valname in job_values and value != '':
194
195                                column_name = 'job_' + valname
196
197                                if action == 'insert':
198
199                                        if not insert_col_str:
200                                                insert_col_str = column_name
201                                        else:
202                                                insert_col_str = insert_col_str + ',' + column_name
203
204                                        if not insert_val_str:
205                                                insert_val_str = value
206                                        else:
207                                                insert_val_str = insert_val_str + ",'%s'" %value
208
209                                elif action == 'update':
210                                       
211                                        if not update_str:
212                                                update_str = "%s='%s'" %(column_name, value)
213                                        else:
214                                                update_str = update_str + ",%s='%s'" %(column_name, value)
215
216                        elif valname == 'nodes' and value:
217
218                                ids = self.addNodes( value )
219                                node_list = value
220
221                if action == 'insert':
222
223                        self.setDatabase( "INSERT INTO jobs ( %s ) VALUES ( %s )" %( insert_col_str, insert_val_str ) )
224
225                        if len( ids ) > 0:
226                                self.addJobNodes( job_id, ids )
227
228                elif action == 'update':
229
230                        self.setDatabase( "UPDATE jobs SET %s WHERE job_id=%s" %(update_str, job_id) )
231
232        def addNodes( self, hostnames ):
233
234                ids = [ ]
235
236                for node in hostnames:
237
238                        id = self.getNodeId( node )
239       
240                        if not id:
241                                self.setDatabase( "INSERT INTO nodes ( node_hostname ) VALUES ( '%s' )" %node )
242                                id = self.getNodeId( node )
243
244                        ids.append( id )
245
246                return ids
247
248        def addJobNodes( self, jobid, nodes ):
249
250                for node in nodes:
251                        self.addJobNode( jobid, node )
252
253        def addJobNode( self, jobid, nodeid ):
254
255                self.setDatabase( "INSERT INTO job_nodes (job_id,node_id) VALUES ( %s,%s )" %(jobid, nodeid) )
256
257        def storeJobInfo( self, jobid, jobattrs ):
258
259                self.addJob( jobid, jobattrs )
260
261class RRDMutator:
262        """A class for performing RRD mutations"""
263
264        binary = '/usr/bin/rrdtool'
265
266        def __init__( self, binary=None ):
267                """Set alternate binary if supplied"""
268
269                if binary:
270                        self.binary = binary
271
272        def create( self, filename, args ):
273                """Create a new rrd with args"""
274
275                return self.perform( 'create', '"' + filename + '"', args )
276
277        def update( self, filename, args ):
278                """Update a rrd with args"""
279
280                return self.perform( 'update', '"' + filename + '"', args )
281
282        def grabLastUpdate( self, filename ):
283                """Determine the last update time of filename rrd"""
284
285                last_update = 0
286
287                debug_msg( 8, self.binary + ' info "' + filename + '"' )
288
289                for line in os.popen( self.binary + ' info "' + filename + '"' ).readlines():
290
291                        if line.find( 'last_update') != -1:
292
293                                last_update = line.split( ' = ' )[1]
294
295                if last_update:
296                        return last_update
297                else:
298                        return 0
299
300        def perform( self, action, filename, args ):
301                """Perform action on rrd filename with args"""
302
303                arg_string = None
304
305                if type( args ) is not ListType:
306                        debug_msg( 8, 'Arguments needs to be of type List' )
307                        return 1
308
309                for arg in args:
310
311                        if not arg_string:
312
313                                arg_string = arg
314                        else:
315                                arg_string = arg_string + ' ' + arg
316
317                debug_msg( 8, self.binary + ' ' + action + ' ' + filename + ' ' + arg_string  )
318
319                for line in os.popen( self.binary + ' ' + action + ' ' + filename + ' ' + arg_string ).readlines():
320
321                        if line.find( 'ERROR' ) != -1:
322
323                                error_msg = string.join( line.split( ' ' )[1:] )
324                                debug_msg( 8, error_msg )
325                                return 1
326
327                return 0
328
329class XMLProcessor:
330        """Skeleton class for XML processor's"""
331
332        def daemon( self ):
333                """Run as daemon forever"""
334
335                # Fork the first child
336                #
337                pid = os.fork()
338
339                if pid > 0:
340
341                        sys.exit(0)  # end parent
342
343                # creates a session and sets the process group ID
344                #
345                os.setsid()
346
347                # Fork the second child
348                #
349                pid = os.fork()
350
351                if pid > 0:
352
353                        sys.exit(0)  # end parent
354
355                # Go to the root directory and set the umask
356                #
357                os.chdir('/')
358                os.umask(0)
359
360                sys.stdin.close()
361                sys.stdout.close()
362                sys.stderr.close()
363
364                os.open('/dev/null', 0)
365                os.dup(0)
366                os.dup(0)
367
368                self.run()
369
370        def run( self ):
371                """Do main processing of XML here"""
372
373                pass
374
375class TorqueXMLProcessor( XMLProcessor ):
376        """Main class for processing XML and acting with it"""
377
378        def __init__( self ):
379                """Setup initial XML connection and handlers"""
380
381                self.myXMLGatherer = XMLGatherer( ARCHIVE_XMLSOURCE.split( ':' )[0], ARCHIVE_XMLSOURCE.split( ':' )[1] ) 
382                self.myXMLSource = self.myXMLGatherer.getFileObject()
383                self.myXMLHandler = TorqueXMLHandler()
384                self.myXMLError = XMLErrorHandler()
385                self.config = GangliaConfigParser( GMETAD_CONF )
386
387        def run( self ):
388                """Main XML processing"""
389
390                debug_msg( 1, printTime() + ' - torque_xml_thread(): started.' )
391
392                while( 1 ):
393
394                        self.myXMLSource = self.myXMLGatherer.getFileObject()
395                        debug_msg( 1, printTime() + ' - torque_xml_thread(): Parsing..' )
396                        xml.sax.parse( self.myXMLSource, self.myXMLHandler, self.myXMLError )
397                        debug_msg( 1, printTime() + ' - torque_xml_thread(): Done parsing.' )
398                        debug_msg( 1, printTime() + ' - torque_xml_thread(): Sleeping.. (%ss)' %(str( self.config.getLowestInterval() ) ) )
399                        time.sleep( self.config.getLowestInterval() )
400
401class TorqueXMLHandler( xml.sax.handler.ContentHandler ):
402        """Parse Torque's jobinfo XML from our plugin"""
403
404        jobAttrs = { }
405
406        def __init__( self ):
407
408                self.ds = DataSQLStore( TOGA_SQL_DBASE.split( '/' )[0], TOGA_SQL_DBASE.split( '/' )[1] )
409                self.jobs_processed = [ ]
410                self.jobs_to_store = [ ]
411
412        def startElement( self, name, attrs ):
413                """
414                This XML will be all gmetric XML
415                so there will be no specific start/end element
416                just one XML statement with all info
417                """
418               
419                heartbeat = 0
420               
421                jobinfo = { }
422
423                if name == 'METRIC':
424
425                        metricname = attrs.get( 'NAME', "" )
426
427                        if metricname == 'TOGA-HEARTBEAT':
428                                self.heartbeat = attrs.get( 'VAL', "" )
429
430                        elif metricname.find( 'TOGA-JOB' ) != -1:
431
432                                job_id = metricname.split( 'TOGA-JOB-' )[1]
433                                val = attrs.get( 'VAL', "" )
434
435                                if not job_id in self.jobs_processed:
436                                        self.jobs_processed.append( job_id )
437
438                                check_change = 0
439
440                                if self.jobAttrs.has_key( job_id ):
441                                        check_change = 1
442
443                                valinfo = val.split( ' ' )
444
445                                for myval in valinfo:
446
447                                        if len( myval.split( '=' ) ) > 1:
448
449                                                valname = myval.split( '=' )[0]
450                                                value = myval.split( '=' )[1]
451
452                                                if valname == 'nodes':
453                                                        value = value.split( ';' )
454
455                                                jobinfo[ valname ] = value
456
457                                if check_change:
458                                        if self.jobinfoChanged( self.jobAttrs, job_id, jobinfo ) and self.jobAttrs[ job_id ]['status'] != 'E':
459                                                self.jobAttrs[ job_id ]['stop_timestamp'] = ''
460                                                self.jobAttrs[ job_id ] = self.setJobAttrs( self.jobAttrs[ job_id ], jobinfo )
461                                                if not job_id in self.jobs_to_store:
462                                                        self.jobs_to_store.append( job_id )
463
464                                                debug_msg( 6, 'jobinfo for job %s has changed' %job_id )
465                                else:
466                                        self.jobAttrs[ job_id ] = jobinfo
467
468                                        if not job_id in self.jobs_to_store:
469                                                self.jobs_to_store.append( job_id )
470
471                                        debug_msg( 6, 'jobinfo for job %s has changed' %job_id )
472                                       
473        def endDocument( self ):
474                """When all metrics have gone, check if any jobs have finished"""
475
476                for jobid, jobinfo in self.jobAttrs.items():
477
478                        # This is an old job, not in current jobinfo list anymore
479                        # it must have finished, since we _did_ get a new heartbeat
480                        #
481                        mytime = int( jobinfo['reported'] ) + int( jobinfo['poll_interval'] )
482
483                        if mytime < self.heartbeat and jobid not in self.jobs_processed and jobinfo['status'] == 'R':
484
485                                if not jobid in self.jobs_processed:
486                                        self.jobs_processed.append( jobid )
487
488                                self.jobAttrs[ jobid ]['status'] = 'F'
489                                self.jobAttrs[ jobid ]['stop_timestamp'] = str( int( jobinfo['reported'] ) + int( jobinfo['poll_interval'] ) )
490
491                                if not jobid in self.jobs_to_store:
492                                        self.jobs_to_store.append( jobid )
493
494                debug_msg( 1, printTime() + ' - torque_xml_thread(): Storing..' )
495
496                for jobid in self.jobs_to_store:
497                        self.ds.storeJobInfo( jobid, self.jobAttrs[ jobid ] )   
498
499                debug_msg( 1, printTime() + ' - torque_xml_thread(): Done storing.' )
500
501                self.jobs_processed = [ ]
502                self.jobs_to_store = [ ]
503
504        def setJobAttrs( self, old, new ):
505                """
506                Set new job attributes in old, but not lose existing fields
507                if old attributes doesn't have those
508                """
509
510                for valname, value in new.items():
511                        old[ valname ] = value
512
513                return old
514               
515
516        def jobinfoChanged( self, jobattrs, jobid, jobinfo ):
517                """
518                Check if jobinfo has changed from jobattrs[jobid]
519                if it's report time is bigger than previous one
520                and it is report time is recent (equal to heartbeat)
521                """
522
523                ignore_changes = [ 'reported' ]
524
525                if jobattrs.has_key( jobid ):
526
527                        for valname, value in jobinfo.items():
528
529                                if valname not in ignore_changes:
530
531                                        if jobattrs[ jobid ].has_key( valname ):
532
533                                                if value != jobattrs[ jobid ][ valname ]:
534
535                                                        if jobinfo['reported'] > jobattrs[ jobid ][ 'reported' ] and jobinfo['reported'] == self.heartbeat:
536                                                                return 1
537
538                                        else:
539                                                return 1
540
541                return 0
542
543class GangliaXMLHandler( xml.sax.handler.ContentHandler ):
544        """Parse Ganglia's XML"""
545
546        def __init__( self, config ):
547                """Setup initial variables and gather info on existing rrd archive"""
548
549                self.config = config
550                self.clusters = { }
551                debug_msg( 0, printTime() + ' - Checking existing toga rrd archive..' )
552                self.gatherClusters()
553                debug_msg( 0, printTime() + ' - Check done.' )
554
555        def gatherClusters( self ):
556                """Find all existing clusters in archive dir"""
557
558                archive_dir = check_dir(ARCHIVE_PATH)
559
560                hosts = [ ]
561
562                if os.path.exists( archive_dir ):
563
564                        dirlist = os.listdir( archive_dir )
565
566                        for item in dirlist:
567
568                                clustername = item
569
570                                if not self.clusters.has_key( clustername ) and clustername in ARCHIVE_DATASOURCES:
571
572                                        self.clusters[ clustername ] = RRDHandler( self.config, clustername )
573
574        def startElement( self, name, attrs ):
575                """Memorize appropriate data from xml start tags"""
576
577                if name == 'GANGLIA_XML':
578
579                        self.XMLSource = attrs.get( 'SOURCE', "" )
580                        self.gangliaVersion = attrs.get( 'VERSION', "" )
581
582                        debug_msg( 10, 'Found XML data: source %s version %s' %( self.XMLSource, self.gangliaVersion ) )
583
584                elif name == 'GRID':
585
586                        self.gridName = attrs.get( 'NAME', "" )
587                        self.time = attrs.get( 'LOCALTIME', "" )
588
589                        debug_msg( 10, '`-Grid found: %s' %( self.gridName ) )
590
591                elif name == 'CLUSTER':
592
593                        self.clusterName = attrs.get( 'NAME', "" )
594                        self.time = attrs.get( 'LOCALTIME', "" )
595
596                        if not self.clusters.has_key( self.clusterName ) and self.clusterName in ARCHIVE_DATASOURCES:
597
598                                self.clusters[ self.clusterName ] = RRDHandler( self.config, self.clusterName )
599
600                                debug_msg( 10, ' |-Cluster found: %s' %( self.clusterName ) )
601
602                elif name == 'HOST' and self.clusterName in ARCHIVE_DATASOURCES:     
603
604                        self.hostName = attrs.get( 'NAME', "" )
605                        self.hostIp = attrs.get( 'IP', "" )
606                        self.hostReported = attrs.get( 'REPORTED', "" )
607
608                        debug_msg( 10, ' | |-Host found: %s - ip %s reported %s' %( self.hostName, self.hostIp, self.hostReported ) )
609
610                elif name == 'METRIC' and self.clusterName in ARCHIVE_DATASOURCES:
611
612                        type = attrs.get( 'TYPE', "" )
613
614                        if type not in UNSUPPORTED_ARCHIVE_TYPES:
615
616                                myMetric = { }
617                                myMetric['name'] = attrs.get( 'NAME', "" )
618                                myMetric['val'] = attrs.get( 'VAL', "" )
619                                myMetric['time'] = self.hostReported
620
621                                self.clusters[ self.clusterName ].memMetric( self.hostName, myMetric )
622
623                                debug_msg( 11, ' | | |-metric: %s:%s' %( myMetric['name'], myMetric['val'] ) )
624
625        def storeMetrics( self ):
626                """Store metrics of each cluster rrd handler"""
627
628                for clustername, rrdh in self.clusters.items():
629
630                        ret = rrdh.storeMetrics()
631
632                        if ret:
633                                debug_msg( 9, 'An error occured while storing metrics for cluster %s' %clustername )
634                                return 1
635
636                return 0
637
638class XMLErrorHandler( xml.sax.handler.ErrorHandler ):
639
640        def error( self, exception ):
641                """Recoverable error"""
642
643                debug_msg( 0, 'Recoverable error ' + str( exception ) )
644
645        def fatalError( self, exception ):
646                """Non-recoverable error"""
647
648                exception_str = str( exception )
649
650                # Ignore 'no element found' errors
651                if exception_str.find( 'no element found' ) != -1:
652                        debug_msg( 1, 'No XML data found: probably socket not (re)connected.' )
653                        return 0
654
655                debug_msg( 0, 'Non-recoverable error ' + str( exception ) )
656                sys.exit( 1 )
657
658        def warning( self, exception ):
659                """Warning"""
660
661                debug_msg( 0, 'Warning ' + str( exception ) )
662
663class XMLGatherer:
664        """Setup a connection and file object to Ganglia's XML"""
665
666        s = None
667        fd = None
668
669        def __init__( self, host, port ):
670                """Store host and port for connection"""
671
672                self.host = host
673                self.port = port
674                self.connect()
675                self.makeFileDescriptor()
676
677        def connect( self ):
678                """Setup connection to XML source"""
679
680                for res in socket.getaddrinfo( self.host, self.port, socket.AF_UNSPEC, socket.SOCK_STREAM ):
681
682                        af, socktype, proto, canonname, sa = res
683
684                        try:
685
686                                self.s = socket.socket( af, socktype, proto )
687
688                        except socket.error, msg:
689
690                                self.s = None
691                                continue
692
693                        try:
694
695                                self.s.connect( sa )
696
697                        except socket.error, msg:
698
699                                self.disconnect()
700                                continue
701
702                        break
703
704                if self.s is None:
705
706                        debug_msg( 0, 'Could not open socket' )
707                        sys.exit( 1 )
708
709        def disconnect( self ):
710                """Close socket"""
711
712                if self.s:
713                        self.s.shutdown( 2 )
714                        self.s.close()
715                        self.s = None
716
717        def __del__( self ):
718                """Kill the socket before we leave"""
719
720                self.disconnect()
721
722        def reconnect( self ):
723                """Reconnect"""
724
725                if self.s:
726                        self.disconnect()
727
728                self.connect()
729
730        def makeFileDescriptor( self ):
731                """Make file descriptor that points to our socket connection"""
732
733                self.reconnect()
734
735                if self.s:
736                        self.fd = self.s.makefile( 'r' )
737
738        def getFileObject( self ):
739                """Connect, and return a file object"""
740
741                self.makeFileDescriptor()
742
743                if self.fd:
744                        return self.fd
745
746class GangliaXMLProcessor( XMLProcessor ):
747        """Main class for processing XML and acting with it"""
748
749        def __init__( self ):
750                """Setup initial XML connection and handlers"""
751
752                self.config = GangliaConfigParser( GMETAD_CONF )
753
754                self.myXMLGatherer = XMLGatherer( ARCHIVE_XMLSOURCE.split( ':' )[0], ARCHIVE_XMLSOURCE.split( ':' )[1] ) 
755                self.myXMLSource = self.myXMLGatherer.getFileObject()
756                self.myXMLHandler = GangliaXMLHandler( self.config )
757                self.myXMLError = XMLErrorHandler()
758
759        def run( self ):
760                """Main XML processing; start a xml and storethread"""
761
762                xml_thread = threading.Thread( None, self.processXML, 'xmlthread' )
763                store_thread = threading.Thread( None, self.storeMetrics, 'storethread' )
764
765                while( 1 ):
766
767                        if not xml_thread.isAlive():
768                                # Gather XML at the same interval as gmetad
769
770                                # threaded call to: self.processXML()
771                                #
772                                xml_thread = threading.Thread( None, self.processXML, 'xml_thread' )
773                                xml_thread.start()
774
775                        if not store_thread.isAlive():
776                                # Store metrics every .. sec
777
778                                # threaded call to: self.storeMetrics()
779                                #
780                                store_thread = threading.Thread( None, self.storeMetrics, 'store_thread' )
781                                store_thread.start()
782               
783                        # Just sleep a sec here, to prevent daemon from going mad. We're all threads here anyway
784                        time.sleep( 1 ) 
785
786        def storeMetrics( self ):
787                """Store metrics retained in memory to disk"""
788
789                debug_msg( 1, printTime() + ' - ganglia_store_thread(): started.' )
790
791                # Store metrics somewhere between every 360 and 640 seconds
792                #
793                STORE_INTERVAL = random.randint( 360, 640 )
794
795                store_metric_thread = threading.Thread( None, self.storeThread, 'store_metric_thread' )
796                store_metric_thread.start()
797
798                debug_msg( 1, printTime() + ' - ganglia_store_thread(): Sleeping.. (%ss)' %STORE_INTERVAL )
799                time.sleep( STORE_INTERVAL )
800                debug_msg( 1, printTime() + ' - ganglia_store_thread(): Done sleeping.' )
801
802                if store_metric_thread.isAlive():
803
804                        debug_msg( 1, printTime() + ' - ganglia_store_thread(): storemetricthread() still running, waiting to finish..' )
805                        store_metric_thread.join( STORE_TIMEOUT ) # Maximum time is for storing thread to finish
806                        debug_msg( 1, printTime() + ' - ganglia_store_thread(): Done waiting.' )
807
808                debug_msg( 1, printTime() + ' - ganglia_store_thread(): finished.' )
809
810                return 0
811
812        def storeThread( self ):
813                """Actual metric storing thread"""
814
815                debug_msg( 1, printTime() + ' - ganglia_store_metric_thread(): started.' )
816                debug_msg( 1, printTime() + ' - ganglia_store_metric_thread(): Storing data..' )
817                ret = self.myXMLHandler.storeMetrics()
818                debug_msg( 1, printTime() + ' - ganglia_store_metric_thread(): Done storing.' )
819                debug_msg( 1, printTime() + ' - ganglia_store_metric_thread(): finished.' )
820               
821                return ret
822
823        def processXML( self ):
824                """Process XML"""
825
826                debug_msg( 1, printTime() + ' - xmlthread(): started.' )
827
828                parsethread = threading.Thread( None, self.parseThread, 'parsethread' )
829                parsethread.start()
830
831                debug_msg( 1, printTime() + ' - ganglia_xml_thread(): Sleeping.. (%ss)' %self.config.getLowestInterval() )
832                time.sleep( float( self.config.getLowestInterval() ) ) 
833                debug_msg( 1, printTime() + ' - ganglia_xml_thread(): Done sleeping.' )
834
835                if parsethread.isAlive():
836
837                        debug_msg( 1, printTime() + ' - ganglia_xml_thread(): parsethread() still running, waiting to finish..' )
838                        parsethread.join( PARSE_TIMEOUT ) # Maximum time for XML thread to finish
839                        debug_msg( 1, printTime() + ' - ganglia_xml_thread(): Done waiting.' )
840
841                debug_msg( 1, printTime() + ' - ganglia_xml_thread(): finished.' )
842
843                return 0
844
845        def parseThread( self ):
846                """Actual parsing thread"""
847
848                debug_msg( 1, printTime() + ' - ganglia_parse_thread(): started.' )
849                debug_msg( 1, printTime() + ' - ganglia_parse_thread(): Parsing XML..' )
850                self.myXMLSource = self.myXMLGatherer.getFileObject()
851                ret = xml.sax.parse( self.myXMLSource, self.myXMLHandler, self.myXMLError )
852                debug_msg( 1, printTime() + ' - ganglia_parse_thread(): Done parsing.' )
853                debug_msg( 1, printTime() + ' - ganglia_parse_thread(): finished.' )
854
855                return ret
856
857class GangliaConfigParser:
858
859        sources = [ ]
860
861        def __init__( self, config ):
862                """Parse some stuff from our gmetad's config, such as polling interval"""
863
864                self.config = config
865                self.parseValues()
866
867        def parseValues( self ):
868                """Parse certain values from gmetad.conf"""
869
870                readcfg = open( self.config, 'r' )
871
872                for line in readcfg.readlines():
873
874                        if line.count( '"' ) > 1:
875
876                                if line.find( 'data_source' ) != -1 and line[0] != '#':
877
878                                        source = { }
879                                        source['name'] = line.split( '"' )[1]
880                                        source_words = line.split( '"' )[2].split( ' ' )
881
882                                        for word in source_words:
883
884                                                valid_interval = 1
885
886                                                for letter in word:
887
888                                                        if letter not in string.digits:
889
890                                                                valid_interval = 0
891
892                                                if valid_interval and len(word) > 0:
893
894                                                        source['interval'] = word
895                                                        debug_msg( 9, 'polling interval for %s = %s' %(source['name'], source['interval'] ) )
896       
897                                        # No interval found, use Ganglia's default     
898                                        if not source.has_key( 'interval' ):
899                                                source['interval'] = 15
900                                                debug_msg( 9, 'polling interval for %s defaulted to 15' %(source['name']) )
901
902                                        self.sources.append( source )
903
904        def getInterval( self, source_name ):
905                """Return interval for source_name"""
906
907                for source in self.sources:
908
909                        if source['name'] == source_name:
910
911                                return source['interval']
912
913                return None
914
915        def getLowestInterval( self ):
916                """Return the lowest interval of all clusters"""
917
918                lowest_interval = 0
919
920                for source in self.sources:
921
922                        if not lowest_interval or source['interval'] <= lowest_interval:
923
924                                lowest_interval = source['interval']
925
926                # Return 15 when nothing is found, so that the daemon won't go insane with 0 sec delays
927                if lowest_interval:
928                        return lowest_interval
929                else:
930                        return 15
931
932class RRDHandler:
933        """Class for handling RRD activity"""
934
935        myMetrics = { }
936        lastStored = { }
937        timeserials = { }
938        slot = None
939
940        def __init__( self, config, cluster ):
941                """Setup initial variables"""
942
943                self.block = 0
944                self.cluster = cluster
945                self.config = config
946                self.slot = threading.Lock()
947                self.rrdm = RRDMutator()
948                self.gatherLastUpdates()
949
950        def gatherLastUpdates( self ):
951                """Populate the lastStored list, containing timestamps of all last updates"""
952
953                cluster_dir = '%s/%s' %( check_dir(ARCHIVE_PATH), self.cluster )
954
955                hosts = [ ]
956
957                if os.path.exists( cluster_dir ):
958
959                        dirlist = os.listdir( cluster_dir )
960
961                        for dir in dirlist:
962
963                                hosts.append( dir )
964
965                for host in hosts:
966
967                        host_dir = cluster_dir + '/' + host
968                        dirlist = os.listdir( host_dir )
969
970                        for dir in dirlist:
971
972                                if not self.timeserials.has_key( host ):
973
974                                        self.timeserials[ host ] = [ ]
975
976                                self.timeserials[ host ].append( dir )
977
978                        last_serial = self.getLastRrdTimeSerial( host )
979                        if last_serial:
980
981                                metric_dir = cluster_dir + '/' + host + '/' + last_serial
982                                if os.path.exists( metric_dir ):
983
984                                        dirlist = os.listdir( metric_dir )
985
986                                        for file in dirlist:
987
988                                                metricname = file.split( '.rrd' )[0]
989
990                                                if not self.lastStored.has_key( host ):
991
992                                                        self.lastStored[ host ] = { }
993
994                                                self.lastStored[ host ][ metricname ] = self.rrdm.grabLastUpdate( metric_dir + '/' + file )
995
996        def getClusterName( self ):
997                """Return clustername"""
998
999                return self.cluster
1000
1001        def memMetric( self, host, metric ):
1002                """Store metric from host in memory"""
1003
1004                if self.myMetrics.has_key( host ):
1005
1006                        if self.myMetrics[ host ].has_key( metric['name'] ):
1007
1008                                for mymetric in self.myMetrics[ host ][ metric['name'] ]:
1009
1010                                        if mymetric['time'] == metric['time']:
1011
1012                                                # Allready have this metric, abort
1013                                                return 1
1014                        else:
1015                                self.myMetrics[ host ][ metric['name'] ] = [ ]
1016                else:
1017                        self.myMetrics[ host ] = { }
1018                        self.myMetrics[ host ][ metric['name'] ] = [ ]
1019
1020                # Push new metric onto stack
1021                # atomic code; only 1 thread at a time may access the stack
1022
1023                # <ATOMIC>
1024                #
1025                self.slot.acquire()
1026
1027                self.myMetrics[ host ][ metric['name'] ].append( metric )
1028
1029                self.slot.release()
1030                #
1031                # </ATOMIC>
1032
1033        def makeUpdateList( self, host, metriclist ):
1034                """
1035                Make a list of update values for rrdupdate
1036                but only those that we didn't store before
1037                """
1038
1039                update_list = [ ]
1040                metric = None
1041
1042                while len( metriclist ) > 0:
1043
1044                        metric = metriclist.pop( 0 )
1045
1046                        if self.checkStoreMetric( host, metric ):
1047                                update_list.append( '%s:%s' %( metric['time'], metric['val'] ) )
1048
1049                return update_list
1050
1051        def checkStoreMetric( self, host, metric ):
1052                """Check if supplied metric if newer than last one stored"""
1053
1054                if self.lastStored.has_key( host ):
1055
1056                        if self.lastStored[ host ].has_key( metric['name'] ):
1057
1058                                if metric['time'] <= self.lastStored[ host ][ metric['name'] ]:
1059
1060                                        # This is old
1061                                        return 0
1062
1063                return 1
1064
1065        def memLastUpdate( self, host, metricname, metriclist ):
1066                """
1067                Memorize the time of the latest metric from metriclist
1068                but only if it wasn't allready memorized
1069                """
1070
1071                if not self.lastStored.has_key( host ):
1072                        self.lastStored[ host ] = { }
1073
1074                last_update_time = 0
1075
1076                for metric in metriclist:
1077
1078                        if metric['name'] == metricname:
1079
1080                                if metric['time'] > last_update_time:
1081
1082                                        last_update_time = metric['time']
1083
1084                if self.lastStored[ host ].has_key( metricname ):
1085                       
1086                        if last_update_time <= self.lastStored[ host ][ metricname ]:
1087                                return 1
1088
1089                self.lastStored[ host ][ metricname ] = last_update_time
1090
1091        def storeMetrics( self ):
1092                """
1093                Store all metrics from memory to disk
1094                and do it to the RRD's in appropriate timeperiod directory
1095                """
1096
1097                for hostname, mymetrics in self.myMetrics.items():     
1098
1099                        for metricname, mymetric in mymetrics.items():
1100
1101                                metrics_to_store = [ ]
1102
1103                                # Pop metrics from stack for storing until none is left
1104                                # atomic code: only 1 thread at a time may access myMetrics
1105
1106                                # <ATOMIC>
1107                                #
1108                                self.slot.acquire() 
1109
1110                                while len( self.myMetrics[ hostname ][ metricname ] ) > 0:
1111
1112                                        if len( self.myMetrics[ hostname ][ metricname ] ) > 0:
1113                                                metrics_to_store.append( self.myMetrics[ hostname ][ metricname ].pop( 0 ) )
1114
1115                                self.slot.release()
1116                                #
1117                                # </ATOMIC>
1118
1119                                # Create a mapping table, each metric to the period where it should be stored
1120                                #
1121                                metric_serial_table = self.determineSerials( hostname, metricname, metrics_to_store )
1122
1123                                update_rets = [ ]
1124
1125                                for period, pmetric in metric_serial_table.items():
1126
1127                                        self.createCheck( hostname, metricname, period )       
1128
1129                                        update_ret = self.update( hostname, metricname, period, pmetric )
1130
1131                                        if update_ret == 0:
1132
1133                                                debug_msg( 9, 'stored metric %s for %s' %( hostname, metricname ) )
1134                                        else:
1135                                                debug_msg( 9, 'metric update failed' )
1136
1137                                        update_rets.append( update_ret )
1138
1139                                if not (1) in update_rets:
1140
1141                                        self.memLastUpdate( hostname, metricname, metrics_to_store )
1142
1143        def makeTimeSerial( self ):
1144                """Generate a time serial. Seconds since epoch"""
1145
1146                # Seconds since epoch
1147                mytime = int( time.time() )
1148
1149                return mytime
1150
1151        def makeRrdPath( self, host, metricname, timeserial ):
1152                """Make a RRD location/path and filename"""
1153
1154                rrd_dir = '%s/%s/%s/%s' %( check_dir(ARCHIVE_PATH), self.cluster, host, timeserial )
1155                rrd_file = '%s/%s.rrd' %( rrd_dir, metricname )
1156
1157                return rrd_dir, rrd_file
1158
1159        def getLastRrdTimeSerial( self, host ):
1160                """Find the last timeserial (directory) for this host"""
1161
1162                newest_timeserial = 0
1163
1164                for dir in self.timeserials[ host ]:
1165
1166                        valid_dir = 1
1167
1168                        for letter in dir:
1169                                if letter not in string.digits:
1170                                        valid_dir = 0
1171
1172                        if valid_dir:
1173                                timeserial = dir
1174                                if timeserial > newest_timeserial:
1175                                        newest_timeserial = timeserial
1176
1177                if newest_timeserial:
1178                        return newest_timeserial
1179                else:
1180                        return 0
1181
1182        def determinePeriod( self, host, check_serial ):
1183                """Determine to which period (directory) this time(serial) belongs"""
1184
1185                period_serial = 0
1186
1187                if self.timeserials.has_key( host ):
1188
1189                        for serial in self.timeserials[ host ]:
1190
1191                                if check_serial >= serial and period_serial < serial:
1192
1193                                        period_serial = serial
1194
1195                return period_serial
1196
1197        def determineSerials( self, host, metricname, metriclist ):
1198                """
1199                Determine the correct serial and corresponding rrd to store
1200                for a list of metrics
1201                """
1202
1203                metric_serial_table = { }
1204
1205                for metric in metriclist:
1206
1207                        if metric['name'] == metricname:
1208
1209                                period = self.determinePeriod( host, metric['time'] )   
1210
1211                                archive_secs = ARCHIVE_HOURS_PER_RRD * (60 * 60)
1212
1213                                if (int( metric['time'] ) - int( period ) ) > archive_secs:
1214
1215                                        # This one should get it's own new period
1216                                        period = metric['time']
1217
1218                                        if not self.timeserials.has_key( host ):
1219                                                self.timeserials[ host ] = [ ]
1220
1221                                        self.timeserials[ host ].append( period )
1222
1223                                if not metric_serial_table.has_key( period ):
1224
1225                                        metric_serial_table[ period ] = [ ]
1226
1227                                metric_serial_table[ period ].append( metric )
1228
1229                return metric_serial_table
1230
1231        def createCheck( self, host, metricname, timeserial ):
1232                """Check if an rrd allready exists for this metric, create if not"""
1233
1234                debug_msg( 9, 'rrdcreate: using timeserial %s for %s/%s' %( timeserial, host, metricname ) )
1235               
1236                rrd_dir, rrd_file = self.makeRrdPath( host, metricname, timeserial )
1237
1238                if not os.path.exists( rrd_dir ):
1239
1240                        try:
1241                                os.makedirs( rrd_dir )
1242
1243                        except OSError, msg:
1244
1245                                if msg.find( 'File exists' ) != -1:
1246
1247                                        # Ignore exists errors
1248                                        pass
1249
1250                                else:
1251
1252                                        print msg
1253                                        return
1254
1255                        debug_msg( 9, 'created dir %s' %( str(rrd_dir) ) )
1256
1257                if not os.path.exists( rrd_file ):
1258
1259                        interval = self.config.getInterval( self.cluster )
1260                        heartbeat = 8 * int( interval )
1261
1262                        params = [ ]
1263
1264                        params.append( '--step' )
1265                        params.append( str( interval ) )
1266
1267                        params.append( '--start' )
1268                        params.append( str( int( timeserial ) - 1 ) )
1269
1270                        params.append( 'DS:sum:GAUGE:%d:U:U' %heartbeat )
1271                        params.append( 'RRA:AVERAGE:0.5:1:%s' %(ARCHIVE_HOURS_PER_RRD * 240) )
1272
1273                        self.rrdm.create( str(rrd_file), params )
1274
1275                        debug_msg( 9, 'created rrd %s' %( str(rrd_file) ) )
1276
1277        def update( self, host, metricname, timeserial, metriclist ):
1278                """
1279                Update rrd file for host with metricname
1280                in directory timeserial with metriclist
1281                """
1282
1283                debug_msg( 9, 'rrdupdate: using timeserial %s for %s/%s' %( timeserial, host, metricname ) )
1284
1285                rrd_dir, rrd_file = self.makeRrdPath( host, metricname, timeserial )
1286
1287                update_list = self.makeUpdateList( host, metriclist )
1288
1289                if len( update_list ) > 0:
1290                        ret = self.rrdm.update( str(rrd_file), update_list )
1291
1292                        if ret:
1293                                return 1
1294               
1295                        debug_msg( 9, 'updated rrd %s with %s' %( str(rrd_file), string.join( update_list ) ) )
1296
1297                return 0
1298
1299def main():
1300        """Program startup"""
1301
1302        myTorqueProcessor = TorqueXMLProcessor()
1303        myGangliaProcessor = GangliaXMLProcessor()
1304
1305        if DAEMONIZE:
1306                torque_xml_thread = threading.Thread( None, myTorqueProcessor.daemon, 'torque_proc_thread' )
1307                ganglia_xml_thread = threading.Thread( None, myGangliaProcessor.daemon, 'ganglia_proc_thread' )
1308        else:
1309                torque_xml_thread = threading.Thread( None, myTorqueProcessor.run, 'torque_proc_thread' )
1310                ganglia_xml_thread = threading.Thread( None, myGangliaProcessor.run, 'ganglia_proc_thread' )
1311
1312        torque_xml_thread.start()
1313        ganglia_xml_thread.start()
1314
1315# Global functions
1316
1317def check_dir( directory ):
1318        """Check if directory is a proper directory. I.e.: Does _not_ end with a '/'"""
1319
1320        if directory[-1] == '/':
1321                directory = directory[:-1]
1322
1323        return directory
1324
1325def debug_msg( level, msg ):
1326        """Only print msg if it is not below our debug level"""
1327
1328        if (DEBUG_LEVEL >= level):
1329                sys.stderr.write( msg + '\n' )
1330
1331def printTime( ):
1332        """Print current time in human readable format"""
1333
1334        return time.strftime("%a %d %b %Y %H:%M:%S")
1335
1336# Ooohh, someone started me! Let's go..
1337if __name__ == '__main__':
1338        main()
Note: See TracBrowser for help on using the repository browser.