New version.
[pykickstart.git] / pykickstart / base.py
blob494461786fbb063a49a655af36fb043e7a92abcd
2 # Chris Lumens <clumens@redhat.com>
4 # Copyright 2006, 2007, 2008 Red Hat, Inc.
6 # This copyrighted material is made available to anyone wishing to use, modify,
7 # copy, or redistribute it subject to the terms and conditions of the GNU
8 # General Public License v.2. This program is distributed in the hope that it
9 # will be useful, but WITHOUT ANY WARRANTY expressed or implied, including the
10 # implied warranties of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.
11 # See the GNU General Public License for more details.
13 # You should have received a copy of the GNU General Public License along with
14 # this program; if not, write to the Free Software Foundation, Inc., 51
15 # Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA. Any Red Hat
16 # trademarks that are incorporated in the source code or documentation are not
17 # subject to the GNU General Public License and may only be used or replicated
18 # with the express permission of Red Hat, Inc.
20 """
21 Base classes for creating commands and syntax version object.
23 This module exports several important base classes:
25 BaseData - The base abstract class for all data objects. Data objects
26 are contained within a BaseHandler object.
28 BaseHandler - The base abstract class from which versioned kickstart
29 handler are derived. Subclasses of BaseHandler hold
30 BaseData and KickstartCommand objects.
32 DeprecatedCommand - An abstract subclass of KickstartCommand that should
33 be further subclassed by users of this module. When
34 a subclass is used, a warning message will be
35 printed.
37 KickstartCommand - The base abstract class for all kickstart commands.
38 Command objects are contained within a BaseHandler
39 object.
40 """
41 import gettext
42 gettext.textdomain("pykickstart")
43 _ = lambda x: gettext.ldgettext("pykickstart", x)
45 import warnings
46 from pykickstart.errors import *
47 from pykickstart.ko import *
48 from pykickstart.parser import Packages
49 from pykickstart.version import versionToString
51 ###
52 ### COMMANDS
53 ###
54 class KickstartCommand(KickstartObject):
55 """The base class for all kickstart commands. This is an abstract class."""
56 removedKeywords = []
57 removedAttrs = []
59 def __init__(self, writePriority=0, *args, **kwargs):
60 """Create a new KickstartCommand instance. This method must be
61 provided by all subclasses, but subclasses must call
62 KickstartCommand.__init__ first. Instance attributes:
64 currentCmd -- The name of the command in the input file that
65 caused this handler to be run.
66 currentLine -- The current unprocessed line from the input file
67 that caused this handler to be run.
68 handler -- A reference to the BaseHandler subclass this
69 command is contained withing. This is needed to
70 allow referencing of Data objects.
71 lineno -- The current line number in the input file.
72 writePriority -- An integer specifying when this command should be
73 printed when iterating over all commands' __str__
74 methods. The higher the number, the later this
75 command will be written. All commands with the
76 same priority will be written alphabetically.
77 """
79 # We don't want people using this class by itself.
80 if self.__class__ is KickstartCommand:
81 raise TypeError, "KickstartCommand is an abstract class."
83 KickstartObject.__init__(self, *args, **kwargs)
85 self.writePriority = writePriority
87 # These will be set by the dispatcher.
88 self.currentCmd = ""
89 self.currentLine = ""
90 self.handler = None
91 self.lineno = 0
93 # If a subclass provides a removedKeywords list, remove all the
94 # members from the kwargs list before we start processing it. This
95 # ensures that subclasses don't continue to recognize arguments that
96 # were removed.
97 for arg in filter(lambda k: kwargs.has_key(k), self.removedKeywords):
98 kwargs.pop(arg)
100 def __call__(self, *args, **kwargs):
101 """Set multiple attributes on a subclass of KickstartCommand at once
102 via keyword arguments. Valid attributes are anything specified in
103 a subclass, but unknown attributes will be ignored.
105 for (key, val) in kwargs.items():
106 # Ignore setting attributes that were removed in a subclass, as
107 # if they were unknown attributes.
108 if key in self.removedAttrs:
109 continue
111 if hasattr(self, key):
112 setattr(self, key, val)
114 def __str__(self):
115 """Return a string formatted for output to a kickstart file. This
116 method must be provided by all subclasses.
118 return KickstartObject.__str__(self)
120 def parse(self, args):
121 """Parse the list of args and set data on the KickstartCommand object.
122 This method must be provided by all subclasses.
124 raise TypeError, "parse() not implemented for KickstartCommand"
126 def apply(self, instroot="/"):
127 """Write out the configuration related to the KickstartCommand object.
128 Subclasses which do not provide this method will not have their
129 configuration written out.
131 return
133 def dataList(self):
134 """For commands that can occur multiple times in a single kickstart
135 file (like network, part, etc.), return the list that we should
136 append more data objects to.
138 return None
140 def deleteRemovedAttrs(self):
141 """Remove all attributes from self that are given in the removedAttrs
142 list. This method should be called from __init__ in a subclass,
143 but only after the superclass's __init__ method has been called.
145 for attr in filter(lambda k: hasattr(self, k), self.removedAttrs):
146 delattr(self, attr)
148 # Set the contents of the opts object (an instance of optparse.Values
149 # returned by parse_args) as attributes on the KickstartCommand object.
150 # It's useful to call this from KickstartCommand subclasses after parsing
151 # the arguments.
152 def _setToSelf(self, optParser, opts):
153 self._setToObj(optParser, opts, self)
155 # Sets the contents of the opts object (an instance of optparse.Values
156 # returned by parse_args) as attributes on the provided object obj. It's
157 # useful to call this from KickstartCommand subclasses that handle lists
158 # of objects (like partitions, network devices, etc.) and need to populate
159 # a Data object.
160 def _setToObj(self, optParser, opts, obj):
161 for key in filter (lambda k: getattr(opts, k) != None, optParser.keys()):
162 setattr(obj, key, getattr(opts, key))
164 class DeprecatedCommand(KickstartCommand):
165 """Specify that a command is deprecated and no longer has any function.
166 Any command that is deprecated should be subclassed from this class,
167 only specifying an __init__ method that calls the superclass's __init__.
168 This is an abstract class.
170 def __init__(self, writePriority=None, *args, **kwargs):
171 # We don't want people using this class by itself.
172 if self.__class__ is KickstartCommand:
173 raise TypeError, "DeprecatedCommand is an abstract class."
175 """Create a new DeprecatedCommand instance."""
176 KickstartCommand.__init__(self, writePriority, *args, **kwargs)
178 def __str__(self):
179 """Placeholder since DeprecatedCommands don't work anymore."""
180 return ""
182 def parse(self, args):
183 """Print a warning message if the command is seen in the input file."""
184 mapping = {"lineno": self.lineno, "cmd": self.currentCmd}
185 warnings.warn(_("Ignoring deprecated command on line %(lineno)s: The %(cmd)s command has been deprecated and no longer has any effect. It may be removed from future releases, which will result in a fatal error from kickstart. Please modify your kickstart file to remove this command.") % mapping, DeprecationWarning)
189 ### HANDLERS
191 class BaseHandler(KickstartObject):
192 """Each version of kickstart syntax is provided by a subclass of this
193 class. These subclasses are what users will interact with for parsing,
194 extracting data, and writing out kickstart files. This is an abstract
195 class.
198 """version -- The version this syntax handler supports. This is set by
199 a class attribute of a BaseHandler subclass and is used to
200 set up the command dict. It is for read-only use.
202 version = None
204 def __init__(self, mapping={}, dataMapping={}, commandUpdates={},
205 dataUpdates={}, *args, **kwargs):
206 """Create a new BaseHandler instance. This method must be provided by
207 all subclasses, but subclasses must call BaseHandler.__init__ first.
209 mapping -- A custom map from command strings to classes,
210 useful when creating your own handler with
211 special command objects. It is otherwise unused
212 and rarely needed. If you give this argument,
213 the mapping takes the place of the default one
214 and so must include all commands you want
215 recognized.
216 dataMapping -- This is the same as mapping, but for data
217 objects. All the same comments apply.
218 commandUpdates -- This is similar to mapping, but does not take
219 the place of the defaults entirely. Instead,
220 this mapping is applied after the defaults and
221 updates it with just the commands you want to
222 modify.
223 dataUpdates -- This is the same as commandUpdates, but for
224 data objects.
227 Instance attributes:
229 commands -- A mapping from a string command to a KickstartCommand
230 subclass object that handles it. Multiple strings can
231 map to the same object, but only one instance of the
232 command object should ever exist. Most users should
233 never have to deal with this directly, as it is
234 manipulated internally and called through dispatcher.
235 currentLine -- The current unprocessed line from the input file
236 that caused this handler to be run.
237 packages -- An instance of pykickstart.parser.Packages which
238 describes the packages section of the input file.
239 platform -- A string describing the hardware platform, which is
240 needed only by system-config-kickstart.
241 scripts -- A list of pykickstart.parser.Script instances, which is
242 populated by KickstartParser.addScript and describes the
243 %pre/%post/%traceback script section of the input file.
246 # We don't want people using this class by itself.
247 if self.__class__ is BaseHandler:
248 raise TypeError, "BaseHandler is an abstract class."
250 KickstartObject.__init__(self, *args, **kwargs)
252 # This isn't really a good place for these, but it's better than
253 # everything else I can think of.
254 self.scripts = []
255 self.packages = Packages()
256 self.platform = ""
258 # These will be set by the dispatcher.
259 self.commands = {}
260 self.currentLine = 0
262 # A dict keyed by an integer priority number, with each value being a
263 # list of KickstartCommand subclasses. This dict is maintained by
264 # registerCommand and used in __str__. No one else should be touching
265 # it.
266 self._writeOrder = {}
268 self._registerCommands(mapping, dataMapping, commandUpdates, dataUpdates)
270 def __str__(self):
271 """Return a string formatted for output to a kickstart file."""
272 retval = ""
274 if self.platform != "":
275 retval += "#platform=%s\n" % self.platform
277 retval += "#version=%s\n" % versionToString(self.version)
279 lst = self._writeOrder.keys()
280 lst.sort()
282 for prio in lst:
283 for obj in self._writeOrder[prio]:
284 retval += obj.__str__()
286 for script in self.scripts:
287 retval += script.__str__()
289 retval += self.packages.__str__()
291 return retval
293 def _insertSorted(self, list, obj):
294 length = len(list)
295 i = 0
297 while i < length:
298 # If the two classes have the same name, it's because we are
299 # overriding an existing class with one from a later kickstart
300 # version, so remove the old one in favor of the new one.
301 if obj.__class__.__name__ > list[i].__class__.__name__:
302 i += 1
303 elif obj.__class__.__name__ == list[i].__class__.__name__:
304 list[i] = obj
305 return
306 elif obj.__class__.__name__ < list[i].__class__.__name__:
307 break
309 if i >= length:
310 list.append(obj)
311 else:
312 list.insert(i, obj)
314 def _setCommand(self, cmdObj):
315 # Add an attribute on this version object. We need this to provide a
316 # way for clients to access the command objects. We also need to strip
317 # off the version part from the front of the name.
318 if cmdObj.__class__.__name__.find("_") != -1:
319 name = unicode(cmdObj.__class__.__name__.split("_", 1)[1])
320 else:
321 name = unicode(cmdObj.__class__.__name__).lower()
323 setattr(self, name.lower(), cmdObj)
325 # Also, add the object into the _writeOrder dict in the right place.
326 if cmdObj.writePriority is not None:
327 if self._writeOrder.has_key(cmdObj.writePriority):
328 self._insertSorted(self._writeOrder[cmdObj.writePriority], cmdObj)
329 else:
330 self._writeOrder[cmdObj.writePriority] = [cmdObj]
332 def _registerCommands(self, mapping={}, dataMapping={}, commandUpdates={},
333 dataUpdates={}):
334 if mapping == {}:
335 from pykickstart.handlers.control import commandMap
336 cMap = commandMap[self.version]
337 else:
338 cMap = mapping
340 if dataMapping == {}:
341 from pykickstart.handlers.control import dataMap
342 dMap = dataMap[self.version]
343 else:
344 dMap = dataMapping
346 cMap.update(commandUpdates)
347 dMap.update(dataUpdates)
349 for (cmdName, cmdClass) in cMap.iteritems():
350 # First make sure we haven't instantiated this command handler
351 # already. If we have, we just need to make another mapping to
352 # it in self.commands.
353 cmdObj = None
355 for (key, val) in self.commands.iteritems():
356 if val.__class__.__name__ == cmdClass.__name__:
357 cmdObj = val
358 break
360 # If we didn't find an instance in self.commands, create one now.
361 if cmdObj == None:
362 cmdObj = cmdClass()
363 self._setCommand(cmdObj)
365 # Finally, add the mapping to the commands dict.
366 self.commands[cmdName] = cmdObj
367 self.commands[cmdName].handler = self
369 # We also need to create attributes for the various data objects.
370 # No checks here because dMap is a bijection. At least, that's what
371 # the comment says. Hope no one screws that up.
372 for (dataName, dataClass) in dMap.iteritems():
373 setattr(self, dataName, dataClass)
375 def dispatcher(self, args, lineno, include=None):
376 """Call the appropriate KickstartCommand handler for the current line
377 in the kickstart file. A handler for the current command should
378 be registered, though a handler of None is not an error. Returns
379 the data object returned by KickstartCommand.parse.
381 args -- A list of arguments to the current command
382 lineno -- The line number in the file, for error reporting
383 include -- The path to any file %included immediately before the
384 current command
386 cmd = args[0]
388 if not self.commands.has_key(cmd):
389 raise KickstartParseError, formatErrorMsg(lineno, msg=_("Unknown command: %s" % cmd))
390 elif self.commands[cmd] != None:
391 self.commands[cmd].currentCmd = cmd
392 self.commands[cmd].currentLine = self.currentLine
393 self.commands[cmd].lineno = lineno
395 # The parser returns the data object that was modified. This could
396 # be a BaseData subclass that should be put into a list, or it
397 # could be the command handler object itself. If there's an
398 # include that preceeds either, we need to then associated it with
399 # the returned object.
400 obj = self.commands[cmd].parse(args[1:])
401 lst = self.commands[cmd].dataList()
402 if lst is not None:
403 lst.append(obj)
405 if include is not None:
406 obj.preceededInclude = include
408 return obj
410 def maskAllExcept(self, lst):
411 """Set all entries in the commands dict to None, except the ones in
412 the lst. All other commands will not be processed.
414 self._writeOrder = {}
416 for (key, val) in self.commands.iteritems():
417 if not key in lst:
418 self.commands[key] = None
420 def hasCommand(self, cmd):
421 """Return true if there is a handler for the string cmd."""
422 return hasattr(self, cmd)
426 ### DATA
428 class BaseData(KickstartObject):
429 """The base class for all data objects. This is an abstract class."""
430 removedKeywords = []
431 removedAttrs = []
433 def __init__(self, *args, **kwargs):
434 """Create a new BaseData instance.
436 lineno -- Line number in the ks-file where this object was defined
439 # We don't want people using this class by itself.
440 if self.__class__ is BaseData:
441 raise TypeError, "BaseData is an abstract class."
443 KickstartObject.__init__(self, *args, **kwargs)
444 self.lineno = 0
446 def __str__(self):
447 """Return a string formatted for output to a kickstart file."""
448 return ""
450 def __call__(self, *args, **kwargs):
451 """Set multiple attributes on a subclass of BaseData at once via
452 keyword arguments. Valid attributes are anything specified in a
453 subclass, but unknown attributes will be ignored.
455 for (key, val) in kwargs.items():
456 # Ignore setting attributes that were removed in a subclass, as
457 # if they were unknown attributes.
458 if key in self.removedAttrs:
459 continue
461 if hasattr(self, key):
462 setattr(self, key, val)
464 def deleteRemovedAttrs(self):
465 """Remove all attributes from self that are given in the removedAttrs
466 list. This method should be called from __init__ in a subclass,
467 but only after the superclass's __init__ method has been called.
469 for attr in filter(lambda k: hasattr(self, k), self.removedAttrs):
470 delattr(self, attr)