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
|
# -*- coding: utf-8 -*-
import getpass
import os
from pykolab import constants
def ask_question(question, default="", password=False):
if password:
answer = getpass.getpass("%s: " %(question))
else:
if default == "":
answer = raw_input("%s: " %(question))
else:
answer = raw_input("%s [%s]: " %(question, default))
if answer == "":
return default
else:
return answer
def ask_confirmation(question, default="y", all_inclusive_no=True):
if default in [ "y", "Y" ]:
default_answer = True
default_no = "n"
default_yes = "Y"
elif default in [ "n", "N" ]:
default_answer = True
default_no = "N"
default_yes = "y"
else:
# This is a 'yes' or 'no' question the user
# needs to provide the full yes or no for.
default_no = "'no'"
default_yes = "Please type 'yes'"
answer = False
while answer == False:
answer = raw_input("%s [%s/%s]: " %(question,default_yes,default_no))
# Parse answer and set back to False if not appropriate
if all_inclusive_no:
if not answer in [ "y", "Y", "yes" ]:
return False
else:
return True
else:
if answer in [ "y", "Y", "yes" ]:
return True
elif answer in [ "n", "N", "no" ]:
return False
elif answer == "" and not default_answer == None:
return default_answer
else:
answer = False
print >> sys.stderr, _("Please answer 'yes' or 'no'.")
def parse_input(_input, splitchars= [ ' ' ]):
"""
Split the input string using the split characters defined
in splitchars, and remove the empty list items, then unique the
list items.
Takes a string as input, and a list of characters the string should be
split with (list of delimiter characters).
"""
_parse_list = _input.split(splitchars.pop())
_output_list = []
for splitchar in splitchars:
__parse_list = []
for item in _parse_list:
__parse_list.extend(item.split(splitchar))
_parse_list = __parse_list
for item in _parse_list:
if not item == '':
if _output_list.count(item) < 1:
_output_list.append(item)
return _output_list
def pop_empty_from_list(_input_list):
_output_list = []
for item in _input_list:
if not item == '':
_output_list.append(item)
def is_service(services):
"""
Checks each item in list services to see if it has a RC script in
constants.RC_DIR to see if it's a service, and returns
the name of the service for the first service it can find. However,
it also checks whether the other services exist and issues a warning if
more then one service exists.
Usage: utils.is_service(['dirsrv', 'ldap'])
"""
_service = ''
_other_services = []
for service in services:
if os.path.isfile(os.path.join(constants.RC_DIR, service)):
if _service == '':
_service = service
else:
_other_services.append(service)
return (_service,_other_services)
|