-
Notifications
You must be signed in to change notification settings - Fork 2
/
pm_crmgen.py
executable file
·2289 lines (2200 loc) · 77.8 KB
/
pm_crmgen.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/python
# -*- coding: utf-8 -*-
# pm_crmgen : Pacemaker crm-file generator
#
# Copyright (C) 2010 NIPPON TELEGRAPH AND TELEPHONE CORPORATION
#
# This program is free software; you can redistribute it 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 program 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, write to the Free Software
# Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
#
import os
import sys
import codecs
import re
import csv
from optparse import OptionParser
from xml.dom.minidom import getDOMImplementation
CODE_PLATFORM = 'utf-8'
CODE_OUTFILE = 'utf-8'
# コメント開始文字
COMMENT_CHAR = '#'
# 表ヘッダ列番号
TBLHDR_POS = 1
# 内部モード識別子(処理中の表を識別)
M_NODE = 'Node'
M_PROPERTY = 'Property'
M_RSCDEFAULTS = 'RscDefaults'
M_OPDEFAULTS = 'OpDefaults'
M_RESOURCES = 'Resources'
M_ATTRIBUTES = 'Attributes'
M_PRIMITIVE = 'Primitive'
M_LOCATION = 'Location'
M_LOCEXPERT = 'LocExpert'
M_COLOCATION = 'Colocation'
M_ORDER = 'Order'
M_FTOPO = 'FTopo'
M_TICKET = 'Ticket'
M_CONFIG = 'Config'
M_ALERT = 'Alert'
# {表ヘッダ文字列: 内部モード識別子}
MODE_TBL = {
'node': M_NODE,
'property': M_PROPERTY,
'rsc_defaults': M_RSCDEFAULTS,
'op_defaults': M_OPDEFAULTS,
'resources': M_RESOURCES,
'rsc_attributes': M_ATTRIBUTES,
'primitive': M_PRIMITIVE,
'location': M_LOCATION,
'location_expert': M_LOCEXPERT,
'colocation': M_COLOCATION,
'order': M_ORDER,
'fencing_topology': M_FTOPO,
'rsc_ticket': M_TICKET,
'additional_config': M_CONFIG,
'alert': M_ALERT
}
M_SKIP = 'skip' # 次の表ヘッダまでスキップ
# M_PRIMITIVEのサブモード
PRIM_PROP = 'p' # Prop(erty)
PRIM_ATTR = 'a' # Attr(ibutes)
PRIM_OPER = 'o' # Oper(ation)
PRIM_MODE = [PRIM_PROP,PRIM_ATTR,PRIM_OPER]
# M_ALERTのサブモード
ALRT_PATH = 'p' # Path
ALRT_ATTR = 'a' # Attr(ibutes)
ALRT_RECI = 'r' # Reci(pient)
ALRT_MODE = [ALRT_PATH,ALRT_ATTR,ALRT_RECI]
# 必須列名
RQCLM_TBL = {
(M_NODE,None): ['uname','ptype','name','value'],
(M_PROPERTY,None): ['name','value'],
(M_RSCDEFAULTS,None): ['name','value'],
(M_OPDEFAULTS,None): ['name','value'],
(M_RESOURCES,None): ['resourceitem','id'],
(M_ATTRIBUTES,None): ['id','type','name','value'],
(M_PRIMITIVE,PRIM_PROP): ['id','class','provider','type'],
(M_PRIMITIVE,PRIM_ATTR): ['type','name','value'],
(M_PRIMITIVE,PRIM_OPER): ['type'],
(M_LOCATION,None): ['rsc'],
(M_LOCEXPERT,None): ['rsc','score','bool_op','attribute','op','value'],
(M_COLOCATION,None): ['rsc','with-rsc','score'],
(M_ORDER,None): ['first-rsc','then-rsc','score'],
(M_FTOPO,None): ['node','rsc','index'],
(M_TICKET,None): ['ticket','rsc'],
(M_CONFIG,None): ['config'],
(M_ALERT,ALRT_PATH): ['path'],
(M_ALERT,ALRT_ATTR): ['type','name','value'],
(M_ALERT,ALRT_RECI): ['recipient']
}
# 非必須列名
CLM_NODE = ['ntype']
CLM_PRIM_ATTR = ['rule']
CLM_LOCEXPERT = ['role','id_spec']
CLM_COLOCATION = ['rsc-role','with-rsc-role']
CLM_ORDER = ['first-action','then-action','symmetrical']
CLM_TICKET = ['role','loss-policy']
# 種別
RESOURCE_TYPE = ['primitive','group','clone','ms','master']
ATTRIBUTE_TYPE = ['params','meta']
NODE_ATTR_TYPE = ['attributes','utilization']
PRIM_ATTR_TYPE = ['params','meta','utilization','operations']
ALRT_ATTR_TYPE = ['attributes','meta']
# unary_op
UNARY_OP = ['defined','not_defined']
# INFINITYを示す文字列(出力時に使用)
SCORE_INFINITY = 'INFINITY'
# ping[d]/diskd使用時に生成するcolocationのスコア値
SCORE_PD_COLOCATION = SCORE_INFINITY
# crmファイルに出力するコメント
COMMENT_TBL = {
'node': '### Cluster Node ###',
'property': '### Cluster Option ###',
'rsc_defaults': '### Resource Defaults ###',
'op_defaults': '### Operations Defaults ###',
'primitive': '### Primitive Configuration ###',
'group': '### Group Configuration ###',
'clone': '### Clone Configuration ###',
'ms': '### Master/Slave Configuration ###',
'location': '### Resource Location ###',
'colocation': '### Resource Colocation ###',
'order': '### Resource Order ###',
'ftopo': '### Fencing Topology ###',
'ticket': '### Resource Ticket ###',
'config': '### Additional Config ###',
'alert': '### Alert Configuration ###'
}
# エラー/警告が発生した場合、Trueに設定する
errflg = False
warnflg = False
# テンポラリ的に使用
errflg2 = False
class Crm:
ATTR_STATE = '_s'
ATTR_CREATED = '_c'
ATTR_UPDATED = '_u'
mode = None,None
pcr = [] # 親子関係 (parent and child relationship)
attrd = {}
rr = None # XMLドキュメント (<resources>...</resources>のroot要素を指しておく)
xr = None # XMLドキュメント (テンポラリ作業用。root要素を指しておく)
xc = None # XMLドキュメントの作業中の要素を指しておく
lineno = 0
req_recipient = False # Alert表のrecipient列にデータが必要な状態の間、Trueを設定
def __init__(self):
self.input = None
self.output = sys.stdout
self.add_colocation = True
self.add_order = True
self.add_bracket = False
if not self.optionParser():
sys.exit(1)
try:
s = []
for x in sys.argv:
s.append(unicode(x,CODE_PLATFORM))
except Exception,msg:
log.innererr(u'コマンドライン文字列のUnicodeへの変換に失敗しました。',msg)
log.quitmsg(1)
sys.exit(1)
log.info(u'実行コマンドライン [%s]'%' '.join(s))
try:
self.doc = getDOMImplementation().createDocument(None,'crm',None)
self.root = self.doc.documentElement
except Exception,msg:
log.innererr(u'DOM文書オブジェクトの生成に失敗しました。',msg)
log.quitmsg(1)
sys.exit(1)
'''
オプション解析
[引数]
なし
[戻り値]
True : OK
False : NG(不正なオプションあり)
'''
def optionParser(self):
usage = '%prog [options] CSV_FILE'
version = '2.2'
description = " character encoding of supported CSV_FILE are 'UTF-8' and 'Shift_JIS'"
prog = 'pm_crmgen'
p = OptionParser(usage=usage,version=version,description=description,prog=prog)
p.add_option('-o',dest='output_file',
help='output generated crm-file to the named file (default: stdout)')
p.add_option('-V',action='count',dest='loglevel',default=Log.ERROR,
help='turn on debug info. additional instances increase verbosity')
s = ' related to the ping[d]/diskd (in LOCATION table) is NOT generated'
p.add_option('-C',action='store_false',dest='add_colocation',default=True,
help='colocation constraint' + s)
p.add_option('-O',action='store_false',dest='add_order',default=True,
help='order constraint' + s)
p.add_option('-b',action='store_true',dest='add_bracket',default=False,
help='each recipient of alert configuration is delimited by brackets')
try:
opts,args = p.parse_args()
except SystemExit,retcode:
if str(retcode) != '0':
return False
sys.exit(0)
except Exception:
log.stderr(u'オプションの解析に失敗しました。\n')
return False
if len(args) != 1:
if len(args) == 0:
log.stderr(u'CSVファイルが指定されていません。\n\n')
else:
log.stderr(u'CSVファイルが複数指定されています。\n\n')
p.print_help(sys.stderr)
return False
try:
self.input = unicode(args[0],CODE_PLATFORM)
log.printitem_file = os.path.basename(self.input)
if opts.output_file:
self.output = unicode(opts.output_file,CODE_PLATFORM)
except Exception:
log.stderr(u'ファイル名のUnicodeへの変換に失敗しました。\n')
return False
log.level = opts.loglevel
self.add_colocation = opts.add_colocation
self.add_order = opts.add_order
self.add_bracket = opts.add_bracket
return True
def skip_mode(self,flg):
if flg:
self.mode = M_SKIP,self.mode[1]
'''
表ヘッダ解析
[引数]
csvl : CSVファイル1行分のリスト
[戻り値]
True : OK
False : NG
'''
def analyze_header_tbl(self,csvl):
data = csvl[TBLHDR_POS].lower()
if self.mode[0] == M_PRIMITIVE and data in PRIM_MODE:
if (not self.mode[1] and data != PRIM_PROP or
self.mode[1] and data == PRIM_PROP):
log.fmterr_l(u'Primitiveリソース表の定義が正しくありません。')
self.skip_mode(True)
return True
self.mode = self.mode[0],data
log.debug_l(u'サブモードを[%s]にセットしました。'%self.mode[1])
if self.mode[1] == PRIM_ATTR:
self.attrd = {}
return True
elif self.mode[0] == M_ALERT and data in ALRT_MODE:
if (not self.mode[1] and data != ALRT_PATH or
self.mode[1] and data == ALRT_PATH):
log.fmterr_l(u'Alert設定表の定義が正しくありません。')
self.skip_mode(True)
return True
self.mode = self.mode[0],data
log.debug_l(u'サブモードを[%s]にセットしました。'%self.mode[1])
if self.mode[1] == ALRT_ATTR:
self.attrd = {}
elif self.mode[1] == ALRT_RECI:
self.req_recipient = True
return True
elif self.mode[0] == M_SKIP and (data in PRIM_MODE or data in ALRT_MODE):
log.debug_l(u'エラー検知中のためサブモード[%s]はスキップします。'%data)
return True
x = MODE_TBL.get(data)
if not x:
log.fmterr_l(u'未定義の表ヘッダ [%s](%s) が設定されています。'
%(csvl[TBLHDR_POS],pos2clm(TBLHDR_POS)))
return False
self.mode = x,None
log.debug_l(u'処理モードを[%s]にセットしました。'%self.mode[0])
self.pcr = []; self.attrd = {}; self.xr = None; self.xc = None
self.req_recipient = False
return True
'''
列ヘッダ解析
[引数]
csvl : CSVファイル1行分のリスト
clmd : 列情報([列名: 列番号])を保持する辞書
RIl : resourceItem列(番号)を保持するリスト
[戻り値]
True : OK
False : NG
'''
def analyze_header_clm(self,csvl,clmd,RIl):
ITEM_RI = 'resourceitem'
def is_RI(clm):
return (self.mode[0] == M_RESOURCES and clm == ITEM_RI)
def get_location_clm(clm):
x = clm.split(':')
if clm.lower().startswith('score:') and len(x) == 2 and x[1]:
return 'score:%s'%self.score_validate(x[1])
elif clm.lower().startswith('ping:') and len(x) == 3 and x[1] and x[2]:
return 'ping:%s:%s'%(x[1],x[2])
elif clm.lower().startswith('pingd:') and len(x) == 3 and x[1] and x[2]:
return 'pingd:%s:%s'%(x[1],x[2])
elif clm.lower().startswith('diskd:') and len(x) == 2 and x[1]:
return 'diskd:%s'%x[1]
def output_msg(k,x,lpc,start,msgno):
while range(lpc):
i = clml.index(k,start)
if msgno == 1:
log.fmterr_l(
u"'%s'列が複数設定されています。(%sと%s)"%(k,pos2clm(x),pos2clm(i)))
elif msgno == 2:
s = u'未定義の列 [%s](%s) が設定されています。'%(csvl[i],pos2clm(i))
if self.mode[0] == M_LOCATION:
log.fmterr_l(s)
else:
log.warn_l(s)
start = i+1
lpc -= 1
global errflg2; errflg2 = False
if self.mode == (M_PRIMITIVE,None):
log.fmterr_l(u'Primitiveリソース表の定義が正しくありません。')
self.skip_mode(True)
return True
elif self.mode == (M_ALERT,None):
log.fmterr_l(u'Alert設定表の定義が正しくありません。')
self.skip_mode(True)
return True
clml = csvl[:]
rql = RQCLM_TBL[self.mode][:]
for i,data in [(i,x) for (i,x) in enumerate(csvl) if i > TBLHDR_POS and x]:
clm = data.lower()
if is_RI(clm):
RIl.append(i)
elif self.mode[1] == PRIM_OPER and clm not in RQCLM_TBL[self.mode]:
rql.append(data)
clm = data
elif self.mode[0] == M_LOCATION and clm not in RQCLM_TBL[self.mode]:
x = get_location_clm(data)
if x:
rql.append(x)
clm = x
elif (self.mode[0] == M_NODE and clm in CLM_NODE or
self.mode[1] == PRIM_ATTR and clm in CLM_PRIM_ATTR or
self.mode[0] == M_LOCEXPERT and clm in CLM_LOCEXPERT or
self.mode[0] == M_COLOCATION and clm in CLM_COLOCATION or
self.mode[0] == M_ORDER and clm in CLM_ORDER or
self.mode[0] == M_TICKET and clm in CLM_TICKET):
rql.append(clm)
if clm not in clmd:
clmd[clm] = i
clml[i] = clm
for x in [x for x in rql if x not in clmd]:
log.fmterr_l(u"'%s'列が設定されていません。"%x)
l = dict2list(clmd)
for k,x,cnt in [(k,x,clml.count(k)) for (k,x) in l if clml.count(k) > 1]:
if k in rql and not is_RI(k):
output_msg(k,x,cnt-1,x+1,1)
for k,x,cnt in [(k,x,clml.count(k)) for (k,x) in l if k not in rql]:
output_msg(k,x,cnt,x,2)
del clmd[k] # 不要な列
for x in [x for (k,x) in dict2list(clmd) if has_non_ascii(k)]:
log.warn_l(u'列定義に全角文字が含まれています。[%s](%s)'%(csvl[x],pos2clm(x)))
if self.mode[0] == M_RESOURCES:
if errflg2:
return False
if RIl[0] < clmd['id'] < RIl[len(RIl)-1]:
log.fmterr_l(u'リソース構成表の定義が正しくありません。')
return False
del clmd[ITEM_RI]
self.skip_mode(errflg2)
return True
'''
有効データの有無チェック
[引数]
csvl : CSVファイル1行分のリスト
clmd : 列情報([列名: 列番号])を保持する辞書
RIl : resourceItem列(番号)を保持するリスト
[戻り値]
True : 有効なデータあり
False : 有効なデータなし
'''
def line_validate(self,csvl,clmd=None,RIl=None):
def has_non_ascii_data(pos):
for x in [x for x in pos if has_non_ascii(csvl[x])]:
log.warn_l(
u'設定値に全角文字が含まれています。[%s](%s)'%(csvl[x],pos2clm(x)))
if clmd:
# 実データの列数が列ヘッダのそれより少ない場合
while range((max(clmd.values())+1) - len(csvl)):
csvl.append('') # 不足分
if [x for x in clmd.values() if csvl[x]] or [x for x in RIl if csvl[x]]:
has_non_ascii_data(RIl)
has_non_ascii_data(dict2list(clmd,True))
return True
log.debug_l(u'実データが設定されていません。')
return False
else:
if not csvl:
log.debug_l(u'改行のみの行です。')
return False
elif csvl[0]:
if csvl[0].startswith(COMMENT_CHAR):
log.debug_l(u'コメントの行です。')
return False
log.debug_l(u'列Aに#以外から始まる文字列が設定されています。')
if len(csvl) == csvl.count('') or len(csvl) <= TBLHDR_POS:
log.debug_l(u'データなし行です。')
return False
return True
def bool_validate(self,bool,pos):
if not bool:
return
if bool.lower() in ['yes','y','true']:
return 'true'
elif bool.lower() in ['no','n','false']:
return 'false'
log.warn_l(u'無効な値 [%s](%s) が設定されています。'%(bool,pos2clm(pos)))
def score_validate(self,score):
if not score:
return
x = score.lower()
if re.match('^[+-]?(inf|infinity)$',x) is not None:
return x.replace('infinity',SCORE_INFINITY).replace('inf',SCORE_INFINITY)
return score
'''
crmファイル生成(【CSV】->【XML】->【crmコマンド】)
1.【CSV】データを「全て」読み込んで、【XML】形式にして保持
2.【XML】から【crmコマンド】を生成し、出力
[引数]
なし
[戻り値]
0 : 正常終了
1 : エラー発生
2 : 警告発生
'''
def generate(self):
log.debug_f(u'crmファイル生成処理を開始します。')
log.debug_f(u'[ CSV -> XML ]処理を開始します。')
try:
fd = open(self.input,'rU')
except Exception,msg:
log.error(u'ファイルのオープンに失敗しました。[%s]'%self.input)
log.error(msg)
return 1
try:
code_infile = detect_char(fd.read())
if not code_infile:
fd.close()
return 1
fd.seek(0)
csvReader = csv.reader(fd)
except Exception,msg:
log.error(u'ファイルの読み込みに失敗しました。[%s]'%self.input)
log.error(msg)
return 1
while True:
try:
self.lineno = log.printitem_lineno = self.lineno + 1
csvlr = csvReader.next()
csvl = csvlr[:]
except StopIteration:
break # 終端
except Exception,msg:
log.error(u'ファイルの読み込みに失敗しました。[%s]'%self.input)
log.error(msg)
return 1
if (not unicode_listitem(csvl,code_infile,True) or
not unicode_listitem(csvlr,code_infile,False)):
fd.close()
return 1
if not self.line_validate(csvl):
continue
#
# 表ヘッダ解析
#
if csvl[TBLHDR_POS]:
log.debug_l(u'表ヘッダ解析処理を開始します。')
if not self.analyze_header_tbl(csvl):
break
clmd = {}; RIl = []
if not self.mode[1]:
continue
if self.mode[0] == M_SKIP:
log.debug_l(u'次の表ヘッダ行までスキップします。')
continue
#
# 列ヘッダ解析
#
if self.mode[0] and not clmd:
log.debug_l(u'列ヘッダ解析処理を開始します。')
if not self.analyze_header_clm(csvl,clmd,RIl):
break
continue
#
# 実データ解析
#
if not self.mode[0]:
log.fmterr_l(u'表ヘッダが設定されていません。')
fd.close()
return 1
if not self.line_validate(csvl,clmd,RIl):
continue
if not self.csv2xml(clmd,RIl,csvl,csvlr):
break
if not errflg:
self.xml_check_resources()
if errflg:
fd.close()
self.xml_debug()
return 1
try:
fd.close()
except Exception,msg:
log.error(u'ファイルのクローズに失敗しました。[%s]'%self.input)
log.error(msg)
return 1
if self.root.hasChildNodes():
self.xml_debug()
log.debug_f(u'[ XML -> crmコマンド ]処理を開始します。')
if not self.write(self.xml2crm()):
return 1
else:
log.warn(u'CSVファイルが不正です。(有効なデータが設定されていません。)')
log.debug_f(u'crmファイル生成処理を終了します。')
if warnflg:
return 2
return 0
def csv2xml(self,clmd,RIl,csvl,csvlr):
if self.mode[0] == M_NODE:
log.debug_l(u'クラスタ・ノード表のデータを処理します。')
self.debug_input(clmd,RIl,csvl)
self.skip_mode(not self.csv2xml_node(clmd,csvl))
elif self.mode[0] == M_PROPERTY:
log.debug_l(u'クラスタ・プロパティ表のデータを処理します。')
self.debug_input(clmd,RIl,csvl)
self.csv2xml_option('property',clmd,csvl)
elif self.mode[0] == M_RSCDEFAULTS:
log.debug_l(u'リソース・デフォルト表のデータを処理します。')
self.debug_input(clmd,RIl,csvl)
self.csv2xml_option('rsc_defaults',clmd,csvl)
elif self.mode[0] == M_OPDEFAULTS:
log.debug_l(u'オペレーション・デフォルト表のデータを処理します。')
self.debug_input(clmd,RIl,csvl)
self.csv2xml_option('op_defaults',clmd,csvl)
elif self.mode[0] == M_RESOURCES:
log.debug_l(u'リソース構成表のデータを処理します。')
self.debug_input(clmd,RIl,csvl)
return self.csv2xml_resources(clmd,RIl,csvl)
elif self.mode[0] == M_ATTRIBUTES:
log.debug_l(u'リソース構成パラメータ表のデータを処理します。')
self.debug_input(clmd,RIl,csvl)
self.skip_mode(not self.csv2xml_attributes(clmd,csvl))
elif self.mode[0] == M_PRIMITIVE:
log.debug_l(u'Primitiveリソース表のデータを処理します。')
self.debug_input(clmd,RIl,csvl)
self.skip_mode(not self.csv2xml_primitive(clmd,csvl))
elif self.mode[0] == M_LOCATION:
log.debug_l(u'リソース配置制約表のデータを処理します。')
self.debug_input(clmd,RIl,csvl)
self.csv2xml_location(clmd,csvl)
elif self.mode[0] == M_LOCEXPERT:
log.debug_l(u'リソース配置制約(エキスパート)表のデータを処理します。')
self.debug_input(clmd,RIl,csvl)
self.skip_mode(not self.csv2xml_locexpert(clmd,csvl))
elif self.mode[0] == M_COLOCATION:
log.debug_l(u'リソース同居制約表のデータを処理します。')
self.debug_input(clmd,RIl,csvl)
self.csv2xml_colocation(clmd,csvl)
elif self.mode[0] == M_ORDER:
log.debug_l(u'リソース起動順序制約表のデータを処理します。')
self.debug_input(clmd,RIl,csvl)
self.csv2xml_order(clmd,csvl)
elif self.mode[0] == M_FTOPO:
log.debug_l(u'STONITHの実行順序表のデータを処理します。')
self.debug_input(clmd,RIl,csvl)
self.csv2xml_ftopo(clmd,csvl)
elif self.mode[0] == M_TICKET:
log.debug_l(u'リソースチケット制約表のデータを処理します。')
self.debug_input(clmd,RIl,csvl)
self.csv2xml_ticket(clmd,csvl)
elif self.mode[0] == M_CONFIG:
log.debug_l(u'追加設定表のデータを処理します。')
self.debug_input(clmd,RIl,csvlr)
self.csv2xml_config(clmd,csvlr)
elif self.mode[0] == M_ALERT:
log.debug_l(u'Alert設定表のデータを処理します。')
self.debug_input(clmd,RIl,csvl)
self.skip_mode(not self.csv2xml_alert(clmd,csvl))
return True
'''
クラスタ・ノード表データのXML化
[引数]
clmd : 列情報([列名: 列番号])を保持する辞書
csvl : CSVファイル1行分のリスト
[戻り値]
True : OK
False : NG(フォーマット・エラー)
'''
def csv2xml_node(self,clmd,csvl):
global errflg2; errflg2 = False
changed = False
uname = csvl[clmd['uname']]
if uname:
self.attrd = {}
self.attrd['uname'] = uname; changed = True
else:
uname = self.attrd.get('uname')
if not uname:
log.fmterr_l(u"'uname'列に値が設定されていません。")
ntype = ''
if 'ntype' in clmd:
ntype = csvl[clmd['ntype']]
if ntype and changed:
self.attrd['ntype'] = ntype
elif ntype and not changed and uname:
log.warn_l(u"'ntype'列に値が設定されています。")
ntype = self.attrd.get('ntype','')
elif not ntype and not changed:
ntype = self.attrd.get('ntype','')
ptype = csvl[clmd['ptype']].lower()
if ptype and ptype not in NODE_ATTR_TYPE:
log.fmterr_l(u'未定義のパラメータ種別 [ptype: %s] が設定されています。'
%csvl[clmd['ptype']])
if not ptype:
ptype = self.attrd.get('ptype','')
name = csvl[clmd['name']]
value = csvl[clmd['value']]
if not ptype and (name or value):
log.fmterr_l(u"'ptype'列に値が設定されていません。")
self.attrd['ptype'] = ptype
x = self.xml_get_node(self.root,'nodes')
for node in self.xml_get_nodes(x,'node','uname',uname):
if node.getAttribute('ntype') == ntype:
break
else:
node = None
self.xml_check_nv(node,ptype,name,value)
if errflg2:
return False
#
# Example:
# <crm>
# <nodes>
# <node uname="pm01" ntype="normal">
# <attributes>
# <nv name="standby" value="off"/>
# :
# <utilization>
# <nv name="capacity" value="1"/>
# :
#
if not node:
node = self.xml_create_child(x,'node')
node.setAttribute('uname',uname)
if ntype:
node.setAttribute('ntype',ntype)
if ptype:
self.xml_append_nv(self.xml_get_node(node,ptype),name,value)
return True
'''
クラスタ・プロパティ/リソース、オペレーション・デフォルト表データのXML化
[引数]
tag : データ(<nv .../>)を追加するNodeのタグ名
clmd : 列情報([列名: 列番号])を保持する辞書
csvl : CSVファイル1行分のリスト
[戻り値]
True : OK
False : NG(フォーマット・エラー)
'''
def csv2xml_option(self,tag,clmd,csvl):
global errflg2; errflg2 = False
name = csvl[clmd['name']]
value = csvl[clmd['value']]
self.xml_check_nv(self.root,tag,name,value)
if errflg2:
return False
#
# Example:
# <crm>
# <property>
# <nv name="no-quorum-policy" value="ignore"/>
# :
# <rsc_defaults>
# <nv name="resource-stickiness" value="INFINITY"/>
# :
# <op_defaults>
# <nv name="record-pending" value="true"/>
# :
#
return self.xml_append_nv(self.xml_get_node(self.root,tag),name,value)
'''
リソース構成表データのXML化
[引数]
clmd : 列情報([列名: 列番号])を保持する辞書
RIl : resourceItem列(番号)を保持するリスト
csvl : CSVファイル1行分のリスト
[戻り値]
True : OK
False : NG(フォーマット・エラー)
'''
def csv2xml_resources(self,clmd,RIl,csvl):
global errflg2; errflg2 = False
pos = 0
x = [x for x in RIl if csvl[x]]
if len(x) == 0:
log.fmterr_l(u"'resourceItem'列に値が設定されていません。")
elif len(x) > 1:
log.fmterr_l(u"複数の'resourceItem'列に値が設定されています。")
elif csvl[x[0]].lower() not in RESOURCE_TYPE:
log.fmterr_l(
u'未定義のリソース種別 [type: %s] が設定されています。'%csvl[x[0]])
else:
pos = x[0]
if csvl[pos].lower() == 'master':
csvl[pos] = 'ms'
ri = csvl[pos].lower()
log.debug1_l('rsc_config: - %s'%self.pcr)
depth = -1
if pos > 0:
if self.pcr:
for i in [i for (i,x) in enumerate(RIl[:len(self.pcr)+1]) if x == pos]:
depth = i
elif csvl[RIl[0]]:
depth = 0
if pos > 0 and depth == -1:
log.fmterr_l(u"'resourceItem'列 (リソース構成) の設定に誤りがあります。")
elif depth > 0:
p_rt,p_id = self.pcr[depth-1]
# primitive - (doesn't contain a resource)
# group - primitive
# clone - {primitive|group}
# ms - {primitive|group}
if (p_rt == 'primitive' or p_rt == 'group' and ri != 'primitive' or
p_rt in ['clone','ms'] and ri not in ['primitive','group']):
log.fmterr_l(u"リソース種別 ('resourceItem'列) の設定に誤りがあります。")
rscid = csvl[clmd['id']]
if not rscid:
log.fmterr_l(u"'id'列に値が設定されていません。")
elif self.rr:
for x in [x for x in self.rr.childNodes if x.getAttribute('id') == rscid]:
log.fmterr_l(u'[id: %s] のリソースは既に設定されています。(%s行目)'
%(rscid,x.getAttribute(self.ATTR_CREATED)))
if errflg2:
return False
#
# Example:
# <crm>
# <resources>
# <group id="grpPg">
# <rsc id="prmEx"/>
# <rsc id="prmFs"/>
# <rsc id="prmIp"/>
# <rsc id="prmPg"/>
# </group>
# <primitive id="prmEx"/>
# <primitive id="prmFs"/>
# <primitive id="prmIp"/>
# <primitive id="prmPg"/>
# </resources>
#
if not self.rr:
self.rr = self.xml_create_child(self.root,'resources')
# 「<primitive|group|clone|ms id="xxx"/>」を追加
x = self.xml_create_child(self.rr,ri)
x.setAttribute('id',rscid)
x.setAttribute(self.ATTR_CREATED,str(self.lineno))
del self.pcr[depth:]
self.pcr.append((ri,rscid))
log.debug1_l('rsc_config: + %s'%self.pcr)
if depth == 0:
return True
# 親子関係である場合は「<group|clone|ms>」の子として、
x = self.xml_get_nodes(self.rr,p_rt,'id',p_id)[0]
# 「<rsc id="yyy"/>」を追加
self.xml_create_child(x,'rsc').setAttribute('id',rscid)
return True
'''
リソース構成パラメータ表データのXML化
[引数]
clmd : 列情報([列名: 列番号])を保持する辞書
csvl : CSVファイル1行分のリスト
node : データ(<params>/<meta>/<utilization>/<operations>...)を追加するNode
※Primitiveリソース表の処理時に指定される
[戻り値]
True : OK
False : NG(フォーマット・エラー)
'''
def csv2xml_attributes(self,clmd,csvl,node=None):
global errflg2; errflg2 = False
changed = False
if not node:
rscid = csvl[clmd['id']]
if rscid:
self.attrd['id'] = rscid; changed = True
else:
rscid = self.attrd.get('id')
if not rscid:
log.fmterr_l(u"'id'列に値が設定されていません。")
node = self.xml_get_rscnode(rscid)
types = ATTRIBUTE_TYPE
else:
types = PRIM_ATTR_TYPE
atype = csvl[clmd['type']].lower()
if atype:
if atype in types:
self.attrd['type'] = atype
if 'rule' in clmd:
self.attrd['rule'] = csvl[clmd['rule']]
else:
log.fmterr_l(u'未定義のパラメータ種別 [type: %s] が設定されています。'
%csvl[clmd['type']])
else:
if changed or not self.attrd.get('type'):
log.fmterr_l(u"'type'列に値が設定されていません。")
else:
atype = self.attrd['type']
name = csvl[clmd['name']]
value = csvl[clmd['value']]
x = None
rule = self.attrd.get('rule','')
if rule:
if node.getElementsByTagName(atype):
rules = self.xml_get_nodes(node.getElementsByTagName(atype)[0],'rule','data',rule)
if rules: x = rules[0]
self.xml_check_nv_in_rule(x,name,value,node.getAttribute('id'),atype)
else:
self.xml_check_nv(node,atype,name,value)
if errflg2:
return False
#
# Example:
# <crm>
# <resources>
# <clone id="clnPing" ...>
# <meta>
# <nv name="clone-max" value="2"/>
# :
# <primitive id="prmEx" ...>
# <params>
# <rule data="...">
# <nv name="device" value="/dev/xvdb0"/>
# </rule>
# <nv name="device" value="/dev/xvdb1"/>
# :
# <utilization>
# <nv name="capacity" value="1"/>
# :
# <operations>
# <nv name="$id" value="opEx"/>
# :
#
if not x:
x = self.xml_get_node(node,atype)
if rule:
x = self.xml_create_child(x,'rule')
x.setAttribute('data',rule)
return self.xml_append_nv(x,name,value)
'''
Primitiveリソース表データのXML化
[引数]
clmd : 列情報([列名: 列番号])を保持する辞書
csvl : CSVファイル1行分のリスト
[戻り値]
True : OK
False : NG(フォーマット・エラー)
'''
def csv2xml_primitive(self,clmd,csvl):
global errflg2; errflg2 = False
if self.mode[1] == PRIM_PROP and not self.xr:
rscid = csvl[clmd['id']]
if rscid:
self.xr = self.xml_get_rscnode(rscid,'primitive')
if self.xr and self.xr.getAttribute(self.ATTR_UPDATED):
log.fmterr_l(
u'[id: %s] のPrimitiveリソース表は既に設定されています。(%s行目)'
%(rscid,self.xr.getAttribute(self.ATTR_UPDATED)))
elif self.xr:
self.xr.setAttribute(self.ATTR_UPDATED,str(self.lineno))
else:
log.fmterr_l(u"'id'列に値が設定されていません。")
if not csvl[clmd['type']]:
log.fmterr_l(u"'type'列に値が設定されていません。")
if not csvl[clmd['class']] and csvl[clmd['provider']]:
log.fmterr_l(u"'class'列に値が設定されていません。")
elif self.mode[1] == PRIM_PROP:
log.fmterr_l(u'Primitiveリソース表の定義が正しくありません。')
elif self.mode[1] != PRIM_PROP and not self.xr:
log.fmterr_l(u"表に「リソースID」('id'列に値) が設定されていません。")
elif self.mode[1] == PRIM_ATTR:
if 'rule' in clmd and csvl[clmd['rule']] and not csvl[clmd['type']]:
log.fmterr_l(u"'type'列に値が設定されていません。")
elif self.mode[1] == PRIM_OPER:
optype = csvl[clmd['type']]
if not optype:
log.fmterr_l(u"'type'列に値が設定されていません。")
if errflg2:
return False
#
# Example:
# <crm>
# <resources>
# <primitive id="prmEx" class="ocf" provider="heartbeat" type="sfex">
# <params> ...</params>
# <meta> ...</meta>
# <utilization>...</utilization>
# <operations> ...</operations>
# <op>
# <start>
# <nv name="interval" value="0s"/>
# :
# <monitor>
# :
#
if self.mode[1] == PRIM_PROP:
for x in [x for x in RQCLM_TBL[self.mode] if csvl[clmd[x]]]:
self.xr.setAttribute(x,csvl[clmd[x]])
elif self.mode[1] == PRIM_ATTR:
return self.csv2xml_attributes(clmd,csvl,self.xr)
elif self.mode[1] == PRIM_OPER:
o = self.xml_create_child(self.xml_get_node(self.xr,'op'),optype)
for k,x in clmd.items():
if k in RQCLM_TBL[self.mode] or not csvl[x]:
continue
self.xml_append_nv(o,k,csvl[x])
return True
'''
リソース配置制約表データのXML化
[引数]
clmd : 列情報([列名: 列番号])を保持する辞書
csvl : CSVファイル1行分のリスト
[戻り値]
True : OK
False : NG(フォーマット・エラー)
'''
def csv2xml_location(self,clmd,csvl):
def set_attr(tup):
if not self.xml_need2xml_constraint('location',tup):
return False
a = self.xml_create_child(tup[0],'rule')
for k,x in tup[1].items():
a.setAttribute(k,x)
a.setAttribute(self.ATTR_CREATED,'%s %s'%(self.lineno,tup[2]))
return True
global errflg2; errflg2 = False
rsc = csvl[clmd['rsc']]
if rsc:
self.xml_get_rscnode(rsc)
else:
log.fmterr_l(u"'rsc'列に値が設定されていません。")
if errflg2:
return True
#
# Example:
# <crm>
# <locations>
# <location rsc="grpPg">
# <rule type="uname" score="200" node="pm01"/>
# <rule type="uname" score="100" node="pm02"/>
# <rule type="ping" score="-INFINITY" attr="default_ping_set" value="100"/>
# <rule type="diskd" score="-INFINITY" attr="diskcheck_status"/>
# <rule type="diskd" score="-INFINITY" attr="diskcheck_status_internal"/>
# </location>
#
l = self.xml_get_nodes(self.root,'location','rsc',rsc)
if l:
l = l[0]
else:
l = self.doc.createElement('location')
l.setAttribute('rsc',rsc)