1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
|
# Copyright (C) 2006 Canonical
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation; either version 2 of the License, or
# (at your option) any later version.
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
# You should have received a copy of the GNU General Public License
# along with this program; if not, write to the Free Software
# Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
"""A simple format for saving lists of lists of unicode strings"""
from urllib import unquote
from bzrlib.errors import UnknownSplatFormat, MalformedSplatDict
SPLATFILE_1_HEADER = "BZR Splatfile Format 1"
FORBIDDEN = ' \t\r\n%'
def write_splat(fileobj, pairs):
fileobj.write(SPLATFILE_1_HEADER+'\n')
for values in pairs:
fileobj.write(" ".join([escape(v) for v in values])+"\n")
def escape(value):
result = []
for c in value.encode('UTF-8'):
if c in FORBIDDEN:
result.append('%%%.2x' % ord(c))
else:
result.append(c)
return ''.join(result)
def read_splat(fileobj):
header = fileobj.next().rstrip('\n')
if header != SPLATFILE_1_HEADER:
raise UnknownSplatFormat(header)
for line in fileobj:
yield [unescape(v) for v in line.rstrip('\n').split(' ')]
def unescape(input):
return unquote(input).decode('UTF-8')
def dump_dict(my_file, dict):
write_splat(my_file, dict.iteritems())
def read_dict(my_file):
result = {}
for values in read_splat(my_file):
if len(values) != 2:
raise MalformedSplatDict(values)
result[values[0]] = values[1]
return result
|