Statistics
| Branch: | Tag: | Revision:

root / qa / qa_utils.py @ e6ce18ac

History | View | Annotate | Download (5.6 kB)

1
#
2
#
3

    
4
# Copyright (C) 2007 Google Inc.
5
#
6
# This program is free software; you can redistribute it and/or modify
7
# it under the terms of the GNU General Public License as published by
8
# the Free Software Foundation; either version 2 of the License, or
9
# (at your option) any later version.
10
#
11
# This program is distributed in the hope that it will be useful, but
12
# WITHOUT ANY WARRANTY; without even the implied warranty of
13
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the GNU
14
# General Public License for more details.
15
#
16
# You should have received a copy of the GNU General Public License
17
# along with this program; if not, write to the Free Software
18
# Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA
19
# 02110-1301, USA.
20

    
21

    
22
"""Utilities for QA tests.
23

24
"""
25

    
26
import os
27
import re
28
import sys
29
import subprocess
30

    
31
from ganeti import utils
32

    
33
import qa_config
34
import qa_error
35

    
36

    
37
_INFO_SEQ = None
38
_WARNING_SEQ = None
39
_ERROR_SEQ = None
40
_RESET_SEQ = None
41

    
42

    
43
def _SetupColours():
44
  """Initializes the colour constants.
45

46
  """
47
  global _INFO_SEQ, _WARNING_SEQ, _ERROR_SEQ, _RESET_SEQ
48

    
49
  # Don't use colours if stdout isn't a terminal
50
  if not sys.stdout.isatty():
51
    return
52

    
53
  try:
54
    import curses
55
  except ImportError:
56
    # Don't use colours if curses module can't be imported
57
    return
58

    
59
  curses.setupterm()
60

    
61
  _RESET_SEQ = curses.tigetstr("op")
62

    
63
  setaf = curses.tigetstr("setaf")
64
  _INFO_SEQ = curses.tparm(setaf, curses.COLOR_GREEN)
65
  _WARNING_SEQ = curses.tparm(setaf, curses.COLOR_YELLOW)
66
  _ERROR_SEQ = curses.tparm(setaf, curses.COLOR_RED)
67

    
68

    
69
_SetupColours()
70

    
71

    
72
def AssertIn(item, sequence):
73
  """Raises an error when item is not in sequence.
74

75
  """
76
  if item not in sequence:
77
    raise qa_error.Error('%r not in %r' % (item, sequence))
78

    
79

    
80
def AssertEqual(first, second):
81
  """Raises an error when values aren't equal.
82

83
  """
84
  if not first == second:
85
    raise qa_error.Error('%r == %r' % (first, second))
86

    
87

    
88
def AssertNotEqual(first, second):
89
  """Raises an error when values are equal.
90

91
  """
92
  if not first != second:
93
    raise qa_error.Error('%r != %r' % (first, second))
94

    
95

    
96
def AssertMatch(string, pattern):
97
  """Raises an error when string doesn't match regexp pattern.
98

99
  """
100
  if not re.match(pattern, string):
101
    raise qa_error.Error("%r doesn't match /%r/" % (string, pattern))
102

    
103

    
104
def GetSSHCommand(node, cmd, strict=True):
105
  """Builds SSH command to be executed.
106

107
  Args:
108
  - node: Node the command should run on
109
  - cmd: Command to be executed as a list with all parameters
110
  - strict: Whether to enable strict host key checking
111

112
  """
113
  args = [ 'ssh', '-oEscapeChar=none', '-oBatchMode=yes', '-l', 'root', '-t' ]
114

    
115
  if strict:
116
    tmp = 'yes'
117
  else:
118
    tmp = 'no'
119
  args.append('-oStrictHostKeyChecking=%s' % tmp)
120
  args.append('-oClearAllForwardings=yes')
121
  args.append('-oForwardAgent=yes')
122
  args.append(node)
123
  args.append(cmd)
124

    
125
  print 'SSH:', utils.ShellQuoteArgs(args)
126

    
127
  return args
128

    
129

    
130
def StartSSH(node, cmd, strict=True):
131
  """Starts SSH.
132

133
  """
134
  return subprocess.Popen(GetSSHCommand(node, cmd, strict=strict),
135
                          shell=False)
136

    
137

    
138
def GetCommandOutput(node, cmd):
139
  """Returns the output of a command executed on the given node.
140

141
  """
142
  p = subprocess.Popen(GetSSHCommand(node, cmd),
143
                       shell=False, stdout=subprocess.PIPE)
144
  AssertEqual(p.wait(), 0)
145
  return p.stdout.read()
146

    
147

    
148
def UploadFile(node, src):
149
  """Uploads a file to a node and returns the filename.
150

151
  Caller needs to remove the returned file on the node when it's not needed
152
  anymore.
153
  """
154
  # Make sure nobody else has access to it while preserving local permissions
155
  mode = os.stat(src).st_mode & 0700
156

    
157
  cmd = ('tmp=$(tempfile --mode %o --prefix gnt) && '
158
         '[[ -f "${tmp}" ]] && '
159
         'cat > "${tmp}" && '
160
         'echo "${tmp}"') % mode
161

    
162
  f = open(src, 'r')
163
  try:
164
    p = subprocess.Popen(GetSSHCommand(node, cmd), shell=False, stdin=f,
165
                         stdout=subprocess.PIPE)
166
    AssertEqual(p.wait(), 0)
167

    
168
    # Return temporary filename
169
    return p.stdout.read().strip()
170
  finally:
171
    f.close()
172

    
173

    
174
def _ResolveName(cmd, key):
175
  """Helper function.
176

177
  """
178
  master = qa_config.GetMasterNode()
179

    
180
  output = GetCommandOutput(master['primary'], utils.ShellQuoteArgs(cmd))
181
  for line in output.splitlines():
182
    (lkey, lvalue) = line.split(':', 1)
183
    if lkey == key:
184
      return lvalue.lstrip()
185
  raise KeyError("Key not found")
186

    
187

    
188
def ResolveInstanceName(instance):
189
  """Gets the full name of an instance.
190

191
  """
192
  return _ResolveName(['gnt-instance', 'info', instance['name']],
193
                      'Instance name')
194

    
195

    
196
def ResolveNodeName(node):
197
  """Gets the full name of a node.
198

199
  """
200
  return _ResolveName(['gnt-node', 'info', node['primary']],
201
                      'Node name')
202

    
203

    
204
def GetNodeInstances(node, secondaries=False):
205
  """Gets a list of instances on a node.
206

207
  """
208
  master = qa_config.GetMasterNode()
209
  node_name = ResolveNodeName(node)
210

    
211
  # Get list of all instances
212
  cmd = ['gnt-instance', 'list', '--separator=:', '--no-headers',
213
         '--output=name,pnode,snodes']
214
  output = GetCommandOutput(master['primary'], utils.ShellQuoteArgs(cmd))
215

    
216
  instances = []
217
  for line in output.splitlines():
218
    (name, pnode, snodes) = line.split(':', 2)
219
    if ((not secondaries and pnode == node_name) or
220
        (secondaries and node_name in snodes.split(','))):
221
      instances.append(name)
222

    
223
  return instances
224

    
225

    
226
def _FormatWithColor(text, seq):
227
  if not seq:
228
    return text
229
  return "%s%s%s" % (seq, text, _RESET_SEQ)
230

    
231

    
232
FormatWarning = lambda text: _FormatWithColor(text, _WARNING_SEQ)
233
FormatError = lambda text: _FormatWithColor(text, _ERROR_SEQ)
234
FormatInfo = lambda text: _FormatWithColor(text, _INFO_SEQ)