Statistics
| Branch: | Tag: | Revision:

root / lib / serializer.py @ 615aaaba

History | View | Annotate | Download (4.5 kB)

1
#
2
#
3

    
4
# Copyright (C) 2007, 2008 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
"""Serializer abstraction module
22

23
This module introduces a simple abstraction over the serialization
24
backend (currently json).
25

26
"""
27
# pylint: disable-msg=C0103
28

    
29
# C0103: Invalid name, since pylint doesn't see that Dump points to a
30
# function and not a constant
31

    
32
import simplejson
33
import re
34

    
35
from ganeti import errors
36
from ganeti import utils
37

    
38

    
39
_JSON_INDENT = 2
40

    
41
_RE_EOLSP = re.compile('[ \t]+$', re.MULTILINE)
42

    
43

    
44
def _GetJsonDumpers(_encoder_class=simplejson.JSONEncoder):
45
  """Returns two JSON functions to serialize data.
46

47
  @rtype: (callable, callable)
48
  @return: The function to generate a compact form of JSON and another one to
49
           generate a more readable, indented form of JSON (if supported)
50

51
  """
52
  plain_encoder = _encoder_class(sort_keys=True)
53

    
54
  # Check whether the simplejson module supports indentation
55
  try:
56
    indent_encoder = _encoder_class(indent=_JSON_INDENT, sort_keys=True)
57
  except TypeError:
58
    # Indentation not supported
59
    indent_encoder = plain_encoder
60

    
61
  return (plain_encoder.encode, indent_encoder.encode)
62

    
63

    
64
(_DumpJson, _DumpJsonIndent) = _GetJsonDumpers()
65

    
66

    
67
def DumpJson(data, indent=True):
68
  """Serialize a given object.
69

70
  @param data: the data to serialize
71
  @param indent: whether to indent output (depends on simplejson version)
72

73
  @return: the string representation of data
74

75
  """
76
  if indent:
77
    fn = _DumpJsonIndent
78
  else:
79
    fn = _DumpJson
80

    
81
  txt = _RE_EOLSP.sub("", fn(data))
82
  if not txt.endswith('\n'):
83
    txt += '\n'
84

    
85
  return txt
86

    
87

    
88
def LoadJson(txt):
89
  """Unserialize data from a string.
90

91
  @param txt: the json-encoded form
92

93
  @return: the original data
94

95
  """
96
  return simplejson.loads(txt)
97

    
98

    
99
def DumpSignedJson(data, key, salt=None, key_selector=None):
100
  """Serialize a given object and authenticate it.
101

102
  @param data: the data to serialize
103
  @param key: shared hmac key
104
  @param key_selector: name/id that identifies the key (in case there are
105
    multiple keys in use, e.g. in a multi-cluster environment)
106
  @return: the string representation of data signed by the hmac key
107

108
  """
109
  txt = DumpJson(data, indent=False)
110
  if salt is None:
111
    salt = ''
112
  signed_dict = {
113
    'msg': txt,
114
    'salt': salt,
115
  }
116
  if key_selector:
117
    signed_dict["key_selector"] = key_selector
118
    message = salt + key_selector + txt
119
  else:
120
    message = salt + txt
121
  signed_dict["hmac"] = utils.Sha1Hmac(key, message)
122

    
123
  return DumpJson(signed_dict, indent=False)
124

    
125

    
126
def LoadSignedJson(txt, key):
127
  """Verify that a given message was signed with the given key, and load it.
128

129
  @param txt: json-encoded hmac-signed message
130
  @param key: the shared hmac key or a callable taking one argument (the key
131
    selector), which returns the hmac key belonging to the key selector.
132
    Typical usage is to pass a reference to the get method of a dict.
133
  @rtype: tuple of original data, string
134
  @return: original data, salt
135
  @raises errors.SignatureError: if the message signature doesn't verify
136

137
  """
138
  signed_dict = LoadJson(txt)
139
  if not isinstance(signed_dict, dict):
140
    raise errors.SignatureError('Invalid external message')
141
  try:
142
    msg = signed_dict['msg']
143
    salt = signed_dict['salt']
144
    hmac_sign = signed_dict['hmac']
145
  except KeyError:
146
    raise errors.SignatureError('Invalid external message')
147

    
148
  if callable(key):
149
    # pylint: disable-msg=E1103
150
    key_selector = signed_dict.get("key_selector", None)
151
    hmac_key = key(key_selector)
152
    if not hmac_key:
153
      raise errors.SignatureError("No key with key selector '%s' found" %
154
                                  key_selector)
155
  else:
156
    key_selector = ""
157
    hmac_key = key
158

    
159
  if not utils.VerifySha1Hmac(hmac_key, salt + key_selector + msg, hmac_sign):
160
    raise errors.SignatureError('Invalid Signature')
161

    
162
  return LoadJson(msg), salt
163

    
164

    
165
Dump = DumpJson
166
Load = LoadJson
167
DumpSigned = DumpSignedJson
168
LoadSigned = LoadSignedJson