wintest: added del_files, write_file and casefold
[nivanova/samba-autobuild/.git] / wintest / wintest.py
1 #!/usr/bin/env python
2
3 '''automated testing library for testing Samba against windows'''
4
5 import pexpect, subprocess
6 import sys, os, time, re
7
8 class wintest():
9     '''testing of Samba against windows VMs'''
10
11     def __init__(self):
12         self.vars = {}
13         self.list_mode = False
14         os.putenv('PYTHONUNBUFFERED', '1')
15
16     def setvar(self, varname, value):
17         '''set a substitution variable'''
18         self.vars[varname] = value
19
20     def setwinvars(self, vm, prefix='WIN'):
21         '''setup WIN_XX vars based on a vm name'''
22         for v in ['VM', 'HOSTNAME', 'USER', 'PASS', 'SNAPSHOT', 'BASEDN', 'REALM', 'DOMAIN']:
23             vname = '%s_%s' % (vm, v)
24             if vname in self.vars:
25                 self.setvar("%s_%s" % (prefix,v), self.substitute("${%s}" % vname))
26             else:
27                 self.vars.pop("%s_%s" % (prefix,v), None)
28
29     def info(self, msg):
30         '''print some information'''
31         if not self.list_mode:
32             print(self.substitute(msg))
33
34     def load_config(self, fname):
35         '''load the config file'''
36         f = open(fname)
37         for line in f:
38             line = line.strip()
39             if len(line) == 0 or line[0] == '#':
40                 continue
41             colon = line.find(':')
42             if colon == -1:
43                 raise RuntimeError("Invalid config line '%s'" % line)
44             varname = line[0:colon].strip()
45             value   = line[colon+1:].strip()
46             self.setvar(varname, value)
47
48     def list_steps_mode(self):
49         '''put wintest in step listing mode'''
50         self.list_mode = True
51
52     def set_skip(self, skiplist):
53         '''set a list of tests to skip'''
54         self.skiplist = skiplist.split(',')
55
56     def skip(self, step):
57         '''return True if we should skip a step'''
58         if self.list_mode:
59             print("\t%s" % step)
60             return True
61         return step in self.skiplist
62
63     def substitute(self, text):
64         """Substitute strings of the form ${NAME} in text, replacing
65         with substitutions from vars.
66         """
67         if isinstance(text, list):
68             ret = text[:]
69             for i in range(len(ret)):
70                 ret[i] = self.substitute(ret[i])
71             return ret
72
73         while True:
74             var_start = text.find("${")
75             if var_start == -1:
76                 return text
77             var_end = text.find("}", var_start)
78             if var_end == -1:
79                 return text
80             var_name = text[var_start+2:var_end]
81             if not var_name in self.vars:
82                 raise RuntimeError("Unknown substitution variable ${%s}" % var_name)
83             text = text.replace("${%s}" % var_name, self.vars[var_name])
84         return text
85
86     def have_var(self, varname):
87         '''see if a variable has been set'''
88         return varname in self.vars
89
90
91     def putenv(self, key, value):
92         '''putenv with substitution'''
93         os.putenv(key, self.substitute(value))
94
95     def chdir(self, dir):
96         '''chdir with substitution'''
97         os.chdir(self.substitute(dir))
98
99     def del_files(self, dirs):
100         '''delete all files in the given directory'''
101         for d in dirs:
102             self.run_cmd("find %s -type f | xargs rm -f" % d)
103
104     def write_file(self, filename, text, mode='w'):
105         '''write to a file'''
106         f = open(self.substitute(filename), mode=mode)
107         f.write(self.substitute(text))
108         f.close()
109
110     def run_cmd(self, cmd, dir=".", show=None, output=False, checkfail=True):
111         cmd = self.substitute(cmd)
112         if isinstance(cmd, list):
113             self.info('$ ' + " ".join(cmd))
114         else:
115             self.info('$ ' + cmd)
116         if output:
117             return subprocess.Popen([cmd], shell=True, stdout=subprocess.PIPE, stderr=subprocess.STDOUT, cwd=dir).communicate()[0]
118         if isinstance(cmd, list):
119             shell=False
120         else:
121             shell=True
122         if checkfail:
123             return subprocess.check_call(cmd, shell=shell, cwd=dir)
124         else:
125             return subprocess.call(cmd, shell=shell, cwd=dir)
126
127
128     def cmd_output(self, cmd):
129         '''return output from and command'''
130         cmd = self.substitute(cmd)
131         return self.run_cmd(cmd, output=True)
132
133     def cmd_contains(self, cmd, contains, nomatch=False, ordered=False, regex=False,
134                      casefold=False):
135         '''check that command output contains the listed strings'''
136
137         if isinstance(contains, str):
138             contains = [contains]
139
140         out = self.cmd_output(cmd)
141         self.info(out)
142         for c in self.substitute(contains):
143             if regex:
144                 m = re.search(c, out)
145                 if m is None:
146                     start = -1
147                     end = -1
148                 else:
149                     start = m.start()
150                     end = m.end()
151             elif casefold:
152                 start = out.upper().find(c.upper())
153                 end = start + len(c)
154             else:
155                 start = out.find(c)
156                 end = start + len(c)
157             if nomatch:
158                 if start != -1:
159                     raise RuntimeError("Expected to not see %s in %s" % (c, cmd))
160             else:
161                 if start == -1:
162                     raise RuntimeError("Expected to see %s in %s" % (c, cmd))
163             if ordered and start != -1:
164                 out = out[end:]
165
166     def retry_cmd(self, cmd, contains, retries=30, delay=2, wait_for_fail=False,
167                   ordered=False, regex=False, casefold=False):
168         '''retry a command a number of times'''
169         while retries > 0:
170             try:
171                 self.cmd_contains(cmd, contains, nomatch=wait_for_fail,
172                                   ordered=ordered, regex=regex, casefold=casefold)
173                 return
174             except:
175                 time.sleep(delay)
176                 retries = retries - 1
177         raise RuntimeError("Failed to find %s" % contains)
178
179     def pexpect_spawn(self, cmd, timeout=60):
180         '''wrapper around pexpect spawn'''
181         cmd = self.substitute(cmd)
182         self.info("$ " + cmd)
183         ret = pexpect.spawn(cmd, logfile=sys.stdout, timeout=timeout)
184
185         def sendline_sub(line):
186             line = self.substitute(line).replace('\n', '\r\n')
187             return ret.old_sendline(line + '\r')
188
189         def expect_sub(line, timeout=ret.timeout):
190             line = self.substitute(line)
191             return ret.old_expect(line, timeout=timeout)
192
193         ret.old_sendline = ret.sendline
194         ret.sendline = sendline_sub
195         ret.old_expect = ret.expect
196         ret.expect = expect_sub
197
198         return ret
199
200     def vm_poweroff(self, vmname, checkfail=True):
201         '''power off a VM'''
202         self.setvar('VMNAME', vmname)
203         self.run_cmd("${VM_POWEROFF}", checkfail=checkfail)
204
205     def vm_restore(self, vmname, snapshot):
206         '''restore a VM'''
207         self.setvar('VMNAME', vmname)
208         self.setvar('SNAPSHOT', snapshot)
209         self.run_cmd("${VM_RESTORE}")
210
211     def ping_wait(self, hostname):
212         '''wait for a hostname to come up on the network'''
213         hostname = self.substitute(hostname)
214         loops=10
215         while loops > 0:
216             try:
217                 self.run_cmd("ping -c 1 -w 10 %s" % hostname)
218                 break
219             except:
220                 loops = loops - 1
221         if loops == 0:
222             raise RuntimeError("Failed to ping %s" % hostname)
223         self.info("Host %s is up" % hostname)
224
225     def port_wait(self, hostname, port, retries=200, delay=3, wait_for_fail=False):
226         '''wait for a host to come up on the network'''
227         self.retry_cmd("nc -v -z -w 1 %s %u" % (hostname, port), ['succeeded'],
228                        retries=retries, delay=delay, wait_for_fail=wait_for_fail)
229
230     def run_net_time(self, child):
231         '''run net time on windows'''
232         child.sendline("net time \\\\${HOSTNAME} /set")
233         child.expect("Do you want to set the local computer")
234         child.sendline("Y")
235         child.expect("The command completed successfully")
236
237     def run_date_time(self, child, time_tuple=None):
238         '''run date and time on windows'''
239         if time_tuple is None:
240             time_tuple = time.localtime()
241         child.sendline("date")
242         child.expect("Enter the new date:")
243         child.sendline(time.strftime("%m-%d-%y", time_tuple))
244         child.expect("C:")
245         child.sendline("time")
246         child.expect("Enter the new time:")
247         child.sendline(time.strftime("%H:%M:%S", time_tuple))
248         child.expect("C:")
249
250
251     def open_telnet(self, hostname, username, password, retries=60, delay=5, set_time=False):
252         '''open a telnet connection to a windows server, return the pexpect child'''
253         while retries > 0:
254             child = self.pexpect_spawn("telnet " + hostname + " -l '" + username + "'")
255             i = child.expect(["Welcome to Microsoft Telnet Service",
256                               "No more connections are allowed to telnet server",
257                               "Unable to connect to remote host",
258                               "No route to host"])
259             if i != 0:
260                 child.close()
261                 time.sleep(delay)
262                 retries -= 1
263                 continue
264             child.expect("password:")
265             child.sendline(password)
266             child.expect("C:")
267             if set_time:
268                 self.run_date_time(child, None)
269             return child
270         raise RuntimeError("Failed to connect with telnet")
271
272     def kinit(self, username, password):
273         '''use kinit to setup a credentials cache'''
274         self.run_cmd("kdestroy")
275         self.putenv('KRB5CCNAME', "${PREFIX}/ccache.test")
276         username = self.substitute(username)
277         s = username.split('@')
278         if len(s) > 0:
279             s[1] = s[1].upper()
280         username = '@'.join(s)
281         child = self.pexpect_spawn('kinit -V ' + username)
282         child.expect("Password for")
283         child.sendline(password)
284         child.expect("Authenticated to Kerberos")