Statistics
| Branch: | Tag: | Revision:

root / lib / config.py @ 6a408fb2

History | View | Annotate | Download (21.1 kB)

1
#
2
#
3

    
4
# Copyright (C) 2006, 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
"""Configuration management for Ganeti
23

24
This module provides the interface to the Ganeti cluster configuration.
25

26
The configuration data is stored on every node but is updated on the master
27
only. After each update, the master distributes the data to the other nodes.
28

29
Currently, the data storage format is JSON. YAML was slow and consuming too
30
much memory.
31

32
"""
33

    
34
import os
35
import tempfile
36
import random
37
import re
38

    
39
from ganeti import errors
40
from ganeti import logger
41
from ganeti import utils
42
from ganeti import constants
43
from ganeti import rpc
44
from ganeti import objects
45
from ganeti import serializer
46

    
47

    
48
class ConfigWriter:
49
  """The interface to the cluster configuration.
50

51
  """
52
  def __init__(self, cfg_file=None, offline=False):
53
    self.write_count = 0
54
    self._config_data = None
55
    self._config_time = None
56
    self._config_size = None
57
    self._config_inode = None
58
    self._offline = offline
59
    if cfg_file is None:
60
      self._cfg_file = constants.CLUSTER_CONF_FILE
61
    else:
62
      self._cfg_file = cfg_file
63
    self._temporary_ids = set()
64
    # Note: in order to prevent errors when resolving our name in
65
    # _DistributeConfig, we compute it here once and reuse it; it's
66
    # better to raise an error before starting to modify the config
67
    # file than after it was modified
68
    self._my_hostname = utils.HostInfo().name
69

    
70
  # this method needs to be static, so that we can call it on the class
71
  @staticmethod
72
  def IsCluster():
73
    """Check if the cluster is configured.
74

75
    """
76
    return os.path.exists(constants.CLUSTER_CONF_FILE)
77

    
78
  def GenerateMAC(self):
79
    """Generate a MAC for an instance.
80

81
    This should check the current instances for duplicates.
82

83
    """
84
    self._OpenConfig()
85
    self._ReleaseLock()
86
    prefix = self._config_data.cluster.mac_prefix
87
    all_macs = self._AllMACs()
88
    retries = 64
89
    while retries > 0:
90
      byte1 = random.randrange(0, 256)
91
      byte2 = random.randrange(0, 256)
92
      byte3 = random.randrange(0, 256)
93
      mac = "%s:%02x:%02x:%02x" % (prefix, byte1, byte2, byte3)
94
      if mac not in all_macs:
95
        break
96
      retries -= 1
97
    else:
98
      raise errors.ConfigurationError("Can't generate unique MAC")
99
    return mac
100

    
101
  def IsMacInUse(self, mac):
102
    """Predicate: check if the specified MAC is in use in the Ganeti cluster.
103

104
    This only checks instances managed by this cluster, it does not
105
    check for potential collisions elsewhere.
106

107
    """
108
    self._OpenConfig()
109
    self._ReleaseLock()
110
    all_macs = self._AllMACs()
111
    return mac in all_macs
112

    
113
  def _ComputeAllLVs(self):
114
    """Compute the list of all LVs.
115

116
    """
117
    self._OpenConfig()
118
    self._ReleaseLock()
119
    lvnames = set()
120
    for instance in self._config_data.instances.values():
121
      node_data = instance.MapLVsByNode()
122
      for lv_list in node_data.values():
123
        lvnames.update(lv_list)
124
    return lvnames
125

    
126
  def GenerateUniqueID(self, exceptions=None):
127
    """Generate an unique disk name.
128

129
    This checks the current node, instances and disk names for
130
    duplicates.
131

132
    Args:
133
      - exceptions: a list with some other names which should be checked
134
                    for uniqueness (used for example when you want to get
135
                    more than one id at one time without adding each one in
136
                    turn to the config file
137

138
    Returns: the unique id as a string
139

140
    """
141
    existing = set()
142
    existing.update(self._temporary_ids)
143
    existing.update(self._ComputeAllLVs())
144
    existing.update(self._config_data.instances.keys())
145
    existing.update(self._config_data.nodes.keys())
146
    if exceptions is not None:
147
      existing.update(exceptions)
148
    retries = 64
149
    while retries > 0:
150
      unique_id = utils.NewUUID()
151
      if unique_id not in existing and unique_id is not None:
152
        break
153
    else:
154
      raise errors.ConfigurationError("Not able generate an unique ID"
155
                                      " (last tried ID: %s" % unique_id)
156
    self._temporary_ids.add(unique_id)
157
    return unique_id
158

    
159
  def _AllMACs(self):
160
    """Return all MACs present in the config.
161

162
    """
163
    self._OpenConfig()
164
    self._ReleaseLock()
165

    
166
    result = []
167
    for instance in self._config_data.instances.values():
168
      for nic in instance.nics:
169
        result.append(nic.mac)
170

    
171
    return result
172

    
173
  def VerifyConfig(self):
174
    """Stub verify function.
175
    """
176
    self._OpenConfig()
177
    self._ReleaseLock()
178

    
179
    result = []
180
    seen_macs = []
181
    data = self._config_data
182
    for instance_name in data.instances:
183
      instance = data.instances[instance_name]
184
      if instance.primary_node not in data.nodes:
185
        result.append("instance '%s' has invalid primary node '%s'" %
186
                      (instance_name, instance.primary_node))
187
      for snode in instance.secondary_nodes:
188
        if snode not in data.nodes:
189
          result.append("instance '%s' has invalid secondary node '%s'" %
190
                        (instance_name, snode))
191
      for idx, nic in enumerate(instance.nics):
192
        if nic.mac in seen_macs:
193
          result.append("instance '%s' has NIC %d mac %s duplicate" %
194
                        (instance_name, idx, nic.mac))
195
        else:
196
          seen_macs.append(nic.mac)
197
    return result
198

    
199
  def SetDiskID(self, disk, node_name):
200
    """Convert the unique ID to the ID needed on the target nodes.
201

202
    This is used only for drbd, which needs ip/port configuration.
203

204
    The routine descends down and updates its children also, because
205
    this helps when the only the top device is passed to the remote
206
    node.
207

208
    """
209
    if disk.children:
210
      for child in disk.children:
211
        self.SetDiskID(child, node_name)
212

    
213
    if disk.logical_id is None and disk.physical_id is not None:
214
      return
215
    if disk.dev_type in constants.LDS_DRBD:
216
      pnode, snode, port = disk.logical_id
217
      if node_name not in (pnode, snode):
218
        raise errors.ConfigurationError("DRBD device not knowing node %s" %
219
                                        node_name)
220
      pnode_info = self.GetNodeInfo(pnode)
221
      snode_info = self.GetNodeInfo(snode)
222
      if pnode_info is None or snode_info is None:
223
        raise errors.ConfigurationError("Can't find primary or secondary node"
224
                                        " for %s" % str(disk))
225
      if pnode == node_name:
226
        disk.physical_id = (pnode_info.secondary_ip, port,
227
                            snode_info.secondary_ip, port)
228
      else: # it must be secondary, we tested above
229
        disk.physical_id = (snode_info.secondary_ip, port,
230
                            pnode_info.secondary_ip, port)
231
    else:
232
      disk.physical_id = disk.logical_id
233
    return
234

    
235
  def AddTcpUdpPort(self, port):
236
    """Adds a new port to the available port pool.
237

238
    """
239
    if not isinstance(port, int):
240
      raise errors.ProgrammerError("Invalid type passed for port")
241

    
242
    self._OpenConfig()
243
    self._config_data.cluster.tcpudp_port_pool.add(port)
244
    self._WriteConfig()
245

    
246
  def GetPortList(self):
247
    """Returns a copy of the current port list.
248

249
    """
250
    self._OpenConfig()
251
    self._ReleaseLock()
252
    return self._config_data.cluster.tcpudp_port_pool.copy()
253

    
254
  def AllocatePort(self):
255
    """Allocate a port.
256

257
    The port will be taken from the available port pool or from the
258
    default port range (and in this case we increase
259
    highest_used_port).
260

261
    """
262
    self._OpenConfig()
263

    
264
    # If there are TCP/IP ports configured, we use them first.
265
    if self._config_data.cluster.tcpudp_port_pool:
266
      port = self._config_data.cluster.tcpudp_port_pool.pop()
267
    else:
268
      port = self._config_data.cluster.highest_used_port + 1
269
      if port >= constants.LAST_DRBD_PORT:
270
        raise errors.ConfigurationError("The highest used port is greater"
271
                                        " than %s. Aborting." %
272
                                        constants.LAST_DRBD_PORT)
273
      self._config_data.cluster.highest_used_port = port
274

    
275
    self._WriteConfig()
276
    return port
277

    
278
  def GetHostKey(self):
279
    """Return the rsa hostkey from the config.
280

281
    Args: None
282

283
    Returns: rsa hostkey
284
    """
285
    self._OpenConfig()
286
    self._ReleaseLock()
287
    return self._config_data.cluster.rsahostkeypub
288

    
289
  def AddInstance(self, instance):
290
    """Add an instance to the config.
291

292
    This should be used after creating a new instance.
293

294
    Args:
295
      instance: the instance object
296
    """
297
    if not isinstance(instance, objects.Instance):
298
      raise errors.ProgrammerError("Invalid type passed to AddInstance")
299

    
300
    if instance.disk_template != constants.DT_DISKLESS:
301
      all_lvs = instance.MapLVsByNode()
302
      logger.Info("Instance '%s' DISK_LAYOUT: %s" % (instance.name, all_lvs))
303

    
304
    self._OpenConfig()
305
    self._config_data.instances[instance.name] = instance
306
    self._WriteConfig()
307

    
308
  def _SetInstanceStatus(self, instance_name, status):
309
    """Set the instance's status to a given value.
310

311
    """
312
    if status not in ("up", "down"):
313
      raise errors.ProgrammerError("Invalid status '%s' passed to"
314
                                   " ConfigWriter._SetInstanceStatus()" %
315
                                   status)
316
    self._OpenConfig()
317

    
318
    if instance_name not in self._config_data.instances:
319
      raise errors.ConfigurationError("Unknown instance '%s'" %
320
                                      instance_name)
321
    instance = self._config_data.instances[instance_name]
322
    instance.status = status
323
    self._WriteConfig()
324

    
325
  def MarkInstanceUp(self, instance_name):
326
    """Mark the instance status to up in the config.
327

328
    """
329
    self._SetInstanceStatus(instance_name, "up")
330

    
331
  def RemoveInstance(self, instance_name):
332
    """Remove the instance from the configuration.
333

334
    """
335
    self._OpenConfig()
336

    
337
    if instance_name not in self._config_data.instances:
338
      raise errors.ConfigurationError("Unknown instance '%s'" % instance_name)
339
    del self._config_data.instances[instance_name]
340
    self._WriteConfig()
341

    
342
  def RenameInstance(self, old_name, new_name):
343
    """Rename an instance.
344

345
    This needs to be done in ConfigWriter and not by RemoveInstance
346
    combined with AddInstance as only we can guarantee an atomic
347
    rename.
348

349
    """
350
    self._OpenConfig()
351
    if old_name not in self._config_data.instances:
352
      raise errors.ConfigurationError("Unknown instance '%s'" % old_name)
353
    inst = self._config_data.instances[old_name]
354
    del self._config_data.instances[old_name]
355
    inst.name = new_name
356

    
357
    for disk in inst.disks:
358
      if disk.dev_type == constants.LD_FILE:
359
        # rename the file paths in logical and physical id
360
        file_storage_dir = os.path.dirname(os.path.dirname(disk.logical_id[1]))
361
        disk.physical_id = disk.logical_id = (disk.logical_id[0],
362
                                              os.path.join(file_storage_dir,
363
                                                           inst.name,
364
                                                           disk.iv_name))
365

    
366
    self._config_data.instances[inst.name] = inst
367
    self._WriteConfig()
368

    
369
  def MarkInstanceDown(self, instance_name):
370
    """Mark the status of an instance to down in the configuration.
371

372
    """
373
    self._SetInstanceStatus(instance_name, "down")
374

    
375
  def GetInstanceList(self):
376
    """Get the list of instances.
377

378
    Returns:
379
      array of instances, ex. ['instance2.example.com','instance1.example.com']
380
      these contains all the instances, also the ones in Admin_down state
381

382
    """
383
    self._OpenConfig()
384
    self._ReleaseLock()
385

    
386
    return self._config_data.instances.keys()
387

    
388
  def ExpandInstanceName(self, short_name):
389
    """Attempt to expand an incomplete instance name.
390

391
    """
392
    self._OpenConfig()
393
    self._ReleaseLock()
394

    
395
    return utils.MatchNameComponent(short_name,
396
                                    self._config_data.instances.keys())
397

    
398
  def GetInstanceInfo(self, instance_name):
399
    """Returns informations about an instance.
400

401
    It takes the information from the configuration file. Other informations of
402
    an instance are taken from the live systems.
403

404
    Args:
405
      instance: name of the instance, ex instance1.example.com
406

407
    Returns:
408
      the instance object
409

410
    """
411
    self._OpenConfig()
412
    self._ReleaseLock()
413

    
414
    if instance_name not in self._config_data.instances:
415
      return None
416

    
417
    return self._config_data.instances[instance_name]
418

    
419
  def AddNode(self, node):
420
    """Add a node to the configuration.
421

422
    Args:
423
      node: an object.Node instance
424

425
    """
426
    self._OpenConfig()
427
    self._config_data.nodes[node.name] = node
428
    self._WriteConfig()
429

    
430
  def RemoveNode(self, node_name):
431
    """Remove a node from the configuration.
432

433
    """
434
    self._OpenConfig()
435
    if node_name not in self._config_data.nodes:
436
      raise errors.ConfigurationError("Unknown node '%s'" % node_name)
437

    
438
    del self._config_data.nodes[node_name]
439
    self._WriteConfig()
440

    
441
  def ExpandNodeName(self, short_name):
442
    """Attempt to expand an incomplete instance name.
443

444
    """
445
    self._OpenConfig()
446
    self._ReleaseLock()
447

    
448
    return utils.MatchNameComponent(short_name,
449
                                    self._config_data.nodes.keys())
450

    
451
  def GetNodeInfo(self, node_name):
452
    """Get the configuration of a node, as stored in the config.
453

454
    Args: node: nodename (tuple) of the node
455

456
    Returns: the node object
457

458
    """
459
    self._OpenConfig()
460
    self._ReleaseLock()
461

    
462
    if node_name not in self._config_data.nodes:
463
      return None
464

    
465
    return self._config_data.nodes[node_name]
466

    
467
  def GetNodeList(self):
468
    """Return the list of nodes which are in the configuration.
469

470
    """
471
    self._OpenConfig()
472
    self._ReleaseLock()
473
    return self._config_data.nodes.keys()
474

    
475
  def DumpConfig(self):
476
    """Return the entire configuration of the cluster.
477
    """
478
    self._OpenConfig()
479
    self._ReleaseLock()
480
    return self._config_data
481

    
482
  def _BumpSerialNo(self):
483
    """Bump up the serial number of the config.
484

485
    """
486
    self._config_data.cluster.serial_no += 1
487

    
488
  def _OpenConfig(self):
489
    """Read the config data from disk.
490

491
    In case we already have configuration data and the config file has
492
    the same mtime as when we read it, we skip the parsing of the
493
    file, since de-serialisation could be slow.
494

495
    """
496
    try:
497
      st = os.stat(self._cfg_file)
498
    except OSError, err:
499
      raise errors.ConfigurationError("Can't stat config file: %s" % err)
500
    if (self._config_data is not None and
501
        self._config_time is not None and
502
        self._config_time == st.st_mtime and
503
        self._config_size == st.st_size and
504
        self._config_inode == st.st_ino):
505
      # data is current, so skip loading of config file
506
      return
507
    f = open(self._cfg_file, 'r')
508
    try:
509
      try:
510
        data = objects.ConfigData.FromDict(serializer.Load(f.read()))
511
      except Exception, err:
512
        raise errors.ConfigurationError(err)
513
    finally:
514
      f.close()
515
    if (not hasattr(data, 'cluster') or
516
        not hasattr(data.cluster, 'config_version')):
517
      raise errors.ConfigurationError("Incomplete configuration"
518
                                      " (missing cluster.config_version)")
519
    if data.cluster.config_version != constants.CONFIG_VERSION:
520
      raise errors.ConfigurationError("Cluster configuration version"
521
                                      " mismatch, got %s instead of %s" %
522
                                      (data.cluster.config_version,
523
                                       constants.CONFIG_VERSION))
524
    self._config_data = data
525
    self._config_time = st.st_mtime
526
    self._config_size = st.st_size
527
    self._config_inode = st.st_ino
528

    
529
  def _ReleaseLock(self):
530
    """xxxx
531
    """
532

    
533
  def _DistributeConfig(self):
534
    """Distribute the configuration to the other nodes.
535

536
    Currently, this only copies the configuration file. In the future,
537
    it could be used to encapsulate the 2/3-phase update mechanism.
538

539
    """
540
    if self._offline:
541
      return True
542
    bad = False
543
    nodelist = self.GetNodeList()
544
    myhostname = self._my_hostname
545

    
546
    tgt_list = []
547
    for node in nodelist:
548
      nodeinfo = self.GetNodeInfo(node)
549
      if nodeinfo.name == myhostname:
550
        continue
551
      tgt_list.append(node)
552

    
553
    result = rpc.call_upload_file(tgt_list, self._cfg_file)
554
    for node in tgt_list:
555
      if not result[node]:
556
        logger.Error("copy of file %s to node %s failed" %
557
                     (self._cfg_file, node))
558
        bad = True
559
    return not bad
560

    
561
  def _WriteConfig(self, destination=None):
562
    """Write the configuration data to persistent storage.
563

564
    """
565
    if destination is None:
566
      destination = self._cfg_file
567
    self._BumpSerialNo()
568
    txt = serializer.Dump(self._config_data.ToDict())
569
    dir_name, file_name = os.path.split(destination)
570
    fd, name = tempfile.mkstemp('.newconfig', file_name, dir_name)
571
    f = os.fdopen(fd, 'w')
572
    try:
573
      f.write(txt)
574
      os.fsync(f.fileno())
575
    finally:
576
      f.close()
577
    # we don't need to do os.close(fd) as f.close() did it
578
    os.rename(name, destination)
579
    self.write_count += 1
580
    # re-set our cache as not to re-read the config file
581
    try:
582
      st = os.stat(destination)
583
    except OSError, err:
584
      raise errors.ConfigurationError("Can't stat config file: %s" % err)
585
    self._config_time = st.st_mtime
586
    self._config_size = st.st_size
587
    self._config_inode = st.st_ino
588
    # and redistribute the config file
589
    self._DistributeConfig()
590

    
591
  def InitConfig(self, node, primary_ip, secondary_ip,
592
                 hostkeypub, mac_prefix, vg_name, def_bridge):
593
    """Create the initial cluster configuration.
594

595
    It will contain the current node, which will also be the master
596
    node, and no instances or operating systmes.
597

598
    Args:
599
      node: the nodename of the initial node
600
      primary_ip: the IP address of the current host
601
      secondary_ip: the secondary IP of the current host or None
602
      hostkeypub: the public hostkey of this host
603

604
    """
605
    hu_port = constants.FIRST_DRBD_PORT - 1
606
    globalconfig = objects.Cluster(config_version=constants.CONFIG_VERSION,
607
                                   serial_no=1,
608
                                   rsahostkeypub=hostkeypub,
609
                                   highest_used_port=hu_port,
610
                                   mac_prefix=mac_prefix,
611
                                   volume_group_name=vg_name,
612
                                   default_bridge=def_bridge,
613
                                   tcpudp_port_pool=set())
614
    if secondary_ip is None:
615
      secondary_ip = primary_ip
616
    nodeconfig = objects.Node(name=node, primary_ip=primary_ip,
617
                              secondary_ip=secondary_ip)
618

    
619
    self._config_data = objects.ConfigData(nodes={node: nodeconfig},
620
                                           instances={},
621
                                           cluster=globalconfig)
622
    self._WriteConfig()
623

    
624
  def GetVGName(self):
625
    """Return the volume group name.
626

627
    """
628
    self._OpenConfig()
629
    self._ReleaseLock()
630
    return self._config_data.cluster.volume_group_name
631

    
632
  def SetVGName(self, vg_name):
633
    """Set the volume group name.
634

635
    """
636
    self._OpenConfig()
637
    self._config_data.cluster.volume_group_name = vg_name
638
    self._WriteConfig()
639

    
640
  def GetDefBridge(self):
641
    """Return the default bridge.
642

643
    """
644
    self._OpenConfig()
645
    self._ReleaseLock()
646
    return self._config_data.cluster.default_bridge
647

    
648
  def GetMACPrefix(self):
649
    """Return the mac prefix.
650

651
    """
652
    self._OpenConfig()
653
    self._ReleaseLock()
654
    return self._config_data.cluster.mac_prefix
655

    
656
  def GetClusterInfo(self):
657
    """Returns informations about the cluster
658

659
    Returns:
660
      the cluster object
661

662
    """
663
    self._OpenConfig()
664
    self._ReleaseLock()
665

    
666
    return self._config_data.cluster
667

    
668
  def Update(self, target):
669
    """Notify function to be called after updates.
670

671
    This function must be called when an object (as returned by
672
    GetInstanceInfo, GetNodeInfo, GetCluster) has been updated and the
673
    caller wants the modifications saved to the backing store. Note
674
    that all modified objects will be saved, but the target argument
675
    is the one the caller wants to ensure that it's saved.
676

677
    """
678
    if self._config_data is None:
679
      raise errors.ProgrammerError("Configuration file not read,"
680
                                   " cannot save.")
681
    if isinstance(target, objects.Cluster):
682
      test = target == self._config_data.cluster
683
    elif isinstance(target, objects.Node):
684
      test = target in self._config_data.nodes.values()
685
    elif isinstance(target, objects.Instance):
686
      test = target in self._config_data.instances.values()
687
    else:
688
      raise errors.ProgrammerError("Invalid object type (%s) passed to"
689
                                   " ConfigWriter.Update" % type(target))
690
    if not test:
691
      raise errors.ConfigurationError("Configuration updated since object"
692
                                      " has been read or unknown object")
693
    self._WriteConfig()