-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathpcsd_common.py
1410 lines (1149 loc) · 40.7 KB
/
pcsd_common.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
# This file is part of Fork of crcnetd - CRCnet Configuration System Daemon
#
# Copyright (c) 2012 sun-exploit <[email protected]>
#
# Fork of crcnetd is free software: you may copy, redistribute
# and/or modify it under the terms of the GNU General Public License as
# published by the Free Software Foundation, either version 2 of the
# License, or (at your option) any later version.
#
# This file is distributed in the hope that it will be useful, but
# WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
# General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
#
# This file incorporates work covered by the following copyright and
# permission notice:
#
# Copyright (C) 2006 The University of Waikato
#
# This file is part of crcnetd - CRCnet Configuration System Daemon
#
# This file contains common code used throughout the system and extensions
# - Constant values
# - Small helper functions
# - Base classes
#
# Author: Matt Brown <[email protected]>
# Version: $Id$
#
# crcnetd is free software; you can redistribute it and/or modify it under the
# terms of the GNU General Public License version 2 as published by the Free
# Software Foundation.
#
# crcnetd is distributed in the hope that it will be useful, but WITHOUT ANY
# WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS
# FOR A PARTICULAR PURPOSE. See the GNU General Public License for more
# details.
#
# You should have received a copy of the GNU General Public License along with
# crcnetd; if not, write to the Free Software Foundation, Inc.,
# 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA
import re
import os
import os.path
import sys
import socket
import struct
import optparse
import fcntl
import string
from BaseHTTPServer import HTTPServer
import xmlrpclib
#############################################################################
# Constants
#############################################################################
# Site details
DEFAULT_ADMIN_EMAIL = "root@localhost"
DEFAULT_SITE_NAME = "Default Poli Configuration System Installation"
DEFAULT_SITE_ADDRESS = "https://localhost/"
# How often to run generic maintenance commands (seconds)
MAINT_INTERVAL = 60
# How many minutes of activity cause a session to timeout
DEFAULT_SESSION_TIMEOUT = 30
# How many minutes should a cookie be issued for
DEFAULT_COOKIE_TIMEOUT = 60*24*30
# How many minutes should a session last for
DEFAULT_SESSION_TIMEOUT = 30
# Die after 10 fatal errors
DEFAULT_FATAL_ERR_COUNT = 10
# The maximum number of threads that can run at once
DEFAULT_MAX_THREADS = 15
# Default Server Port
DEFAULT_HTTP_SERVER_PORT = 5575
DEFAULT_HTTPS_SERVER_PORT = 5565
# Default Client Port
DEFAULT_CLIENT_PORT = 80
# Possible command line options
OPTION_LIST = "c:d:v"
# Default File Locations
DEFAULT_CONFFILE = "/etc/pcsd/%s.conf" % os.path.basename(sys.argv[0])
DEFAULT_PIDFILE = "/var/run/%s.pid" % os.path.basename(sys.argv[0])
DEFAULT_CONFIG_SVNROOT = "/var/lib/svn/pcsd/configs"
DEFAULT_REQUEST_LOG = "/tmp/pcsd.log"
DEFAULT_SERVICE_LIB_DIR = "/usr/lib/pcsd/services"
DEFAULT_SERVICE_DATA_DIR = "/usr/share/pcsd/services"
DEFAULT_TMPDIR = "/tmp"
DEFAULT_PROFILE_DIR = "/tmp/pcsd-profile"
# Types of session
SESSION_NONE = "NO"
SESSION_RO = "RO"
SESSION_RW = "RW"
# ID of the ever present session
ADMIN_SESSION_ID = 0
# RPC errors
ERROR_BASE = 9000
PCSD_ERROR = ERROR_BASE + 1
PCSD_BADPARAM = ERROR_BASE + 10
PCSD_DBERROR = ERROR_BASE + 20
PCSD_AUTHFAIL = ERROR_BASE + 30
PCSD_CALLFAILED = ERROR_BASE + 40
TRUE = 1
FALSE = 0
RFC1918 = ["10.0.0.0/8", "192.168.0.0/16", "172.16.0.0/12"]
# Bytes (as floats so divisions and stuff work nicely)
KILO = 1024.0
MEGA = KILO * 1024.0
GIGA = MEGA * 1024.0
# Types of link
PCSD_LINK_ADHOC = "AdHoc"
PCSD_LINK_MANAGED = "Managed"
PCSD_LINK_ETHERNET = "Ethernet"
PCSD_LINK_QB20 = "QuickBridge20"
PCSD_LINK_TRANGO = "Trango"
# Group Names
AUTH_NONE = "None"
AUTH_AUTHENTICATED = "Authenticated"
AUTH_ADMINISTRATOR = "Administrators"
AUTH_USER = "Users"
AUTH_ASSET_MANAGER = "Asset Managers"
AUTH_CERT_ADMINS = "Certificate Administrators"
AUTH_HELPDESK = "Helpdesk"
# Care needs to be taken to keep these in sync with the database table
ASSET_EVENT_IMPORTED = 1
ASSET_EVENT_LOCATION_CHANGED = 2
ASSET_EVENT_ATTACHED = 3
ASSET_EVENT_CREATED = 4
ASSET_EVENT_REMOVED = 5
ASSET_EVENT_DETAILS_UPDATED = 6
ASSET_EVENT_PROPERTY_UPDATED = 7
ASSET_EVENT_SUBASSET_ADDED = 8
ASSET_EVENT_SUBASSET_REMOVED = 9
ASSET_EVENT_ASSIGNED = 10
# Status Values
STATUS_OK = "ok"
STATUS_WARNING = "warning"
STATUS_CRITICAL = "critical"
STATUS_UNKNOWN = "unknown"
# Server / Client Constants
PCSD_NONE = -1
PCSD_CLIENT = 0
PCSD_SERVER = 1
# Utils types
PCSD_CORE = 0
PCSD_EXT = 1
# From net/route.h
RTF_UP = 0x0001 #U Route usable
RTF_GATEWAY = 0x0002 #G Destination is a gateway.
RTF_HOST = 0x0004 #H Host entry (net otherwise).
RTF_REINSTATE = 0x0008 #A Reinstate route after timeout.
RTF_DYNAMIC = 0x0010 #D Created dyn. (by redirect).
RTF_MODIFIED = 0x0020 #D Modified dyn. (by redirect).
RTF_MTU = 0x0040 #M Specific MTU for this route
RTF_WINDOW = 0x0080 #W Per route window clamping.
RTF_IRTT = 0x0100 #I Initial round trip time.
RTF_REJECT = 0x0200 #R Reject route.
RTF_STATIC = 0x0400 #S Manually injected route.
RTF_XRESOLVE = 0x0800 #E External resolver.
RTF_NOFORWARD = 0x1000 #F Forwarding inhibited.
RTF_THROW = 0x2000 #T Go to next class.
RTF_NOPMTUDISC = 0x4000 #N Do not send packets with DF.
ROUTE_FLAG_CHARS = {RTF_UP:"U", RTF_GATEWAY:"G", RTF_HOST:"H", \
RTF_REINSTATE:"A", RTF_DYNAMIC:"D", RTF_MODIFIED:"D", RTF_MTU:"M", \
RTF_WINDOW:"W", RTF_IRTT:"I", RTF_REJECT:"R", RTF_STATIC:"S", \
RTF_XRESOLVE:"X", RTF_NOFORWARD:"F", RTF_THROW:"T", RTF_NOPMTUDISC:"N"}
# From if.h
IFF_UP = 0x1 # interface is up
IFF_BROADCAST = 0x2 # broadcast address valid
IFF_LOOPBACK = 0x8 # is a loopback net
IFF_POINTOPOINT= 0x10 # interface is has p-p link
IFF_RUNNING = 0x40 # resources allocated
IFF_NOARP = 0x80 # no ARP protocol
IFF_PROMISC = 0x100 # receive all packets
IFF_MULTICAST = 0x1000 # Supports multicast
IFACE_FLAG_CHARS = {IFF_BROADCAST:"BROADCAST", IFF_LOOPBACK:"LOOPBACK", \
IFF_MULTICAST:"MULTICAST", IFF_NOARP:"NOARP", \
IFF_POINTOPOINT:"POINTOPOINT", IFF_PROMISC:"PROMISC", \
IFF_RUNNING:"RUNNING", IFF_UP:"UP"}
SIOCGIFCONF = 0x8912
SIOCGIFFLAGS = 0x8913
SIOCGIFADDR = 0x8915
SIOCGIFBRDADDR = 0x8919
SIOCGIFMTU = 0x8921
SIOCGIFHWADDR = 0x8927
SIOCGIFINDEX = 0x8933
SIOCGIFNETMASK = 0x891b
# Only variables named in the following list are inherited from the environment
# that is used to start the daemon
ALLOWED_ENV_VARS = [ "TERM", "SHELL", "SHLVL", "PWD", "PATH", "USER", "MAIL", \
"HOME", "_"]
pcs_utils_type = PCSD_CORE
#############################################################################
# Base Classes
#############################################################################
class pcsd_error(Exception):
def __init__(self, value):
self.value = value
def __str__(self):
return repr(self.value)
class pcs_class(object):
"""Provides generic functionality that all pcs classes will use
Derived classes must define global variables that are initialised
in the __init__ routine as specified below.
_session_id The session ID that the class should use to access shared
resources
_properties A dictionary of properties that can be accessed via the
class.
_errMsg The last error that occured during processing
"""
SUCCESS = 0
FAILURE = -1
# Internal variables
#
# Derived classes should set these
#
#_session_id = None
#_properties = {}
#_errMsg = ""
def __getitem__(self,x):
"""Returns an item from the classes properties.
This enables the class to act as a dictionary to reveal it's properties
in a read-only manner.
"""
return self._properties[x]
def keys(self):
return self._properties.keys()
def items(self):
return self._properties.items()
def values(self):
return self._properties.values()
def returnError(self, errMsg):
"""Returns an error code and stores the error message
Rollsback any implicit transactions started by this class.
"""
# Record error message
self._errMsg = errMsg
from pcsd_session import getSessionE
session = getSessionE(self._session_id)
# Rollback an implicit changeset
if session.changesetInitiator == self._csInit and self._csInit != "":
session.rollback()
return self.FAILURE
def returnSuccess(self):
"""Returns indicating success"""
from pcsd_session import getSessionE
session = getSessionE(self._session_id)
# Commit implicit changeset
if session.changesetInitiator == self._csInit and self._csInit != "":
session.commit()
return self.SUCCESS
def getErrorMessage(self):
"""Returns the last error message generated and clears the buffer"""
t = self._errMsg
self._errMsg = ""
return t
def _forceChangeset(self, message, initiator="pcs_class"):
"""Starts an implicit changeset if there is no active changeset
If you use this function it is *imperative* that you use the
returnError and returnSuccess functions to leave the function you
call it from to ensure any implicit changeset is finished properly.
"""
from pcsd_session import getSessionE
session = getSessionE(self._session_id)
if session.changeset==0:
session.begin(message, initiator=initiator)
self._csInit = initiator
class PCSHTTPServer(HTTPServer):
def server_bind(self):
"""Overrides the standard bind to set the no_inherit flag"""
HTTPServer.server_bind(self)
fcntl.fcntl(self.socket, fcntl.F_SETFD, fcntl.FD_CLOEXEC)
class PCSTransport(xmlrpclib.Transport):
"""Adds support to the standard XMLRPC Transport class for client certs"""
def __init__(self, key, cert):
self.key_file = key
self.cert_file = cert
def make_connection(self, host):
# create a HTTPS connection object from a host descriptor
# host may be a string, or a (host, x509-dict) tuple
import httplib
host, extra_headers, x509 = self.get_host_info(host)
try:
HTTPS = httplib.HTTPS
except AttributeError:
raise NotImplementedError(
"your version of httplib doesn't support HTTPS"
)
else:
return HTTPS(host, None, key_file=self.key_file, \
cert_file=self.cert_file)
#############################################################################
# Helper Functions
#############################################################################
def enc(inobj):
"""Convert a dictionary to the types needed by xmlrpclib"""
if type(inobj) == type([]):
out = []
for row in inobj:
out.append(enc(row))
elif type(inobj) == type({}):
out = {}
for key,item in inobj.items():
nkey = str(key)
if type(item) == type({}):
out[nkey] = enc(item)
elif type(item) == type([]):
out[nkey] = enc(item)
elif type(item) == type(int(1)):
out[nkey] = item
elif type(item) == type(long(1)):
out[nkey] = item
elif type(item) == type(float(1)):
out[nkey] = item
elif type(item) == type(None):
out[nkey] = ""
else:
out[nkey] = str(item)
else:
out = inobj
return out
def buildInsertFromDict(tableName, props, newDetails, doNull=False, \
forceNull=[]):
"""Builds an SQL insert string from the specified dictionary.
tableName is the name of the database table to insert into
props must list all possible fields in the database that can be inserted
newDetails is a dictionary containing new values for the table, indexed
by values in props. newDetails must contain all fields that are required
by the database or an error will occur when you try to execute the query.
If an entry in newDetails contains the value "DEFAULT" no quotes, then
the default value for the column will be used. If doNull is true any
property with a value of -1 is inserted as NULL in the update statement
The forceNull list may be used to specify a list of properties which must
be inserted as NULL into the table regardless of any value that may be
specified in the newDetails dictionary.
A tuple containing two items is returned. The SQL insert string and a list
containing the values to be substituted into it by the database.
"""
# Base
sql = "INSERT INTO %s (" % tableName
f = 0
# Go through the properties to be inserted
values = []
for prop in props:
if prop not in newDetails.keys() and prop not in forceNull:
continue
c=","
if f==0:
f=1
c=""
sql = "%s%s %s" % (sql, c, prop)
if prop not in forceNull:
values.append(newDetails[prop])
else:
values.append("NULL")
# Error out if no values to insert
if f == 0:
return (None, None)
# Values
sql = "%s) VALUES (" % sql
values2 = []
f=0
for val in values:
c=","
if f==0:
f=1
c=""
try:
tv = int(val)
except ValueError:
tv = None
if val == "DEFAULT":
sql = "%s%s DEFAULT" % (sql, c)
elif (doNull and tv==-1) or (len(forceNull)>0 and val=="NULL"):
sql = "%s%s NULL" % (sql, c)
else:
sql = "%s%s %%s" % (sql, c)
values2.append(val)
sql = "%s)" % sql
return (sql, values2)
def buildUpdateFromDict(tableName, props, newDetails, keyField, keyValue, \
doNull=False, forceNull=[]):
"""Builds an SQL update string from the specified dictionary.
tableName is the name of the database table to update
keyField and keyValue specify the parameters required to limit the update
props must list all possible fields in the database that can be updated
newDetails is a dictionary containing new values for the table, indexed
by values in props. If doNull is true any property with a value of -1 is
inserted as NULL in the update statement
The forceNull list may be used to specify a list of properties which must
be set to NULL.
A tuple containing two items is returned. The SQL update string and a list
containing the values to be substituted into it by the database.
"""
# Base
sql = "UPDATE %s SET " % tableName
f = 0
# Go through the properties to be updated
values = []
for prop in props:
if prop not in newDetails.keys() or prop in forceNull:
continue
c=","
if f==0:
f=1
c=""
v = newDetails[prop]
try:
tv = int(v)
except ValueError:
tv = None
if doNull and tv==-1:
sql = "%s%s %s=NULL" % (sql, c, prop)
else:
sql = "%s%s %s=%%s" % (sql, c, prop)
values.append(v)
# Go through the properties to be set to NULL
for prop in forceNull:
c=","
if f==0:
f=1
c=""
sql = "%s%s %s=NULL" % (sql, c, prop)
# Error out if no values updated
if f == 0:
return (None, None)
# Condition
sql = "%s WHERE %s=%%s" % (sql, keyField)
values.append(keyValue)
return (sql, values)
def filter_keys(indict):
"""Returns the dictionary with all numeric keys removed"""
return dict(filter(lambda x:type(x[0])!=type(0), indict.items()))
def createPassword(length):
"""Creates a new password of the specified length
The password is created of characters from the set [A-Za-z0-9] as chosen
by the rand.sample function, with some easily confused characters removed.
"""
import random
candidates = "aAbBcCdDeEfFgGhHjJkKmMnNpPqrRsStTuUvVwWxXyYzZ23456789"
return "".join(random.sample(candidates, length))
def createSalt():
"""Creates an MD5 salt for a password
See crypt(3) for details.
"""
return "$1$%s$" % createPassword(8)
def ensureDirExists(dir):
"""Ensures that the specified directory exists.
Obviously this will create parent directories too if need be.
Returns the number of directories that were created.
"""
# If the path exists all is good
if os.path.exists(dir):
return 0
# Otherwise check if the parent path exists
head, tail = os.path.split(dir)
n = ensureDirExists(head)
# Now make the directory
os.mkdir(dir, 0750)
return 1 + n
def ensureFileExists(file):
"""Ensures that the specified file exists.
Obviously this will create parent directories too if need be.
Returns True if the file was successfully created.
"""
# If the file exists all is good
if os.path.exists(file):
return True
try:
remountrw("ensureFileExists")
# Ensure the parent path exists
ensureDirExists(os.path.dirname(file))
# Touch the file
fp = open(file, "w")
fp.close()
remountro("ensureFileExists")
except:
remountro("ensureFileExists")
return False
return True
def removeDir(rDir):
"""Recursively removes a directory and its children"""
try:
for root, dirs, files in os.walk(rDir, topdown=False):
for name in files:
os.remove(os.path.join(root, name))
for name in dirs:
os.rmdir(os.path.join(root, name))
os.rmdir(rDir)
except OSError:
# Ignore dir not exists errors
pass
def getIP(name):
"""Resolves the hostname to an IP address"""
print "%s::%s : name=[%s]" % (__name__, 'getIP', name)
try:
return socket.gethostbyname(name)
except:
print "pcsd_common::getIP: invalid name=[{0}]".format(name)
raise
def getFQDN():
"""Returns the fully qualified hostname of the current host"""
fd = os.popen("/bin/hostname -f", "r")
hostname = fd.read()
fd.close()
return hostname.strip()
def bitsToNetmask(length):
"""Retuns an integer netmask representing the given number of bits"""
return (2 ** length) - 1L << (32 - length)
def netmaskToBits(bits):
"""Returns an integer represnting the bitlength of the given netmask"""
if bits==0: return 0
pos = 0
while ((2**pos) & bits) == 0:
pos+=1
return 32-pos
def cidrToNetwork(cidr_network):
"""Returns an integer network address from a CIDR string of the network"""
validateCIDR(cidr_network)
parts = str(cidr_network).split('/')
return ipnum(parts[0]) & bitsToNetmask(int(parts[1]))
def cidrToNetworkS(cidr_network):
"""Returns a string network address from a CIDR string of the network"""
return formatIP(cidrToNetwork(cidr_network))
def cidrToNetmask(cidr_network):
"""Returns an integer netmask from a CIDR string of the network"""
validateCIDR(cidr_network)
bits = int(str(cidr_network).split('/')[1])
return bitsToNetmask(bits)
def cidrToIP(cidr_network):
validateCIDR(cidr_network)
return str(cidr_network).split('/')[0]
def cidrToNetmaskS(cidr_network):
"""Returns a string netmask from a CIDR string of the network"""
return formatIP(cidrToNetmask(cidr_network))
def cidrToBroadcast(cidr_network):
"""Returns the broadcast address from a CIDR string of the network"""
validateCIDR(cidr_network)
parts = str(cidr_network).split('/')
netmask = bitsToNetmask(int(parts[1]))
return ipbroadcast(ipnum(parts[0]), netmask)
def cidrToBroadcastS(cidr_network):
"""Returns a string broadcast address from a CIDR string of the network"""
return formatIP(cidrToBroadcast(cidr_network))
def cidrToLength(cidr_network):
"""Returns the mask length portion of a CIDR address"""
validateCIDR(cidr_network)
return int(str(cidr_network).split('/')[1])
def ipnetwork(ip, netmask):
"""Calculate an integer network address from a given ip and netmask"""
return ip & netmask
def ipbroadcast(ip, netmask):
"""Claculate an integer broadcast address from a given ip and netmask"""
return (ip & netmask) | (pow(2L,32)-1-netmask)
def inNetwork(ip, network, netmask):
"""Returns true if the specified IP is part of the specified network"""
return (ip & netmask)==network
def ipnum(ip_netmask):
"""Convert a IP string into an integer"""
if (ip_netmask == 0):
return 0
else:
return reduce(lambda a,b:a*256+b,
map(int, str(ip_netmask).split(".")),0L)
def ipcmp(a, b):
"""Compare two IP addresses"""
return cmp(ipnum(a), ipnum(b))
def formatIP(ip):
"""Returns a string formatted IP address from a numeric ip"""
# Make sure our input is valid
try:
ip = int(ip)
except ValueError:
return ""
result = ""
# Move "left" along the integer prepending the octets to the string
step = 256
for i in range(1,5):
result = ".%s%s" % (str(ip%step), result)
ip /= step
# First char will be an extra ., strip it and return
return result[1:]
def formatIPB(ip):
"""Returns a binary string formatted IP address from a numeric ip"""
# Make sure our input is valid
try:
ip = int(ip)
except ValueError:
return ""
result = ""
# Move "left" along the integer prepending the octets to the string
step = 256
for i in range(1,5):
bits = ip%step
result = ".%s%s" % (binary(bits), result)
ip /= step
# First char will be an extra ., strip it and return
return result[1:]
def binary(bits):
"""Returns a binary string for the specified octet"""
# Make sure our input is valid
try:
ip = int(ip)
except ValueError:
return ""
str = ""
pos = 0
while pos < 8:
if (bits & (2**pos)) != 0:
str = "1%s" % str
else:
str = "0%s" % str
pos+=1
return str
def validateCIDR(cidr_network):
"""Checks that the specified network in cidr format is valid"""
parts = str(cidr_network).split('/')
if len(parts) != 2:
raise pcsd_error("Invalid CIDR format! %s" % cidr_network)
try:
if int(parts[1]) < 0 or int(parts[1]) > 32:
raise pcsd_error("Invalid bitmask in CIDR expression! %s" % \
cidr_network)
except:
raise pcsd_error("Invalid bitmask in CIDR expression! %s" % \
cidr_network)
octets = parts[0].split(".")
if len(octets) != 4:
raise pcsd_error("Invalid IP format! %s" % cidr_network)
for octet in octets:
try:
if int(octet) < 0 or int(octet)>255:
raise pcsd_error("Invalid octet value in CIDR expression!" \
"%s" % cidr_network)
except:
raise pcsd_error("Invalid octet value in CIDR expression! %s" % \
cidr_network)
return
def formatTime(secs, display_seconds=False):
"""Take a period of time in seconds and format it as a readable string"""
days = hours = mins = 0
if secs > (60*60*24):
days = int(secs/(60*60*24))
secs -= (days*(60*60*24))
if secs > (60*60):
hours = int(secs/(60*60))
secs -= (hours*(60*60))
if secs > 60:
mins = int(secs/60)
secs -= (mins*60)
str = ""
if days > 0:
str += pluralise(days, "day")
str += " "
if hours > 0:
str += pluralise(hours, "hour")
str += " "
if mins > 0:
str += pluralise(mins, "min")
str += " "
if secs > 0 and display_seconds:
str += pluralise(secs, "sec")
return str
def roundTime(secs):
"""Takes a period of time in seconds and rounds it to the nearest unit"""
# Years
if secs > (60*60*24*365):
years = int(secs/(60*60*24*365))
return pluralise(years, "year")
# Months
if secs > (60*60*24*30):
months = int(secs/(60*60*24*30))
return pluralise(months, "month")
# Weeks
if secs > (60*60*24*7):
weeks = int(secs/(60*60*24*7))
return pluralise(weeks, "week")
# Days
if secs > (60*60*24):
days = int(secs/(60*60*24))
return pluralise(days, "day")
# Hours
if secs > (60*60):
hours = int(secs/(60*60))
return pluralise(hours, "hour")
# Minutes
if secs > (60):
minutes = int(secs/(60))
return pluralise(minutes, "minute")
# Seconds
return pluralise(int(secs), "sec")
def pluralise(number, root):
if number > 1:
return "%s %ss" % (number, root)
else:
return "%s %s" % (number, root)
def formatBytes(bytes):
"""Displays the number of bytes in the largest unit whose value is > 1"""
if bytes > GIGA:
bytes /= GIGA
return "%2.2fGB" % bytes
if bytes > MEGA:
bytes /= MEGA
return "%2.1fMB" % bytes
if bytes > KILO:
bytes /= KILO
return "%2.1fKB" % bytes
return "%sB" % bytes
def remountrw(name=None):
"""Ensures that the root drive is mounted read-write"""
if name is None:
name = sys.argv[0]
os.system("/usr/bin/remountrw %s" % name)
def remountro(name=None):
"""Ensures that the root drive is mounted read-only"""
if name is None:
name = sys.argv[0]
os.system("/usr/bin/remountro %s" % name)
def bisect(a, x, lo=0, hi=None, cmpfunc=cmp):
"""Return the index where to insert item x in list a, assuming a is sorted.
The return value i is such that all e in a[:i] have e <= x, and all e in
a[i:] have e > x. So if x already appears in the list, i points just
beyond the rightmost x already there.
Optional args lo (default 0) and hi (default len(a)) bound the
slice of a to be searched.
"""
if hi is None:
hi = len(a)
while lo < hi:
mid = (lo+hi)//2
if cmpfunc(x,a[mid])<0: hi = mid
else: lo = mid+1
return lo
def do_ioctl(ifname, req):
ifreq = (ifname + '\0'*32)[:32]
try:
sfd = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
result = fcntl.ioctl(sfd.fileno(), req, ifreq)
sfd.close()
except IOError:
return None
return result
def isAdministrativeInterface(ifname):
"""Returns true if the specified interface is classied as Administrative"""
if ifname.startswith("lo") or ifname.startswith("dummy") or \
ifname.endswith("-base") or ifname.startswith("vbase") or \
ifname.startswith("wifi"):
return True
return False
def getInterfaces(returnAll=False, returnOne=None):
"""Reads the interface informatin from /proc"""
interfaces = []
f=open("/proc/net/dev", "r")
for l in f.readlines()[2:]:
# Parse the line
name,l = l.strip().split(":")
parts = [name] + l.split()
# Store the information
iface = {}
iface["name"] = parts[0]
# If we have a specific interface specified return only that
if returnOne is not None and iface["name"] != returnOne:
continue
# Skip 'Administrative' interfaces, the user doesn't care about them
if isAdministrativeInterface(iface["name"]) and not (returnAll or \
returnOne):
continue
# Get interface flags
t = do_ioctl(parts[0], SIOCGIFFLAGS)
if t:
iface["flags"], = struct.unpack("H", t[16:18])
else:
iface["flags"] = 0
iface["up"] = iface["flags"] & IFF_UP or False
# Skip down interfaces
if not iface["up"] and not (returnAll or returnOne):
continue
rcv = {}
rcv["bytes"] = parts[1]
rcv["packets"] = parts[2]
rcv["errs"] = parts[3]
rcv["drop"] = parts[4]
rcv["fifo"] = parts[5]
rcv["frame"] = parts[6]
rcv["compressed"] = parts[7]
rcv["multicast"] = parts[8]
iface["rcv_stats"] = rcv
tx = {}
tx["bytes"] = parts[9]
tx["packets"] = parts[10]
tx["errs"] = parts[11]
tx["drop"] = parts[12]
tx["fifo"] = parts[13]
tx["frame"] = parts[14]
tx["compressed"] = parts[15]
tx["multicast"] = parts[16]
iface["tx_stats"] = tx
t = do_ioctl(parts[0], SIOCGIFADDR)
if t:
iface["address"] = socket.inet_ntoa(t[20:24])
else:
iface["address"] = ""
t = do_ioctl(parts[0], SIOCGIFNETMASK)
if t:
iface["address"] += "/%s" % \
netmaskToBits(ipnum(socket.inet_ntoa(t[20:24])))
t = do_ioctl(parts[0], SIOCGIFHWADDR)
if t:
iface["mac"] = ""
for b in t[18:24]:
iface["mac"] += "%02x:" % ord(b)
iface["mac"] = iface["mac"][:len(iface["mac"])-1]
else:
iface["mac"] = ""
t = do_ioctl(parts[0], SIOCGIFINDEX)
if t:
iface["ifindex"] = int(struct.unpack("I",t[16:20])[0])
else:
iface["ifindex"] = -1
t = do_ioctl(parts[0], SIOCGIFMTU)
if t:
iface["mtu"] = int(struct.unpack("I",t[16:20])[0])
else:
iface["mtu"] = -1
flag_str = []