##// END OF EJS Templates
eol: extract parsing error handling in parseeol()
Patrick Mezard -
r13614:40d0cf79 default
parent child Browse files
Show More
@@ -1,303 +1,299 b''
1 1 """automatically manage newlines in repository files
2 2
3 3 This extension allows you to manage the type of line endings (CRLF or
4 4 LF) that are used in the repository and in the local working
5 5 directory. That way you can get CRLF line endings on Windows and LF on
6 6 Unix/Mac, thereby letting everybody use their OS native line endings.
7 7
8 8 The extension reads its configuration from a versioned ``.hgeol``
9 9 configuration file found in the root of the working copy. The
10 10 ``.hgeol`` file use the same syntax as all other Mercurial
11 11 configuration files. It uses two sections, ``[patterns]`` and
12 12 ``[repository]``.
13 13
14 14 The ``[patterns]`` section specifies how line endings should be
15 15 converted between the working copy and the repository. The format is
16 16 specified by a file pattern. The first match is used, so put more
17 17 specific patterns first. The available line endings are ``LF``,
18 18 ``CRLF``, and ``BIN``.
19 19
20 20 Files with the declared format of ``CRLF`` or ``LF`` are always
21 21 checked out and stored in the repository in that format and files
22 22 declared to be binary (``BIN``) are left unchanged. Additionally,
23 23 ``native`` is an alias for checking out in the platform's default line
24 24 ending: ``LF`` on Unix (including Mac OS X) and ``CRLF`` on
25 25 Windows. Note that ``BIN`` (do nothing to line endings) is Mercurial's
26 26 default behaviour; it is only needed if you need to override a later,
27 27 more general pattern.
28 28
29 29 The optional ``[repository]`` section specifies the line endings to
30 30 use for files stored in the repository. It has a single setting,
31 31 ``native``, which determines the storage line endings for files
32 32 declared as ``native`` in the ``[patterns]`` section. It can be set to
33 33 ``LF`` or ``CRLF``. The default is ``LF``. For example, this means
34 34 that on Windows, files configured as ``native`` (``CRLF`` by default)
35 35 will be converted to ``LF`` when stored in the repository. Files
36 36 declared as ``LF``, ``CRLF``, or ``BIN`` in the ``[patterns]`` section
37 37 are always stored as-is in the repository.
38 38
39 39 Example versioned ``.hgeol`` file::
40 40
41 41 [patterns]
42 42 **.py = native
43 43 **.vcproj = CRLF
44 44 **.txt = native
45 45 Makefile = LF
46 46 **.jpg = BIN
47 47
48 48 [repository]
49 49 native = LF
50 50
51 51 .. note::
52 52 The rules will first apply when files are touched in the working
53 53 copy, e.g. by updating to null and back to tip to touch all files.
54 54
55 55 The extension uses an optional ``[eol]`` section in your hgrc file
56 56 (not the ``.hgeol`` file) for settings that control the overall
57 57 behavior. There are two settings:
58 58
59 59 - ``eol.native`` (default ``os.linesep``) can be set to ``LF`` or
60 60 ``CRLF`` to override the default interpretation of ``native`` for
61 61 checkout. This can be used with :hg:`archive` on Unix, say, to
62 62 generate an archive where files have line endings for Windows.
63 63
64 64 - ``eol.only-consistent`` (default True) can be set to False to make
65 65 the extension convert files with inconsistent EOLs. Inconsistent
66 66 means that there is both ``CRLF`` and ``LF`` present in the file.
67 67 Such files are normally not touched under the assumption that they
68 68 have mixed EOLs on purpose.
69 69
70 70 The extension provides ``cleverencode:`` and ``cleverdecode:`` filters
71 71 like the deprecated win32text extension does. This means that you can
72 72 disable win32text and enable eol and your filters will still work. You
73 73 only need to these filters until you have prepared a ``.hgeol`` file.
74 74
75 75 The ``win32text.forbid*`` hooks provided by the win32text extension
76 76 have been unified into a single hook named ``eol.hook``. The hook will
77 77 lookup the expected line endings from the ``.hgeol`` file, which means
78 78 you must migrate to a ``.hgeol`` file first before using the hook.
79 79 Remember to enable the eol extension in the repository where you
80 80 install the hook.
81 81
82 82 See :hg:`help patterns` for more information about the glob patterns
83 83 used.
84 84 """
85 85
86 86 from mercurial.i18n import _
87 87 from mercurial import util, config, extensions, match, error
88 88 import re, os
89 89
90 90 # Matches a lone LF, i.e., one that is not part of CRLF.
91 91 singlelf = re.compile('(^|[^\r])\n')
92 92 # Matches a single EOL which can either be a CRLF where repeated CR
93 93 # are removed or a LF. We do not care about old Machintosh files, so a
94 94 # stray CR is an error.
95 95 eolre = re.compile('\r*\n')
96 96
97 97
98 98 def inconsistenteol(data):
99 99 return '\r\n' in data and singlelf.search(data)
100 100
101 101 def tolf(s, params, ui, **kwargs):
102 102 """Filter to convert to LF EOLs."""
103 103 if util.binary(s):
104 104 return s
105 105 if ui.configbool('eol', 'only-consistent', True) and inconsistenteol(s):
106 106 return s
107 107 return eolre.sub('\n', s)
108 108
109 109 def tocrlf(s, params, ui, **kwargs):
110 110 """Filter to convert to CRLF EOLs."""
111 111 if util.binary(s):
112 112 return s
113 113 if ui.configbool('eol', 'only-consistent', True) and inconsistenteol(s):
114 114 return s
115 115 return eolre.sub('\r\n', s)
116 116
117 117 def isbinary(s, params):
118 118 """Filter to do nothing with the file."""
119 119 return s
120 120
121 121 filters = {
122 122 'to-lf': tolf,
123 123 'to-crlf': tocrlf,
124 124 'is-binary': isbinary,
125 125 # The following provide backwards compatibility with win32text
126 126 'cleverencode:': tolf,
127 127 'cleverdecode:': tocrlf
128 128 }
129 129
130 130 class eolfile(object):
131 131 def __init__(self, ui, root, data):
132 132 self._decode = {'LF': 'to-lf', 'CRLF': 'to-crlf', 'BIN': 'is-binary'}
133 133 self._encode = {'LF': 'to-lf', 'CRLF': 'to-crlf', 'BIN': 'is-binary'}
134 134
135 135 self.cfg = config.config()
136 136 # Our files should not be touched. The pattern must be
137 137 # inserted first override a '** = native' pattern.
138 138 self.cfg.set('patterns', '.hg*', 'BIN')
139 139 # We can then parse the user's patterns.
140 140 self.cfg.parse('.hgeol', data)
141 141
142 142 isrepolf = self.cfg.get('repository', 'native') != 'CRLF'
143 143 self._encode['NATIVE'] = isrepolf and 'to-lf' or 'to-crlf'
144 144 iswdlf = ui.config('eol', 'native', os.linesep) in ('LF', '\n')
145 145 self._decode['NATIVE'] = iswdlf and 'to-lf' or 'to-crlf'
146 146
147 147 include = []
148 148 exclude = []
149 149 for pattern, style in self.cfg.items('patterns'):
150 150 key = style.upper()
151 151 if key == 'BIN':
152 152 exclude.append(pattern)
153 153 else:
154 154 include.append(pattern)
155 155 # This will match the files for which we need to care
156 156 # about inconsistent newlines.
157 157 self.match = match.match(root, '', [], include, exclude)
158 158
159 159 def setfilters(self, ui):
160 160 for pattern, style in self.cfg.items('patterns'):
161 161 key = style.upper()
162 162 try:
163 163 ui.setconfig('decode', pattern, self._decode[key])
164 164 ui.setconfig('encode', pattern, self._encode[key])
165 165 except KeyError:
166 166 ui.warn(_("ignoring unknown EOL style '%s' from %s\n")
167 167 % (style, self.cfg.source('patterns', pattern)))
168 168
169 def parseeol(ui, repo, node=None):
169 def parseeol(ui, repo, nodes):
170 try:
171 for node in nodes:
170 172 try:
171 173 if node is None:
172 174 # Cannot use workingctx.data() since it would load
173 175 # and cache the filters before we configure them.
174 176 data = repo.wfile('.hgeol').read()
175 177 else:
176 178 data = repo[node]['.hgeol'].data()
177 179 return eolfile(ui, repo.root, data)
178 180 except (IOError, LookupError):
181 pass
182 except error.ParseError, inst:
183 ui.warn(_("warning: ignoring .hgeol file due to parse error "
184 "at %s: %s\n") % (inst.args[1], inst.args[0]))
179 185 return None
180 186
181 187 def hook(ui, repo, node, hooktype, **kwargs):
182 188 """verify that files have expected EOLs"""
183 189 files = set()
184 190 for rev in xrange(repo[node].rev(), len(repo)):
185 191 files.update(repo[rev].files())
186 192 tip = repo['tip']
187 193 for f in files:
188 194 if f not in tip:
189 195 continue
190 196 for pattern, target in ui.configitems('encode'):
191 197 if match.match(repo.root, '', [pattern])(f):
192 198 data = tip[f].data()
193 199 if target == "to-lf" and "\r\n" in data:
194 200 raise util.Abort(_("%s should not have CRLF line endings")
195 201 % f)
196 202 elif target == "to-crlf" and singlelf.search(data):
197 203 raise util.Abort(_("%s should not have LF line endings")
198 204 % f)
199 205 # Ignore other rules for this file
200 206 break
201 207
202 208
203 209 def preupdate(ui, repo, hooktype, parent1, parent2):
204 210 #print "preupdate for %s: %s -> %s" % (repo.root, parent1, parent2)
205 try:
206 repo.loadeol(parent1)
207 except error.ParseError, inst:
208 ui.warn(_("warning: ignoring .hgeol file due to parse error "
209 "at %s: %s\n") % (inst.args[1], inst.args[0]))
211 repo.loadeol([parent1])
210 212 return False
211 213
212 214 def uisetup(ui):
213 215 ui.setconfig('hooks', 'preupdate.eol', preupdate)
214 216
215 217 def extsetup(ui):
216 218 try:
217 219 extensions.find('win32text')
218 220 raise util.Abort(_("the eol extension is incompatible with the "
219 221 "win32text extension"))
220 222 except KeyError:
221 223 pass
222 224
223 225
224 226 def reposetup(ui, repo):
225 227 uisetup(repo.ui)
226 228 #print "reposetup for", repo.root
227 229
228 230 if not repo.local():
229 231 return
230 232 for name, fn in filters.iteritems():
231 233 repo.adddatafilter(name, fn)
232 234
233 235 ui.setconfig('patch', 'eol', 'auto')
234 236
235 237 class eolrepo(repo.__class__):
236 238
237 def loadeol(self, node=None):
238 eol = parseeol(self.ui, self, node)
239 def loadeol(self, nodes):
240 eol = parseeol(self.ui, self, nodes)
239 241 if eol is None:
240 242 return None
241 243 eol.setfilters(self.ui)
242 244 return eol.match
243 245
244 246 def _hgcleardirstate(self):
245 try:
246 self._eolfile = (self.loadeol() or self.loadeol('tip'))
247 except error.ParseError, inst:
248 ui.warn(_("warning: ignoring .hgeol file due to parse error "
249 "at %s: %s\n") % (inst.args[1], inst.args[0]))
250 self._eolfile = None
251
247 self._eolfile = self.loadeol([None, 'tip'])
252 248 if not self._eolfile:
253 249 self._eolfile = util.never
254 250 return
255 251
256 252 try:
257 253 cachemtime = os.path.getmtime(self.join("eol.cache"))
258 254 except OSError:
259 255 cachemtime = 0
260 256
261 257 try:
262 258 eolmtime = os.path.getmtime(self.wjoin(".hgeol"))
263 259 except OSError:
264 260 eolmtime = 0
265 261
266 262 if eolmtime > cachemtime:
267 263 ui.debug("eol: detected change in .hgeol\n")
268 264 wlock = None
269 265 try:
270 266 wlock = self.wlock()
271 267 for f in self.dirstate:
272 268 if self.dirstate[f] == 'n':
273 269 # all normal files need to be looked at
274 270 # again since the new .hgeol file might no
275 271 # longer match a file it matched before
276 272 self.dirstate.normallookup(f)
277 273 # Touch the cache to update mtime.
278 274 self.opener("eol.cache", "w").close()
279 275 wlock.release()
280 276 except error.LockUnavailable:
281 277 # If we cannot lock the repository and clear the
282 278 # dirstate, then a commit might not see all files
283 279 # as modified. But if we cannot lock the
284 280 # repository, then we can also not make a commit,
285 281 # so ignore the error.
286 282 pass
287 283
288 284 def commitctx(self, ctx, error=False):
289 285 for f in sorted(ctx.added() + ctx.modified()):
290 286 if not self._eolfile(f):
291 287 continue
292 288 data = ctx[f].data()
293 289 if util.binary(data):
294 290 # We should not abort here, since the user should
295 291 # be able to say "** = native" to automatically
296 292 # have all non-binary files taken care of.
297 293 continue
298 294 if inconsistenteol(data):
299 295 raise util.Abort(_("inconsistent newline style "
300 296 "in %s\n" % f))
301 297 return super(eolrepo, self).commitctx(ctx, error)
302 298 repo.__class__ = eolrepo
303 299 repo._hgcleardirstate()
General Comments 0
You need to be logged in to leave comments. Login now