##// END OF EJS Templates
largefiles: partially undo 61e526585b20e2ff15f19497d0451d18fea02db8 and child...
Pulkit Goyal -
r48984:941fbaab default
parent child Browse files
Show More
@@ -1,1869 +1,1857 b''
1 # Copyright 2009-2010 Gregory P. Ward
1 # Copyright 2009-2010 Gregory P. Ward
2 # Copyright 2009-2010 Intelerad Medical Systems Incorporated
2 # Copyright 2009-2010 Intelerad Medical Systems Incorporated
3 # Copyright 2010-2011 Fog Creek Software
3 # Copyright 2010-2011 Fog Creek Software
4 # Copyright 2010-2011 Unity Technologies
4 # Copyright 2010-2011 Unity Technologies
5 #
5 #
6 # This software may be used and distributed according to the terms of the
6 # This software may be used and distributed according to the terms of the
7 # GNU General Public License version 2 or any later version.
7 # GNU General Public License version 2 or any later version.
8
8
9 '''Overridden Mercurial commands and functions for the largefiles extension'''
9 '''Overridden Mercurial commands and functions for the largefiles extension'''
10 from __future__ import absolute_import
10 from __future__ import absolute_import
11
11
12 import copy
12 import copy
13 import os
13 import os
14
14
15 from mercurial.i18n import _
15 from mercurial.i18n import _
16
16
17 from mercurial.pycompat import open
17 from mercurial.pycompat import open
18
18
19 from mercurial.hgweb import webcommands
19 from mercurial.hgweb import webcommands
20
20
21 from mercurial import (
21 from mercurial import (
22 archival,
22 archival,
23 cmdutil,
23 cmdutil,
24 copies as copiesmod,
24 copies as copiesmod,
25 error,
25 error,
26 exchange,
26 exchange,
27 extensions,
27 extensions,
28 exthelper,
28 exthelper,
29 filemerge,
29 filemerge,
30 hg,
30 hg,
31 logcmdutil,
31 logcmdutil,
32 match as matchmod,
32 match as matchmod,
33 merge,
33 merge,
34 mergestate as mergestatemod,
34 mergestate as mergestatemod,
35 pathutil,
35 pathutil,
36 pycompat,
36 pycompat,
37 scmutil,
37 scmutil,
38 smartset,
38 smartset,
39 subrepo,
39 subrepo,
40 url as urlmod,
40 url as urlmod,
41 util,
41 util,
42 )
42 )
43
43
44 from mercurial.upgrade_utils import (
44 from mercurial.upgrade_utils import (
45 actions as upgrade_actions,
45 actions as upgrade_actions,
46 )
46 )
47
47
48 from . import (
48 from . import (
49 lfcommands,
49 lfcommands,
50 lfutil,
50 lfutil,
51 storefactory,
51 storefactory,
52 )
52 )
53
53
54 eh = exthelper.exthelper()
54 eh = exthelper.exthelper()
55
55
56 lfstatus = lfutil.lfstatus
56 lfstatus = lfutil.lfstatus
57
57
58 MERGE_ACTION_LARGEFILE_MARK_REMOVED = b'lfmr'
58 MERGE_ACTION_LARGEFILE_MARK_REMOVED = b'lfmr'
59
59
60 # -- Utility functions: commonly/repeatedly needed functionality ---------------
60 # -- Utility functions: commonly/repeatedly needed functionality ---------------
61
61
62
62
63 def composelargefilematcher(match, manifest):
63 def composelargefilematcher(match, manifest):
64 """create a matcher that matches only the largefiles in the original
64 """create a matcher that matches only the largefiles in the original
65 matcher"""
65 matcher"""
66 m = copy.copy(match)
66 m = copy.copy(match)
67 lfile = lambda f: lfutil.standin(f) in manifest
67 lfile = lambda f: lfutil.standin(f) in manifest
68 m._files = [lf for lf in m._files if lfile(lf)]
68 m._files = [lf for lf in m._files if lfile(lf)]
69 m._fileset = set(m._files)
69 m._fileset = set(m._files)
70 m.always = lambda: False
70 m.always = lambda: False
71 origmatchfn = m.matchfn
71 origmatchfn = m.matchfn
72 m.matchfn = lambda f: lfile(f) and origmatchfn(f)
72 m.matchfn = lambda f: lfile(f) and origmatchfn(f)
73 return m
73 return m
74
74
75
75
76 def composenormalfilematcher(match, manifest, exclude=None):
76 def composenormalfilematcher(match, manifest, exclude=None):
77 excluded = set()
77 excluded = set()
78 if exclude is not None:
78 if exclude is not None:
79 excluded.update(exclude)
79 excluded.update(exclude)
80
80
81 m = copy.copy(match)
81 m = copy.copy(match)
82 notlfile = lambda f: not (
82 notlfile = lambda f: not (
83 lfutil.isstandin(f) or lfutil.standin(f) in manifest or f in excluded
83 lfutil.isstandin(f) or lfutil.standin(f) in manifest or f in excluded
84 )
84 )
85 m._files = [lf for lf in m._files if notlfile(lf)]
85 m._files = [lf for lf in m._files if notlfile(lf)]
86 m._fileset = set(m._files)
86 m._fileset = set(m._files)
87 m.always = lambda: False
87 m.always = lambda: False
88 origmatchfn = m.matchfn
88 origmatchfn = m.matchfn
89 m.matchfn = lambda f: notlfile(f) and origmatchfn(f)
89 m.matchfn = lambda f: notlfile(f) and origmatchfn(f)
90 return m
90 return m
91
91
92
92
93 def addlargefiles(ui, repo, isaddremove, matcher, uipathfn, **opts):
93 def addlargefiles(ui, repo, isaddremove, matcher, uipathfn, **opts):
94 large = opts.get('large')
94 large = opts.get('large')
95 lfsize = lfutil.getminsize(
95 lfsize = lfutil.getminsize(
96 ui, lfutil.islfilesrepo(repo), opts.get('lfsize')
96 ui, lfutil.islfilesrepo(repo), opts.get('lfsize')
97 )
97 )
98
98
99 lfmatcher = None
99 lfmatcher = None
100 if lfutil.islfilesrepo(repo):
100 if lfutil.islfilesrepo(repo):
101 lfpats = ui.configlist(lfutil.longname, b'patterns')
101 lfpats = ui.configlist(lfutil.longname, b'patterns')
102 if lfpats:
102 if lfpats:
103 lfmatcher = matchmod.match(repo.root, b'', list(lfpats))
103 lfmatcher = matchmod.match(repo.root, b'', list(lfpats))
104
104
105 lfnames = []
105 lfnames = []
106 m = matcher
106 m = matcher
107
107
108 wctx = repo[None]
108 wctx = repo[None]
109 for f in wctx.walk(matchmod.badmatch(m, lambda x, y: None)):
109 for f in wctx.walk(matchmod.badmatch(m, lambda x, y: None)):
110 exact = m.exact(f)
110 exact = m.exact(f)
111 lfile = lfutil.standin(f) in wctx
111 lfile = lfutil.standin(f) in wctx
112 nfile = f in wctx
112 nfile = f in wctx
113 exists = lfile or nfile
113 exists = lfile or nfile
114
114
115 # Don't warn the user when they attempt to add a normal tracked file.
115 # Don't warn the user when they attempt to add a normal tracked file.
116 # The normal add code will do that for us.
116 # The normal add code will do that for us.
117 if exact and exists:
117 if exact and exists:
118 if lfile:
118 if lfile:
119 ui.warn(_(b'%s already a largefile\n') % uipathfn(f))
119 ui.warn(_(b'%s already a largefile\n') % uipathfn(f))
120 continue
120 continue
121
121
122 if (exact or not exists) and not lfutil.isstandin(f):
122 if (exact or not exists) and not lfutil.isstandin(f):
123 # In case the file was removed previously, but not committed
123 # In case the file was removed previously, but not committed
124 # (issue3507)
124 # (issue3507)
125 if not repo.wvfs.exists(f):
125 if not repo.wvfs.exists(f):
126 continue
126 continue
127
127
128 abovemin = (
128 abovemin = (
129 lfsize and repo.wvfs.lstat(f).st_size >= lfsize * 1024 * 1024
129 lfsize and repo.wvfs.lstat(f).st_size >= lfsize * 1024 * 1024
130 )
130 )
131 if large or abovemin or (lfmatcher and lfmatcher(f)):
131 if large or abovemin or (lfmatcher and lfmatcher(f)):
132 lfnames.append(f)
132 lfnames.append(f)
133 if ui.verbose or not exact:
133 if ui.verbose or not exact:
134 ui.status(_(b'adding %s as a largefile\n') % uipathfn(f))
134 ui.status(_(b'adding %s as a largefile\n') % uipathfn(f))
135
135
136 bad = []
136 bad = []
137
137
138 # Need to lock, otherwise there could be a race condition between
138 # Need to lock, otherwise there could be a race condition between
139 # when standins are created and added to the repo.
139 # when standins are created and added to the repo.
140 with repo.wlock():
140 with repo.wlock():
141 if not opts.get('dry_run'):
141 if not opts.get('dry_run'):
142 standins = []
142 standins = []
143 lfdirstate = lfutil.openlfdirstate(ui, repo)
143 lfdirstate = lfutil.openlfdirstate(ui, repo)
144 for f in lfnames:
144 for f in lfnames:
145 standinname = lfutil.standin(f)
145 standinname = lfutil.standin(f)
146 lfutil.writestandin(
146 lfutil.writestandin(
147 repo,
147 repo,
148 standinname,
148 standinname,
149 hash=b'',
149 hash=b'',
150 executable=lfutil.getexecutable(repo.wjoin(f)),
150 executable=lfutil.getexecutable(repo.wjoin(f)),
151 )
151 )
152 standins.append(standinname)
152 standins.append(standinname)
153 lfdirstate.set_tracked(f)
153 lfdirstate.set_tracked(f)
154 lfdirstate.write(repo.currenttransaction())
154 lfdirstate.write(repo.currenttransaction())
155 bad += [
155 bad += [
156 lfutil.splitstandin(f)
156 lfutil.splitstandin(f)
157 for f in repo[None].add(standins)
157 for f in repo[None].add(standins)
158 if f in m.files()
158 if f in m.files()
159 ]
159 ]
160
160
161 added = [f for f in lfnames if f not in bad]
161 added = [f for f in lfnames if f not in bad]
162 return added, bad
162 return added, bad
163
163
164
164
165 def removelargefiles(ui, repo, isaddremove, matcher, uipathfn, dryrun, **opts):
165 def removelargefiles(ui, repo, isaddremove, matcher, uipathfn, dryrun, **opts):
166 after = opts.get('after')
166 after = opts.get('after')
167 m = composelargefilematcher(matcher, repo[None].manifest())
167 m = composelargefilematcher(matcher, repo[None].manifest())
168 with lfstatus(repo):
168 with lfstatus(repo):
169 s = repo.status(match=m, clean=not isaddremove)
169 s = repo.status(match=m, clean=not isaddremove)
170 manifest = repo[None].manifest()
170 manifest = repo[None].manifest()
171 modified, added, deleted, clean = [
171 modified, added, deleted, clean = [
172 [f for f in list if lfutil.standin(f) in manifest]
172 [f for f in list if lfutil.standin(f) in manifest]
173 for list in (s.modified, s.added, s.deleted, s.clean)
173 for list in (s.modified, s.added, s.deleted, s.clean)
174 ]
174 ]
175
175
176 def warn(files, msg):
176 def warn(files, msg):
177 for f in files:
177 for f in files:
178 ui.warn(msg % uipathfn(f))
178 ui.warn(msg % uipathfn(f))
179 return int(len(files) > 0)
179 return int(len(files) > 0)
180
180
181 if after:
181 if after:
182 remove = deleted
182 remove = deleted
183 result = warn(
183 result = warn(
184 modified + added + clean, _(b'not removing %s: file still exists\n')
184 modified + added + clean, _(b'not removing %s: file still exists\n')
185 )
185 )
186 else:
186 else:
187 remove = deleted + clean
187 remove = deleted + clean
188 result = warn(
188 result = warn(
189 modified,
189 modified,
190 _(
190 _(
191 b'not removing %s: file is modified (use -f'
191 b'not removing %s: file is modified (use -f'
192 b' to force removal)\n'
192 b' to force removal)\n'
193 ),
193 ),
194 )
194 )
195 result = (
195 result = (
196 warn(
196 warn(
197 added,
197 added,
198 _(
198 _(
199 b'not removing %s: file has been marked for add'
199 b'not removing %s: file has been marked for add'
200 b' (use forget to undo)\n'
200 b' (use forget to undo)\n'
201 ),
201 ),
202 )
202 )
203 or result
203 or result
204 )
204 )
205
205
206 # Need to lock because standin files are deleted then removed from the
206 # Need to lock because standin files are deleted then removed from the
207 # repository and we could race in-between.
207 # repository and we could race in-between.
208 with repo.wlock():
208 with repo.wlock():
209 lfdirstate = lfutil.openlfdirstate(ui, repo)
209 lfdirstate = lfutil.openlfdirstate(ui, repo)
210 for f in sorted(remove):
210 for f in sorted(remove):
211 if ui.verbose or not m.exact(f):
211 if ui.verbose or not m.exact(f):
212 ui.status(_(b'removing %s\n') % uipathfn(f))
212 ui.status(_(b'removing %s\n') % uipathfn(f))
213
213
214 if not dryrun:
214 if not dryrun:
215 if not after:
215 if not after:
216 repo.wvfs.unlinkpath(f, ignoremissing=True)
216 repo.wvfs.unlinkpath(f, ignoremissing=True)
217
217
218 if dryrun:
218 if dryrun:
219 return result
219 return result
220
220
221 remove = [lfutil.standin(f) for f in remove]
221 remove = [lfutil.standin(f) for f in remove]
222 # If this is being called by addremove, let the original addremove
222 # If this is being called by addremove, let the original addremove
223 # function handle this.
223 # function handle this.
224 if not isaddremove:
224 if not isaddremove:
225 for f in remove:
225 for f in remove:
226 repo.wvfs.unlinkpath(f, ignoremissing=True)
226 repo.wvfs.unlinkpath(f, ignoremissing=True)
227 repo[None].forget(remove)
227 repo[None].forget(remove)
228
228
229 for f in remove:
229 for f in remove:
230 lfdirstate.set_untracked(lfutil.splitstandin(f))
230 lfdirstate.set_untracked(lfutil.splitstandin(f))
231
231
232 lfdirstate.write(repo.currenttransaction())
232 lfdirstate.write(repo.currenttransaction())
233
233
234 return result
234 return result
235
235
236
236
237 # For overriding mercurial.hgweb.webcommands so that largefiles will
237 # For overriding mercurial.hgweb.webcommands so that largefiles will
238 # appear at their right place in the manifests.
238 # appear at their right place in the manifests.
239 @eh.wrapfunction(webcommands, b'decodepath')
239 @eh.wrapfunction(webcommands, b'decodepath')
240 def decodepath(orig, path):
240 def decodepath(orig, path):
241 return lfutil.splitstandin(path) or path
241 return lfutil.splitstandin(path) or path
242
242
243
243
244 # -- Wrappers: modify existing commands --------------------------------
244 # -- Wrappers: modify existing commands --------------------------------
245
245
246
246
247 @eh.wrapcommand(
247 @eh.wrapcommand(
248 b'add',
248 b'add',
249 opts=[
249 opts=[
250 (b'', b'large', None, _(b'add as largefile')),
250 (b'', b'large', None, _(b'add as largefile')),
251 (b'', b'normal', None, _(b'add as normal file')),
251 (b'', b'normal', None, _(b'add as normal file')),
252 (
252 (
253 b'',
253 b'',
254 b'lfsize',
254 b'lfsize',
255 b'',
255 b'',
256 _(
256 _(
257 b'add all files above this size (in megabytes) '
257 b'add all files above this size (in megabytes) '
258 b'as largefiles (default: 10)'
258 b'as largefiles (default: 10)'
259 ),
259 ),
260 ),
260 ),
261 ],
261 ],
262 )
262 )
263 def overrideadd(orig, ui, repo, *pats, **opts):
263 def overrideadd(orig, ui, repo, *pats, **opts):
264 if opts.get('normal') and opts.get('large'):
264 if opts.get('normal') and opts.get('large'):
265 raise error.Abort(_(b'--normal cannot be used with --large'))
265 raise error.Abort(_(b'--normal cannot be used with --large'))
266 return orig(ui, repo, *pats, **opts)
266 return orig(ui, repo, *pats, **opts)
267
267
268
268
269 @eh.wrapfunction(cmdutil, b'add')
269 @eh.wrapfunction(cmdutil, b'add')
270 def cmdutiladd(orig, ui, repo, matcher, prefix, uipathfn, explicitonly, **opts):
270 def cmdutiladd(orig, ui, repo, matcher, prefix, uipathfn, explicitonly, **opts):
271 # The --normal flag short circuits this override
271 # The --normal flag short circuits this override
272 if opts.get('normal'):
272 if opts.get('normal'):
273 return orig(ui, repo, matcher, prefix, uipathfn, explicitonly, **opts)
273 return orig(ui, repo, matcher, prefix, uipathfn, explicitonly, **opts)
274
274
275 ladded, lbad = addlargefiles(ui, repo, False, matcher, uipathfn, **opts)
275 ladded, lbad = addlargefiles(ui, repo, False, matcher, uipathfn, **opts)
276 normalmatcher = composenormalfilematcher(
276 normalmatcher = composenormalfilematcher(
277 matcher, repo[None].manifest(), ladded
277 matcher, repo[None].manifest(), ladded
278 )
278 )
279 bad = orig(ui, repo, normalmatcher, prefix, uipathfn, explicitonly, **opts)
279 bad = orig(ui, repo, normalmatcher, prefix, uipathfn, explicitonly, **opts)
280
280
281 bad.extend(f for f in lbad)
281 bad.extend(f for f in lbad)
282 return bad
282 return bad
283
283
284
284
285 @eh.wrapfunction(cmdutil, b'remove')
285 @eh.wrapfunction(cmdutil, b'remove')
286 def cmdutilremove(
286 def cmdutilremove(
287 orig, ui, repo, matcher, prefix, uipathfn, after, force, subrepos, dryrun
287 orig, ui, repo, matcher, prefix, uipathfn, after, force, subrepos, dryrun
288 ):
288 ):
289 normalmatcher = composenormalfilematcher(matcher, repo[None].manifest())
289 normalmatcher = composenormalfilematcher(matcher, repo[None].manifest())
290 result = orig(
290 result = orig(
291 ui,
291 ui,
292 repo,
292 repo,
293 normalmatcher,
293 normalmatcher,
294 prefix,
294 prefix,
295 uipathfn,
295 uipathfn,
296 after,
296 after,
297 force,
297 force,
298 subrepos,
298 subrepos,
299 dryrun,
299 dryrun,
300 )
300 )
301 return (
301 return (
302 removelargefiles(
302 removelargefiles(
303 ui, repo, False, matcher, uipathfn, dryrun, after=after, force=force
303 ui, repo, False, matcher, uipathfn, dryrun, after=after, force=force
304 )
304 )
305 or result
305 or result
306 )
306 )
307
307
308
308
309 @eh.wrapfunction(subrepo.hgsubrepo, b'status')
309 @eh.wrapfunction(subrepo.hgsubrepo, b'status')
310 def overridestatusfn(orig, repo, rev2, **opts):
310 def overridestatusfn(orig, repo, rev2, **opts):
311 with lfstatus(repo._repo):
311 with lfstatus(repo._repo):
312 return orig(repo, rev2, **opts)
312 return orig(repo, rev2, **opts)
313
313
314
314
315 @eh.wrapcommand(b'status')
315 @eh.wrapcommand(b'status')
316 def overridestatus(orig, ui, repo, *pats, **opts):
316 def overridestatus(orig, ui, repo, *pats, **opts):
317 with lfstatus(repo):
317 with lfstatus(repo):
318 return orig(ui, repo, *pats, **opts)
318 return orig(ui, repo, *pats, **opts)
319
319
320
320
321 @eh.wrapfunction(subrepo.hgsubrepo, b'dirty')
321 @eh.wrapfunction(subrepo.hgsubrepo, b'dirty')
322 def overridedirty(orig, repo, ignoreupdate=False, missing=False):
322 def overridedirty(orig, repo, ignoreupdate=False, missing=False):
323 with lfstatus(repo._repo):
323 with lfstatus(repo._repo):
324 return orig(repo, ignoreupdate=ignoreupdate, missing=missing)
324 return orig(repo, ignoreupdate=ignoreupdate, missing=missing)
325
325
326
326
327 @eh.wrapcommand(b'log')
327 @eh.wrapcommand(b'log')
328 def overridelog(orig, ui, repo, *pats, **opts):
328 def overridelog(orig, ui, repo, *pats, **opts):
329 def overridematchandpats(
329 def overridematchandpats(
330 orig,
330 orig,
331 ctx,
331 ctx,
332 pats=(),
332 pats=(),
333 opts=None,
333 opts=None,
334 globbed=False,
334 globbed=False,
335 default=b'relpath',
335 default=b'relpath',
336 badfn=None,
336 badfn=None,
337 ):
337 ):
338 """Matcher that merges root directory with .hglf, suitable for log.
338 """Matcher that merges root directory with .hglf, suitable for log.
339 It is still possible to match .hglf directly.
339 It is still possible to match .hglf directly.
340 For any listed files run log on the standin too.
340 For any listed files run log on the standin too.
341 matchfn tries both the given filename and with .hglf stripped.
341 matchfn tries both the given filename and with .hglf stripped.
342 """
342 """
343 if opts is None:
343 if opts is None:
344 opts = {}
344 opts = {}
345 matchandpats = orig(ctx, pats, opts, globbed, default, badfn=badfn)
345 matchandpats = orig(ctx, pats, opts, globbed, default, badfn=badfn)
346 m, p = copy.copy(matchandpats)
346 m, p = copy.copy(matchandpats)
347
347
348 if m.always():
348 if m.always():
349 # We want to match everything anyway, so there's no benefit trying
349 # We want to match everything anyway, so there's no benefit trying
350 # to add standins.
350 # to add standins.
351 return matchandpats
351 return matchandpats
352
352
353 pats = set(p)
353 pats = set(p)
354
354
355 def fixpats(pat, tostandin=lfutil.standin):
355 def fixpats(pat, tostandin=lfutil.standin):
356 if pat.startswith(b'set:'):
356 if pat.startswith(b'set:'):
357 return pat
357 return pat
358
358
359 kindpat = matchmod._patsplit(pat, None)
359 kindpat = matchmod._patsplit(pat, None)
360
360
361 if kindpat[0] is not None:
361 if kindpat[0] is not None:
362 return kindpat[0] + b':' + tostandin(kindpat[1])
362 return kindpat[0] + b':' + tostandin(kindpat[1])
363 return tostandin(kindpat[1])
363 return tostandin(kindpat[1])
364
364
365 cwd = repo.getcwd()
365 cwd = repo.getcwd()
366 if cwd:
366 if cwd:
367 hglf = lfutil.shortname
367 hglf = lfutil.shortname
368 back = util.pconvert(repo.pathto(hglf)[: -len(hglf)])
368 back = util.pconvert(repo.pathto(hglf)[: -len(hglf)])
369
369
370 def tostandin(f):
370 def tostandin(f):
371 # The file may already be a standin, so truncate the back
371 # The file may already be a standin, so truncate the back
372 # prefix and test before mangling it. This avoids turning
372 # prefix and test before mangling it. This avoids turning
373 # 'glob:../.hglf/foo*' into 'glob:../.hglf/../.hglf/foo*'.
373 # 'glob:../.hglf/foo*' into 'glob:../.hglf/../.hglf/foo*'.
374 if f.startswith(back) and lfutil.splitstandin(f[len(back) :]):
374 if f.startswith(back) and lfutil.splitstandin(f[len(back) :]):
375 return f
375 return f
376
376
377 # An absolute path is from outside the repo, so truncate the
377 # An absolute path is from outside the repo, so truncate the
378 # path to the root before building the standin. Otherwise cwd
378 # path to the root before building the standin. Otherwise cwd
379 # is somewhere in the repo, relative to root, and needs to be
379 # is somewhere in the repo, relative to root, and needs to be
380 # prepended before building the standin.
380 # prepended before building the standin.
381 if os.path.isabs(cwd):
381 if os.path.isabs(cwd):
382 f = f[len(back) :]
382 f = f[len(back) :]
383 else:
383 else:
384 f = cwd + b'/' + f
384 f = cwd + b'/' + f
385 return back + lfutil.standin(f)
385 return back + lfutil.standin(f)
386
386
387 else:
387 else:
388
388
389 def tostandin(f):
389 def tostandin(f):
390 if lfutil.isstandin(f):
390 if lfutil.isstandin(f):
391 return f
391 return f
392 return lfutil.standin(f)
392 return lfutil.standin(f)
393
393
394 pats.update(fixpats(f, tostandin) for f in p)
394 pats.update(fixpats(f, tostandin) for f in p)
395
395
396 for i in range(0, len(m._files)):
396 for i in range(0, len(m._files)):
397 # Don't add '.hglf' to m.files, since that is already covered by '.'
397 # Don't add '.hglf' to m.files, since that is already covered by '.'
398 if m._files[i] == b'.':
398 if m._files[i] == b'.':
399 continue
399 continue
400 standin = lfutil.standin(m._files[i])
400 standin = lfutil.standin(m._files[i])
401 # If the "standin" is a directory, append instead of replace to
401 # If the "standin" is a directory, append instead of replace to
402 # support naming a directory on the command line with only
402 # support naming a directory on the command line with only
403 # largefiles. The original directory is kept to support normal
403 # largefiles. The original directory is kept to support normal
404 # files.
404 # files.
405 if standin in ctx:
405 if standin in ctx:
406 m._files[i] = standin
406 m._files[i] = standin
407 elif m._files[i] not in ctx and repo.wvfs.isdir(standin):
407 elif m._files[i] not in ctx and repo.wvfs.isdir(standin):
408 m._files.append(standin)
408 m._files.append(standin)
409
409
410 m._fileset = set(m._files)
410 m._fileset = set(m._files)
411 m.always = lambda: False
411 m.always = lambda: False
412 origmatchfn = m.matchfn
412 origmatchfn = m.matchfn
413
413
414 def lfmatchfn(f):
414 def lfmatchfn(f):
415 lf = lfutil.splitstandin(f)
415 lf = lfutil.splitstandin(f)
416 if lf is not None and origmatchfn(lf):
416 if lf is not None and origmatchfn(lf):
417 return True
417 return True
418 r = origmatchfn(f)
418 r = origmatchfn(f)
419 return r
419 return r
420
420
421 m.matchfn = lfmatchfn
421 m.matchfn = lfmatchfn
422
422
423 ui.debug(b'updated patterns: %s\n' % b', '.join(sorted(pats)))
423 ui.debug(b'updated patterns: %s\n' % b', '.join(sorted(pats)))
424 return m, pats
424 return m, pats
425
425
426 # For hg log --patch, the match object is used in two different senses:
426 # For hg log --patch, the match object is used in two different senses:
427 # (1) to determine what revisions should be printed out, and
427 # (1) to determine what revisions should be printed out, and
428 # (2) to determine what files to print out diffs for.
428 # (2) to determine what files to print out diffs for.
429 # The magic matchandpats override should be used for case (1) but not for
429 # The magic matchandpats override should be used for case (1) but not for
430 # case (2).
430 # case (2).
431 oldmatchandpats = scmutil.matchandpats
431 oldmatchandpats = scmutil.matchandpats
432
432
433 def overridemakefilematcher(orig, repo, pats, opts, badfn=None):
433 def overridemakefilematcher(orig, repo, pats, opts, badfn=None):
434 wctx = repo[None]
434 wctx = repo[None]
435 match, pats = oldmatchandpats(wctx, pats, opts, badfn=badfn)
435 match, pats = oldmatchandpats(wctx, pats, opts, badfn=badfn)
436 return lambda ctx: match
436 return lambda ctx: match
437
437
438 wrappedmatchandpats = extensions.wrappedfunction(
438 wrappedmatchandpats = extensions.wrappedfunction(
439 scmutil, b'matchandpats', overridematchandpats
439 scmutil, b'matchandpats', overridematchandpats
440 )
440 )
441 wrappedmakefilematcher = extensions.wrappedfunction(
441 wrappedmakefilematcher = extensions.wrappedfunction(
442 logcmdutil, b'_makenofollowfilematcher', overridemakefilematcher
442 logcmdutil, b'_makenofollowfilematcher', overridemakefilematcher
443 )
443 )
444 with wrappedmatchandpats, wrappedmakefilematcher:
444 with wrappedmatchandpats, wrappedmakefilematcher:
445 return orig(ui, repo, *pats, **opts)
445 return orig(ui, repo, *pats, **opts)
446
446
447
447
448 @eh.wrapcommand(
448 @eh.wrapcommand(
449 b'verify',
449 b'verify',
450 opts=[
450 opts=[
451 (
451 (
452 b'',
452 b'',
453 b'large',
453 b'large',
454 None,
454 None,
455 _(b'verify that all largefiles in current revision exists'),
455 _(b'verify that all largefiles in current revision exists'),
456 ),
456 ),
457 (
457 (
458 b'',
458 b'',
459 b'lfa',
459 b'lfa',
460 None,
460 None,
461 _(b'verify largefiles in all revisions, not just current'),
461 _(b'verify largefiles in all revisions, not just current'),
462 ),
462 ),
463 (
463 (
464 b'',
464 b'',
465 b'lfc',
465 b'lfc',
466 None,
466 None,
467 _(b'verify local largefile contents, not just existence'),
467 _(b'verify local largefile contents, not just existence'),
468 ),
468 ),
469 ],
469 ],
470 )
470 )
471 def overrideverify(orig, ui, repo, *pats, **opts):
471 def overrideverify(orig, ui, repo, *pats, **opts):
472 large = opts.pop('large', False)
472 large = opts.pop('large', False)
473 all = opts.pop('lfa', False)
473 all = opts.pop('lfa', False)
474 contents = opts.pop('lfc', False)
474 contents = opts.pop('lfc', False)
475
475
476 result = orig(ui, repo, *pats, **opts)
476 result = orig(ui, repo, *pats, **opts)
477 if large or all or contents:
477 if large or all or contents:
478 result = result or lfcommands.verifylfiles(ui, repo, all, contents)
478 result = result or lfcommands.verifylfiles(ui, repo, all, contents)
479 return result
479 return result
480
480
481
481
482 @eh.wrapcommand(
482 @eh.wrapcommand(
483 b'debugstate',
483 b'debugstate',
484 opts=[(b'', b'large', None, _(b'display largefiles dirstate'))],
484 opts=[(b'', b'large', None, _(b'display largefiles dirstate'))],
485 )
485 )
486 def overridedebugstate(orig, ui, repo, *pats, **opts):
486 def overridedebugstate(orig, ui, repo, *pats, **opts):
487 large = opts.pop('large', False)
487 large = opts.pop('large', False)
488 if large:
488 if large:
489
489
490 class fakerepo(object):
490 class fakerepo(object):
491 dirstate = lfutil.openlfdirstate(ui, repo)
491 dirstate = lfutil.openlfdirstate(ui, repo)
492
492
493 orig(ui, fakerepo, *pats, **opts)
493 orig(ui, fakerepo, *pats, **opts)
494 else:
494 else:
495 orig(ui, repo, *pats, **opts)
495 orig(ui, repo, *pats, **opts)
496
496
497
497
498 # Before starting the manifest merge, merge.updates will call
498 # Before starting the manifest merge, merge.updates will call
499 # _checkunknownfile to check if there are any files in the merged-in
499 # _checkunknownfile to check if there are any files in the merged-in
500 # changeset that collide with unknown files in the working copy.
500 # changeset that collide with unknown files in the working copy.
501 #
501 #
502 # The largefiles are seen as unknown, so this prevents us from merging
502 # The largefiles are seen as unknown, so this prevents us from merging
503 # in a file 'foo' if we already have a largefile with the same name.
503 # in a file 'foo' if we already have a largefile with the same name.
504 #
504 #
505 # The overridden function filters the unknown files by removing any
505 # The overridden function filters the unknown files by removing any
506 # largefiles. This makes the merge proceed and we can then handle this
506 # largefiles. This makes the merge proceed and we can then handle this
507 # case further in the overridden calculateupdates function below.
507 # case further in the overridden calculateupdates function below.
508 @eh.wrapfunction(merge, b'_checkunknownfile')
508 @eh.wrapfunction(merge, b'_checkunknownfile')
509 def overridecheckunknownfile(origfn, repo, wctx, mctx, f, f2=None):
509 def overridecheckunknownfile(origfn, repo, wctx, mctx, f, f2=None):
510 if lfutil.standin(repo.dirstate.normalize(f)) in wctx:
510 if lfutil.standin(repo.dirstate.normalize(f)) in wctx:
511 return False
511 return False
512 return origfn(repo, wctx, mctx, f, f2)
512 return origfn(repo, wctx, mctx, f, f2)
513
513
514
514
515 # The manifest merge handles conflicts on the manifest level. We want
515 # The manifest merge handles conflicts on the manifest level. We want
516 # to handle changes in largefile-ness of files at this level too.
516 # to handle changes in largefile-ness of files at this level too.
517 #
517 #
518 # The strategy is to run the original calculateupdates and then process
518 # The strategy is to run the original calculateupdates and then process
519 # the action list it outputs. There are two cases we need to deal with:
519 # the action list it outputs. There are two cases we need to deal with:
520 #
520 #
521 # 1. Normal file in p1, largefile in p2. Here the largefile is
521 # 1. Normal file in p1, largefile in p2. Here the largefile is
522 # detected via its standin file, which will enter the working copy
522 # detected via its standin file, which will enter the working copy
523 # with a "get" action. It is not "merge" since the standin is all
523 # with a "get" action. It is not "merge" since the standin is all
524 # Mercurial is concerned with at this level -- the link to the
524 # Mercurial is concerned with at this level -- the link to the
525 # existing normal file is not relevant here.
525 # existing normal file is not relevant here.
526 #
526 #
527 # 2. Largefile in p1, normal file in p2. Here we get a "merge" action
527 # 2. Largefile in p1, normal file in p2. Here we get a "merge" action
528 # since the largefile will be present in the working copy and
528 # since the largefile will be present in the working copy and
529 # different from the normal file in p2. Mercurial therefore
529 # different from the normal file in p2. Mercurial therefore
530 # triggers a merge action.
530 # triggers a merge action.
531 #
531 #
532 # In both cases, we prompt the user and emit new actions to either
532 # In both cases, we prompt the user and emit new actions to either
533 # remove the standin (if the normal file was kept) or to remove the
533 # remove the standin (if the normal file was kept) or to remove the
534 # normal file and get the standin (if the largefile was kept). The
534 # normal file and get the standin (if the largefile was kept). The
535 # default prompt answer is to use the largefile version since it was
535 # default prompt answer is to use the largefile version since it was
536 # presumably changed on purpose.
536 # presumably changed on purpose.
537 #
537 #
538 # Finally, the merge.applyupdates function will then take care of
538 # Finally, the merge.applyupdates function will then take care of
539 # writing the files into the working copy and lfcommands.updatelfiles
539 # writing the files into the working copy and lfcommands.updatelfiles
540 # will update the largefiles.
540 # will update the largefiles.
541 @eh.wrapfunction(merge, b'calculateupdates')
541 @eh.wrapfunction(merge, b'calculateupdates')
542 def overridecalculateupdates(
542 def overridecalculateupdates(
543 origfn, repo, p1, p2, pas, branchmerge, force, acceptremote, *args, **kwargs
543 origfn, repo, p1, p2, pas, branchmerge, force, acceptremote, *args, **kwargs
544 ):
544 ):
545 overwrite = force and not branchmerge
545 overwrite = force and not branchmerge
546 mresult = origfn(
546 mresult = origfn(
547 repo, p1, p2, pas, branchmerge, force, acceptremote, *args, **kwargs
547 repo, p1, p2, pas, branchmerge, force, acceptremote, *args, **kwargs
548 )
548 )
549
549
550 if overwrite:
550 if overwrite:
551 return mresult
551 return mresult
552
552
553 # Convert to dictionary with filename as key and action as value.
553 # Convert to dictionary with filename as key and action as value.
554 lfiles = set()
554 lfiles = set()
555 for f in mresult.files():
555 for f in mresult.files():
556 splitstandin = lfutil.splitstandin(f)
556 splitstandin = lfutil.splitstandin(f)
557 if splitstandin is not None and splitstandin in p1:
557 if splitstandin is not None and splitstandin in p1:
558 lfiles.add(splitstandin)
558 lfiles.add(splitstandin)
559 elif lfutil.standin(f) in p1:
559 elif lfutil.standin(f) in p1:
560 lfiles.add(f)
560 lfiles.add(f)
561
561
562 for lfile in sorted(lfiles):
562 for lfile in sorted(lfiles):
563 standin = lfutil.standin(lfile)
563 standin = lfutil.standin(lfile)
564 (lm, largs, lmsg) = mresult.getfile(lfile, (None, None, None))
564 (lm, largs, lmsg) = mresult.getfile(lfile, (None, None, None))
565 (sm, sargs, smsg) = mresult.getfile(standin, (None, None, None))
565 (sm, sargs, smsg) = mresult.getfile(standin, (None, None, None))
566 if sm in (b'g', b'dc') and lm != b'r':
566 if sm in (b'g', b'dc') and lm != b'r':
567 if sm == b'dc':
567 if sm == b'dc':
568 f1, f2, fa, move, anc = sargs
568 f1, f2, fa, move, anc = sargs
569 sargs = (p2[f2].flags(), False)
569 sargs = (p2[f2].flags(), False)
570 # Case 1: normal file in the working copy, largefile in
570 # Case 1: normal file in the working copy, largefile in
571 # the second parent
571 # the second parent
572 usermsg = (
572 usermsg = (
573 _(
573 _(
574 b'remote turned local normal file %s into a largefile\n'
574 b'remote turned local normal file %s into a largefile\n'
575 b'use (l)argefile or keep (n)ormal file?'
575 b'use (l)argefile or keep (n)ormal file?'
576 b'$$ &Largefile $$ &Normal file'
576 b'$$ &Largefile $$ &Normal file'
577 )
577 )
578 % lfile
578 % lfile
579 )
579 )
580 if repo.ui.promptchoice(usermsg, 0) == 0: # pick remote largefile
580 if repo.ui.promptchoice(usermsg, 0) == 0: # pick remote largefile
581 mresult.addfile(lfile, b'r', None, b'replaced by standin')
581 mresult.addfile(lfile, b'r', None, b'replaced by standin')
582 mresult.addfile(standin, b'g', sargs, b'replaces standin')
582 mresult.addfile(standin, b'g', sargs, b'replaces standin')
583 else: # keep local normal file
583 else: # keep local normal file
584 mresult.addfile(lfile, b'k', None, b'replaces standin')
584 mresult.addfile(lfile, b'k', None, b'replaces standin')
585 if branchmerge:
585 if branchmerge:
586 mresult.addfile(
586 mresult.addfile(
587 standin,
587 standin,
588 b'k',
588 b'k',
589 None,
589 None,
590 b'replaced by non-standin',
590 b'replaced by non-standin',
591 )
591 )
592 else:
592 else:
593 mresult.addfile(
593 mresult.addfile(
594 standin,
594 standin,
595 b'r',
595 b'r',
596 None,
596 None,
597 b'replaced by non-standin',
597 b'replaced by non-standin',
598 )
598 )
599 elif lm in (b'g', b'dc') and sm != b'r':
599 elif lm in (b'g', b'dc') and sm != b'r':
600 if lm == b'dc':
600 if lm == b'dc':
601 f1, f2, fa, move, anc = largs
601 f1, f2, fa, move, anc = largs
602 largs = (p2[f2].flags(), False)
602 largs = (p2[f2].flags(), False)
603 # Case 2: largefile in the working copy, normal file in
603 # Case 2: largefile in the working copy, normal file in
604 # the second parent
604 # the second parent
605 usermsg = (
605 usermsg = (
606 _(
606 _(
607 b'remote turned local largefile %s into a normal file\n'
607 b'remote turned local largefile %s into a normal file\n'
608 b'keep (l)argefile or use (n)ormal file?'
608 b'keep (l)argefile or use (n)ormal file?'
609 b'$$ &Largefile $$ &Normal file'
609 b'$$ &Largefile $$ &Normal file'
610 )
610 )
611 % lfile
611 % lfile
612 )
612 )
613 if repo.ui.promptchoice(usermsg, 0) == 0: # keep local largefile
613 if repo.ui.promptchoice(usermsg, 0) == 0: # keep local largefile
614 if branchmerge:
614 if branchmerge:
615 # largefile can be restored from standin safely
615 # largefile can be restored from standin safely
616 mresult.addfile(
616 mresult.addfile(
617 lfile,
617 lfile,
618 b'k',
618 b'k',
619 None,
619 None,
620 b'replaced by standin',
620 b'replaced by standin',
621 )
621 )
622 mresult.addfile(standin, b'k', None, b'replaces standin')
622 mresult.addfile(standin, b'k', None, b'replaces standin')
623 else:
623 else:
624 # "lfile" should be marked as "removed" without
624 # "lfile" should be marked as "removed" without
625 # removal of itself
625 # removal of itself
626 mresult.addfile(
626 mresult.addfile(
627 lfile,
627 lfile,
628 MERGE_ACTION_LARGEFILE_MARK_REMOVED,
628 MERGE_ACTION_LARGEFILE_MARK_REMOVED,
629 None,
629 None,
630 b'forget non-standin largefile',
630 b'forget non-standin largefile',
631 )
631 )
632
632
633 # linear-merge should treat this largefile as 're-added'
633 # linear-merge should treat this largefile as 're-added'
634 mresult.addfile(standin, b'a', None, b'keep standin')
634 mresult.addfile(standin, b'a', None, b'keep standin')
635 else: # pick remote normal file
635 else: # pick remote normal file
636 mresult.addfile(lfile, b'g', largs, b'replaces standin')
636 mresult.addfile(lfile, b'g', largs, b'replaces standin')
637 mresult.addfile(
637 mresult.addfile(
638 standin,
638 standin,
639 b'r',
639 b'r',
640 None,
640 None,
641 b'replaced by non-standin',
641 b'replaced by non-standin',
642 )
642 )
643
643
644 return mresult
644 return mresult
645
645
646
646
647 @eh.wrapfunction(mergestatemod, b'recordupdates')
647 @eh.wrapfunction(mergestatemod, b'recordupdates')
648 def mergerecordupdates(orig, repo, actions, branchmerge, getfiledata):
648 def mergerecordupdates(orig, repo, actions, branchmerge, getfiledata):
649 if MERGE_ACTION_LARGEFILE_MARK_REMOVED in actions:
649 if MERGE_ACTION_LARGEFILE_MARK_REMOVED in actions:
650 lfdirstate = lfutil.openlfdirstate(repo.ui, repo)
650 lfdirstate = lfutil.openlfdirstate(repo.ui, repo)
651 with lfdirstate.parentchange():
651 with lfdirstate.parentchange():
652 for lfile, args, msg in actions[
652 for lfile, args, msg in actions[
653 MERGE_ACTION_LARGEFILE_MARK_REMOVED
653 MERGE_ACTION_LARGEFILE_MARK_REMOVED
654 ]:
654 ]:
655 # this should be executed before 'orig', to execute 'remove'
655 # this should be executed before 'orig', to execute 'remove'
656 # before all other actions
656 # before all other actions
657 repo.dirstate.update_file(
657 repo.dirstate.update_file(
658 lfile, p1_tracked=True, wc_tracked=False
658 lfile, p1_tracked=True, wc_tracked=False
659 )
659 )
660 # make sure lfile doesn't get synclfdirstate'd as normal
660 # make sure lfile doesn't get synclfdirstate'd as normal
661 lfdirstate.update_file(lfile, p1_tracked=False, wc_tracked=True)
661 lfdirstate.update_file(lfile, p1_tracked=False, wc_tracked=True)
662 lfdirstate.write(repo.currenttransaction())
662 lfdirstate.write(repo.currenttransaction())
663
663
664 return orig(repo, actions, branchmerge, getfiledata)
664 return orig(repo, actions, branchmerge, getfiledata)
665
665
666
666
667 # Override filemerge to prompt the user about how they wish to merge
667 # Override filemerge to prompt the user about how they wish to merge
668 # largefiles. This will handle identical edits without prompting the user.
668 # largefiles. This will handle identical edits without prompting the user.
669 @eh.wrapfunction(filemerge, b'_filemerge')
669 @eh.wrapfunction(filemerge, b'_filemerge')
670 def overridefilemerge(
670 def overridefilemerge(
671 origfn, premerge, repo, wctx, mynode, orig, fcd, fco, fca, labels=None
671 origfn, premerge, repo, wctx, mynode, orig, fcd, fco, fca, labels=None
672 ):
672 ):
673 if not lfutil.isstandin(orig) or fcd.isabsent() or fco.isabsent():
673 if not lfutil.isstandin(orig) or fcd.isabsent() or fco.isabsent():
674 return origfn(
674 return origfn(
675 premerge, repo, wctx, mynode, orig, fcd, fco, fca, labels=labels
675 premerge, repo, wctx, mynode, orig, fcd, fco, fca, labels=labels
676 )
676 )
677
677
678 ahash = lfutil.readasstandin(fca).lower()
678 ahash = lfutil.readasstandin(fca).lower()
679 dhash = lfutil.readasstandin(fcd).lower()
679 dhash = lfutil.readasstandin(fcd).lower()
680 ohash = lfutil.readasstandin(fco).lower()
680 ohash = lfutil.readasstandin(fco).lower()
681 if (
681 if (
682 ohash != ahash
682 ohash != ahash
683 and ohash != dhash
683 and ohash != dhash
684 and (
684 and (
685 dhash == ahash
685 dhash == ahash
686 or repo.ui.promptchoice(
686 or repo.ui.promptchoice(
687 _(
687 _(
688 b'largefile %s has a merge conflict\nancestor was %s\n'
688 b'largefile %s has a merge conflict\nancestor was %s\n'
689 b'you can keep (l)ocal %s or take (o)ther %s.\n'
689 b'you can keep (l)ocal %s or take (o)ther %s.\n'
690 b'what do you want to do?'
690 b'what do you want to do?'
691 b'$$ &Local $$ &Other'
691 b'$$ &Local $$ &Other'
692 )
692 )
693 % (lfutil.splitstandin(orig), ahash, dhash, ohash),
693 % (lfutil.splitstandin(orig), ahash, dhash, ohash),
694 0,
694 0,
695 )
695 )
696 == 1
696 == 1
697 )
697 )
698 ):
698 ):
699 repo.wwrite(fcd.path(), fco.data(), fco.flags())
699 repo.wwrite(fcd.path(), fco.data(), fco.flags())
700 return True, 0, False
700 return True, 0, False
701
701
702
702
703 @eh.wrapfunction(copiesmod, b'pathcopies')
703 @eh.wrapfunction(copiesmod, b'pathcopies')
704 def copiespathcopies(orig, ctx1, ctx2, match=None):
704 def copiespathcopies(orig, ctx1, ctx2, match=None):
705 copies = orig(ctx1, ctx2, match=match)
705 copies = orig(ctx1, ctx2, match=match)
706 updated = {}
706 updated = {}
707
707
708 for k, v in pycompat.iteritems(copies):
708 for k, v in pycompat.iteritems(copies):
709 updated[lfutil.splitstandin(k) or k] = lfutil.splitstandin(v) or v
709 updated[lfutil.splitstandin(k) or k] = lfutil.splitstandin(v) or v
710
710
711 return updated
711 return updated
712
712
713
713
714 # Copy first changes the matchers to match standins instead of
714 # Copy first changes the matchers to match standins instead of
715 # largefiles. Then it overrides util.copyfile in that function it
715 # largefiles. Then it overrides util.copyfile in that function it
716 # checks if the destination largefile already exists. It also keeps a
716 # checks if the destination largefile already exists. It also keeps a
717 # list of copied files so that the largefiles can be copied and the
717 # list of copied files so that the largefiles can be copied and the
718 # dirstate updated.
718 # dirstate updated.
719 @eh.wrapfunction(cmdutil, b'copy')
719 @eh.wrapfunction(cmdutil, b'copy')
720 def overridecopy(orig, ui, repo, pats, opts, rename=False):
720 def overridecopy(orig, ui, repo, pats, opts, rename=False):
721 # doesn't remove largefile on rename
721 # doesn't remove largefile on rename
722 if len(pats) < 2:
722 if len(pats) < 2:
723 # this isn't legal, let the original function deal with it
723 # this isn't legal, let the original function deal with it
724 return orig(ui, repo, pats, opts, rename)
724 return orig(ui, repo, pats, opts, rename)
725
725
726 # This could copy both lfiles and normal files in one command,
726 # This could copy both lfiles and normal files in one command,
727 # but we don't want to do that. First replace their matcher to
727 # but we don't want to do that. First replace their matcher to
728 # only match normal files and run it, then replace it to just
728 # only match normal files and run it, then replace it to just
729 # match largefiles and run it again.
729 # match largefiles and run it again.
730 nonormalfiles = False
730 nonormalfiles = False
731 nolfiles = False
731 nolfiles = False
732 manifest = repo[None].manifest()
732 manifest = repo[None].manifest()
733
733
734 def normalfilesmatchfn(
734 def normalfilesmatchfn(
735 orig,
735 orig,
736 ctx,
736 ctx,
737 pats=(),
737 pats=(),
738 opts=None,
738 opts=None,
739 globbed=False,
739 globbed=False,
740 default=b'relpath',
740 default=b'relpath',
741 badfn=None,
741 badfn=None,
742 ):
742 ):
743 if opts is None:
743 if opts is None:
744 opts = {}
744 opts = {}
745 match = orig(ctx, pats, opts, globbed, default, badfn=badfn)
745 match = orig(ctx, pats, opts, globbed, default, badfn=badfn)
746 return composenormalfilematcher(match, manifest)
746 return composenormalfilematcher(match, manifest)
747
747
748 with extensions.wrappedfunction(scmutil, b'match', normalfilesmatchfn):
748 with extensions.wrappedfunction(scmutil, b'match', normalfilesmatchfn):
749 try:
749 try:
750 result = orig(ui, repo, pats, opts, rename)
750 result = orig(ui, repo, pats, opts, rename)
751 except error.Abort as e:
751 except error.Abort as e:
752 if e.message != _(b'no files to copy'):
752 if e.message != _(b'no files to copy'):
753 raise e
753 raise e
754 else:
754 else:
755 nonormalfiles = True
755 nonormalfiles = True
756 result = 0
756 result = 0
757
757
758 # The first rename can cause our current working directory to be removed.
758 # The first rename can cause our current working directory to be removed.
759 # In that case there is nothing left to copy/rename so just quit.
759 # In that case there is nothing left to copy/rename so just quit.
760 try:
760 try:
761 repo.getcwd()
761 repo.getcwd()
762 except OSError:
762 except OSError:
763 return result
763 return result
764
764
765 def makestandin(relpath):
765 def makestandin(relpath):
766 path = pathutil.canonpath(repo.root, repo.getcwd(), relpath)
766 path = pathutil.canonpath(repo.root, repo.getcwd(), relpath)
767 return repo.wvfs.join(lfutil.standin(path))
767 return repo.wvfs.join(lfutil.standin(path))
768
768
769 fullpats = scmutil.expandpats(pats)
769 fullpats = scmutil.expandpats(pats)
770 dest = fullpats[-1]
770 dest = fullpats[-1]
771
771
772 if os.path.isdir(dest):
772 if os.path.isdir(dest):
773 if not os.path.isdir(makestandin(dest)):
773 if not os.path.isdir(makestandin(dest)):
774 os.makedirs(makestandin(dest))
774 os.makedirs(makestandin(dest))
775
775
776 try:
776 try:
777 # When we call orig below it creates the standins but we don't add
777 # When we call orig below it creates the standins but we don't add
778 # them to the dir state until later so lock during that time.
778 # them to the dir state until later so lock during that time.
779 wlock = repo.wlock()
779 wlock = repo.wlock()
780
780
781 manifest = repo[None].manifest()
781 manifest = repo[None].manifest()
782
782
783 def overridematch(
783 def overridematch(
784 orig,
784 orig,
785 ctx,
785 ctx,
786 pats=(),
786 pats=(),
787 opts=None,
787 opts=None,
788 globbed=False,
788 globbed=False,
789 default=b'relpath',
789 default=b'relpath',
790 badfn=None,
790 badfn=None,
791 ):
791 ):
792 if opts is None:
792 if opts is None:
793 opts = {}
793 opts = {}
794 newpats = []
794 newpats = []
795 # The patterns were previously mangled to add the standin
795 # The patterns were previously mangled to add the standin
796 # directory; we need to remove that now
796 # directory; we need to remove that now
797 for pat in pats:
797 for pat in pats:
798 if matchmod.patkind(pat) is None and lfutil.shortname in pat:
798 if matchmod.patkind(pat) is None and lfutil.shortname in pat:
799 newpats.append(pat.replace(lfutil.shortname, b''))
799 newpats.append(pat.replace(lfutil.shortname, b''))
800 else:
800 else:
801 newpats.append(pat)
801 newpats.append(pat)
802 match = orig(ctx, newpats, opts, globbed, default, badfn=badfn)
802 match = orig(ctx, newpats, opts, globbed, default, badfn=badfn)
803 m = copy.copy(match)
803 m = copy.copy(match)
804 lfile = lambda f: lfutil.standin(f) in manifest
804 lfile = lambda f: lfutil.standin(f) in manifest
805 m._files = [lfutil.standin(f) for f in m._files if lfile(f)]
805 m._files = [lfutil.standin(f) for f in m._files if lfile(f)]
806 m._fileset = set(m._files)
806 m._fileset = set(m._files)
807 origmatchfn = m.matchfn
807 origmatchfn = m.matchfn
808
808
809 def matchfn(f):
809 def matchfn(f):
810 lfile = lfutil.splitstandin(f)
810 lfile = lfutil.splitstandin(f)
811 return (
811 return (
812 lfile is not None
812 lfile is not None
813 and (f in manifest)
813 and (f in manifest)
814 and origmatchfn(lfile)
814 and origmatchfn(lfile)
815 or None
815 or None
816 )
816 )
817
817
818 m.matchfn = matchfn
818 m.matchfn = matchfn
819 return m
819 return m
820
820
821 listpats = []
821 listpats = []
822 for pat in pats:
822 for pat in pats:
823 if matchmod.patkind(pat) is not None:
823 if matchmod.patkind(pat) is not None:
824 listpats.append(pat)
824 listpats.append(pat)
825 else:
825 else:
826 listpats.append(makestandin(pat))
826 listpats.append(makestandin(pat))
827
827
828 copiedfiles = []
828 copiedfiles = []
829
829
830 def overridecopyfile(orig, src, dest, *args, **kwargs):
830 def overridecopyfile(orig, src, dest, *args, **kwargs):
831 if lfutil.shortname in src and dest.startswith(
831 if lfutil.shortname in src and dest.startswith(
832 repo.wjoin(lfutil.shortname)
832 repo.wjoin(lfutil.shortname)
833 ):
833 ):
834 destlfile = dest.replace(lfutil.shortname, b'')
834 destlfile = dest.replace(lfutil.shortname, b'')
835 if not opts[b'force'] and os.path.exists(destlfile):
835 if not opts[b'force'] and os.path.exists(destlfile):
836 raise IOError(
836 raise IOError(
837 b'', _(b'destination largefile already exists')
837 b'', _(b'destination largefile already exists')
838 )
838 )
839 copiedfiles.append((src, dest))
839 copiedfiles.append((src, dest))
840 orig(src, dest, *args, **kwargs)
840 orig(src, dest, *args, **kwargs)
841
841
842 with extensions.wrappedfunction(util, b'copyfile', overridecopyfile):
842 with extensions.wrappedfunction(util, b'copyfile', overridecopyfile):
843 with extensions.wrappedfunction(scmutil, b'match', overridematch):
843 with extensions.wrappedfunction(scmutil, b'match', overridematch):
844 result += orig(ui, repo, listpats, opts, rename)
844 result += orig(ui, repo, listpats, opts, rename)
845
845
846 lfdirstate = lfutil.openlfdirstate(ui, repo)
846 lfdirstate = lfutil.openlfdirstate(ui, repo)
847 for (src, dest) in copiedfiles:
847 for (src, dest) in copiedfiles:
848 if lfutil.shortname in src and dest.startswith(
848 if lfutil.shortname in src and dest.startswith(
849 repo.wjoin(lfutil.shortname)
849 repo.wjoin(lfutil.shortname)
850 ):
850 ):
851 srclfile = src.replace(repo.wjoin(lfutil.standin(b'')), b'')
851 srclfile = src.replace(repo.wjoin(lfutil.standin(b'')), b'')
852 destlfile = dest.replace(repo.wjoin(lfutil.standin(b'')), b'')
852 destlfile = dest.replace(repo.wjoin(lfutil.standin(b'')), b'')
853 destlfiledir = repo.wvfs.dirname(repo.wjoin(destlfile)) or b'.'
853 destlfiledir = repo.wvfs.dirname(repo.wjoin(destlfile)) or b'.'
854 if not os.path.isdir(destlfiledir):
854 if not os.path.isdir(destlfiledir):
855 os.makedirs(destlfiledir)
855 os.makedirs(destlfiledir)
856 if rename:
856 if rename:
857 os.rename(repo.wjoin(srclfile), repo.wjoin(destlfile))
857 os.rename(repo.wjoin(srclfile), repo.wjoin(destlfile))
858
858
859 # The file is gone, but this deletes any empty parent
859 # The file is gone, but this deletes any empty parent
860 # directories as a side-effect.
860 # directories as a side-effect.
861 repo.wvfs.unlinkpath(srclfile, ignoremissing=True)
861 repo.wvfs.unlinkpath(srclfile, ignoremissing=True)
862 lfdirstate.set_untracked(srclfile)
862 lfdirstate.set_untracked(srclfile)
863 else:
863 else:
864 util.copyfile(repo.wjoin(srclfile), repo.wjoin(destlfile))
864 util.copyfile(repo.wjoin(srclfile), repo.wjoin(destlfile))
865
865
866 lfdirstate.set_tracked(destlfile)
866 lfdirstate.set_tracked(destlfile)
867 lfdirstate.write(repo.currenttransaction())
867 lfdirstate.write(repo.currenttransaction())
868 except error.Abort as e:
868 except error.Abort as e:
869 if e.message != _(b'no files to copy'):
869 if e.message != _(b'no files to copy'):
870 raise e
870 raise e
871 else:
871 else:
872 nolfiles = True
872 nolfiles = True
873 finally:
873 finally:
874 wlock.release()
874 wlock.release()
875
875
876 if nolfiles and nonormalfiles:
876 if nolfiles and nonormalfiles:
877 raise error.Abort(_(b'no files to copy'))
877 raise error.Abort(_(b'no files to copy'))
878
878
879 return result
879 return result
880
880
881
881
882 # When the user calls revert, we have to be careful to not revert any
882 # When the user calls revert, we have to be careful to not revert any
883 # changes to other largefiles accidentally. This means we have to keep
883 # changes to other largefiles accidentally. This means we have to keep
884 # track of the largefiles that are being reverted so we only pull down
884 # track of the largefiles that are being reverted so we only pull down
885 # the necessary largefiles.
885 # the necessary largefiles.
886 #
886 #
887 # Standins are only updated (to match the hash of largefiles) before
887 # Standins are only updated (to match the hash of largefiles) before
888 # commits. Update the standins then run the original revert, changing
888 # commits. Update the standins then run the original revert, changing
889 # the matcher to hit standins instead of largefiles. Based on the
889 # the matcher to hit standins instead of largefiles. Based on the
890 # resulting standins update the largefiles.
890 # resulting standins update the largefiles.
891 @eh.wrapfunction(cmdutil, b'revert')
891 @eh.wrapfunction(cmdutil, b'revert')
892 def overriderevert(orig, ui, repo, ctx, *pats, **opts):
892 def overriderevert(orig, ui, repo, ctx, *pats, **opts):
893 # Because we put the standins in a bad state (by updating them)
893 # Because we put the standins in a bad state (by updating them)
894 # and then return them to a correct state we need to lock to
894 # and then return them to a correct state we need to lock to
895 # prevent others from changing them in their incorrect state.
895 # prevent others from changing them in their incorrect state.
896 with repo.wlock():
896 with repo.wlock():
897 lfdirstate = lfutil.openlfdirstate(ui, repo)
897 lfdirstate = lfutil.openlfdirstate(ui, repo)
898 s = lfutil.lfdirstatestatus(lfdirstate, repo)
898 s = lfutil.lfdirstatestatus(lfdirstate, repo)
899 lfdirstate.write(repo.currenttransaction())
899 lfdirstate.write(repo.currenttransaction())
900 for lfile in s.modified:
900 for lfile in s.modified:
901 lfutil.updatestandin(repo, lfile, lfutil.standin(lfile))
901 lfutil.updatestandin(repo, lfile, lfutil.standin(lfile))
902 for lfile in s.deleted:
902 for lfile in s.deleted:
903 fstandin = lfutil.standin(lfile)
903 fstandin = lfutil.standin(lfile)
904 if repo.wvfs.exists(fstandin):
904 if repo.wvfs.exists(fstandin):
905 repo.wvfs.unlink(fstandin)
905 repo.wvfs.unlink(fstandin)
906
906
907 oldstandins = lfutil.getstandinsstate(repo)
907 oldstandins = lfutil.getstandinsstate(repo)
908
908
909 def overridematch(
909 def overridematch(
910 orig,
910 orig,
911 mctx,
911 mctx,
912 pats=(),
912 pats=(),
913 opts=None,
913 opts=None,
914 globbed=False,
914 globbed=False,
915 default=b'relpath',
915 default=b'relpath',
916 badfn=None,
916 badfn=None,
917 ):
917 ):
918 if opts is None:
918 if opts is None:
919 opts = {}
919 opts = {}
920 match = orig(mctx, pats, opts, globbed, default, badfn=badfn)
920 match = orig(mctx, pats, opts, globbed, default, badfn=badfn)
921 m = copy.copy(match)
921 m = copy.copy(match)
922
922
923 # revert supports recursing into subrepos, and though largefiles
923 # revert supports recursing into subrepos, and though largefiles
924 # currently doesn't work correctly in that case, this match is
924 # currently doesn't work correctly in that case, this match is
925 # called, so the lfdirstate above may not be the correct one for
925 # called, so the lfdirstate above may not be the correct one for
926 # this invocation of match.
926 # this invocation of match.
927 lfdirstate = lfutil.openlfdirstate(
927 lfdirstate = lfutil.openlfdirstate(
928 mctx.repo().ui, mctx.repo(), False
928 mctx.repo().ui, mctx.repo(), False
929 )
929 )
930
930
931 wctx = repo[None]
931 wctx = repo[None]
932 matchfiles = []
932 matchfiles = []
933 for f in m._files:
933 for f in m._files:
934 standin = lfutil.standin(f)
934 standin = lfutil.standin(f)
935 if standin in ctx or standin in mctx:
935 if standin in ctx or standin in mctx:
936 matchfiles.append(standin)
936 matchfiles.append(standin)
937 elif standin in wctx or lfdirstate.get_entry(f).removed:
937 elif standin in wctx or lfdirstate.get_entry(f).removed:
938 continue
938 continue
939 else:
939 else:
940 matchfiles.append(f)
940 matchfiles.append(f)
941 m._files = matchfiles
941 m._files = matchfiles
942 m._fileset = set(m._files)
942 m._fileset = set(m._files)
943 origmatchfn = m.matchfn
943 origmatchfn = m.matchfn
944
944
945 def matchfn(f):
945 def matchfn(f):
946 lfile = lfutil.splitstandin(f)
946 lfile = lfutil.splitstandin(f)
947 if lfile is not None:
947 if lfile is not None:
948 return origmatchfn(lfile) and (f in ctx or f in mctx)
948 return origmatchfn(lfile) and (f in ctx or f in mctx)
949 return origmatchfn(f)
949 return origmatchfn(f)
950
950
951 m.matchfn = matchfn
951 m.matchfn = matchfn
952 return m
952 return m
953
953
954 with extensions.wrappedfunction(scmutil, b'match', overridematch):
954 with extensions.wrappedfunction(scmutil, b'match', overridematch):
955 orig(ui, repo, ctx, *pats, **opts)
955 orig(ui, repo, ctx, *pats, **opts)
956
956
957 newstandins = lfutil.getstandinsstate(repo)
957 newstandins = lfutil.getstandinsstate(repo)
958 filelist = lfutil.getlfilestoupdate(oldstandins, newstandins)
958 filelist = lfutil.getlfilestoupdate(oldstandins, newstandins)
959 # lfdirstate should be 'normallookup'-ed for updated files,
959 # lfdirstate should be 'normallookup'-ed for updated files,
960 # because reverting doesn't touch dirstate for 'normal' files
960 # because reverting doesn't touch dirstate for 'normal' files
961 # when target revision is explicitly specified: in such case,
961 # when target revision is explicitly specified: in such case,
962 # 'n' and valid timestamp in dirstate doesn't ensure 'clean'
962 # 'n' and valid timestamp in dirstate doesn't ensure 'clean'
963 # of target (standin) file.
963 # of target (standin) file.
964 lfcommands.updatelfiles(
964 lfcommands.updatelfiles(
965 ui, repo, filelist, printmessage=False, normallookup=True
965 ui, repo, filelist, printmessage=False, normallookup=True
966 )
966 )
967
967
968
968
969 # after pulling changesets, we need to take some extra care to get
969 # after pulling changesets, we need to take some extra care to get
970 # largefiles updated remotely
970 # largefiles updated remotely
971 @eh.wrapcommand(
971 @eh.wrapcommand(
972 b'pull',
972 b'pull',
973 opts=[
973 opts=[
974 (
974 (
975 b'',
975 b'',
976 b'all-largefiles',
976 b'all-largefiles',
977 None,
977 None,
978 _(b'download all pulled versions of largefiles (DEPRECATED)'),
978 _(b'download all pulled versions of largefiles (DEPRECATED)'),
979 ),
979 ),
980 (
980 (
981 b'',
981 b'',
982 b'lfrev',
982 b'lfrev',
983 [],
983 [],
984 _(b'download largefiles for these revisions'),
984 _(b'download largefiles for these revisions'),
985 _(b'REV'),
985 _(b'REV'),
986 ),
986 ),
987 ],
987 ],
988 )
988 )
989 def overridepull(orig, ui, repo, source=None, **opts):
989 def overridepull(orig, ui, repo, source=None, **opts):
990 revsprepull = len(repo)
990 revsprepull = len(repo)
991 if not source:
991 if not source:
992 source = b'default'
992 source = b'default'
993 repo.lfpullsource = source
993 repo.lfpullsource = source
994 result = orig(ui, repo, source, **opts)
994 result = orig(ui, repo, source, **opts)
995 revspostpull = len(repo)
995 revspostpull = len(repo)
996 lfrevs = opts.get('lfrev', [])
996 lfrevs = opts.get('lfrev', [])
997 if opts.get('all_largefiles'):
997 if opts.get('all_largefiles'):
998 lfrevs.append(b'pulled()')
998 lfrevs.append(b'pulled()')
999 if lfrevs and revspostpull > revsprepull:
999 if lfrevs and revspostpull > revsprepull:
1000 numcached = 0
1000 numcached = 0
1001 repo.firstpulled = revsprepull # for pulled() revset expression
1001 repo.firstpulled = revsprepull # for pulled() revset expression
1002 try:
1002 try:
1003 for rev in logcmdutil.revrange(repo, lfrevs):
1003 for rev in logcmdutil.revrange(repo, lfrevs):
1004 ui.note(_(b'pulling largefiles for revision %d\n') % rev)
1004 ui.note(_(b'pulling largefiles for revision %d\n') % rev)
1005 (cached, missing) = lfcommands.cachelfiles(ui, repo, rev)
1005 (cached, missing) = lfcommands.cachelfiles(ui, repo, rev)
1006 numcached += len(cached)
1006 numcached += len(cached)
1007 finally:
1007 finally:
1008 del repo.firstpulled
1008 del repo.firstpulled
1009 ui.status(_(b"%d largefiles cached\n") % numcached)
1009 ui.status(_(b"%d largefiles cached\n") % numcached)
1010 return result
1010 return result
1011
1011
1012
1012
1013 @eh.wrapcommand(
1013 @eh.wrapcommand(
1014 b'push',
1014 b'push',
1015 opts=[
1015 opts=[
1016 (
1016 (
1017 b'',
1017 b'',
1018 b'lfrev',
1018 b'lfrev',
1019 [],
1019 [],
1020 _(b'upload largefiles for these revisions'),
1020 _(b'upload largefiles for these revisions'),
1021 _(b'REV'),
1021 _(b'REV'),
1022 )
1022 )
1023 ],
1023 ],
1024 )
1024 )
1025 def overridepush(orig, ui, repo, *args, **kwargs):
1025 def overridepush(orig, ui, repo, *args, **kwargs):
1026 """Override push command and store --lfrev parameters in opargs"""
1026 """Override push command and store --lfrev parameters in opargs"""
1027 lfrevs = kwargs.pop('lfrev', None)
1027 lfrevs = kwargs.pop('lfrev', None)
1028 if lfrevs:
1028 if lfrevs:
1029 opargs = kwargs.setdefault('opargs', {})
1029 opargs = kwargs.setdefault('opargs', {})
1030 opargs[b'lfrevs'] = logcmdutil.revrange(repo, lfrevs)
1030 opargs[b'lfrevs'] = logcmdutil.revrange(repo, lfrevs)
1031 return orig(ui, repo, *args, **kwargs)
1031 return orig(ui, repo, *args, **kwargs)
1032
1032
1033
1033
1034 @eh.wrapfunction(exchange, b'pushoperation')
1034 @eh.wrapfunction(exchange, b'pushoperation')
1035 def exchangepushoperation(orig, *args, **kwargs):
1035 def exchangepushoperation(orig, *args, **kwargs):
1036 """Override pushoperation constructor and store lfrevs parameter"""
1036 """Override pushoperation constructor and store lfrevs parameter"""
1037 lfrevs = kwargs.pop('lfrevs', None)
1037 lfrevs = kwargs.pop('lfrevs', None)
1038 pushop = orig(*args, **kwargs)
1038 pushop = orig(*args, **kwargs)
1039 pushop.lfrevs = lfrevs
1039 pushop.lfrevs = lfrevs
1040 return pushop
1040 return pushop
1041
1041
1042
1042
1043 @eh.revsetpredicate(b'pulled()')
1043 @eh.revsetpredicate(b'pulled()')
1044 def pulledrevsetsymbol(repo, subset, x):
1044 def pulledrevsetsymbol(repo, subset, x):
1045 """Changesets that just has been pulled.
1045 """Changesets that just has been pulled.
1046
1046
1047 Only available with largefiles from pull --lfrev expressions.
1047 Only available with largefiles from pull --lfrev expressions.
1048
1048
1049 .. container:: verbose
1049 .. container:: verbose
1050
1050
1051 Some examples:
1051 Some examples:
1052
1052
1053 - pull largefiles for all new changesets::
1053 - pull largefiles for all new changesets::
1054
1054
1055 hg pull -lfrev "pulled()"
1055 hg pull -lfrev "pulled()"
1056
1056
1057 - pull largefiles for all new branch heads::
1057 - pull largefiles for all new branch heads::
1058
1058
1059 hg pull -lfrev "head(pulled()) and not closed()"
1059 hg pull -lfrev "head(pulled()) and not closed()"
1060
1060
1061 """
1061 """
1062
1062
1063 try:
1063 try:
1064 firstpulled = repo.firstpulled
1064 firstpulled = repo.firstpulled
1065 except AttributeError:
1065 except AttributeError:
1066 raise error.Abort(_(b"pulled() only available in --lfrev"))
1066 raise error.Abort(_(b"pulled() only available in --lfrev"))
1067 return smartset.baseset([r for r in subset if r >= firstpulled])
1067 return smartset.baseset([r for r in subset if r >= firstpulled])
1068
1068
1069
1069
1070 @eh.wrapcommand(
1070 @eh.wrapcommand(
1071 b'clone',
1071 b'clone',
1072 opts=[
1072 opts=[
1073 (
1073 (
1074 b'',
1074 b'',
1075 b'all-largefiles',
1075 b'all-largefiles',
1076 None,
1076 None,
1077 _(b'download all versions of all largefiles'),
1077 _(b'download all versions of all largefiles'),
1078 )
1078 )
1079 ],
1079 ],
1080 )
1080 )
1081 def overrideclone(orig, ui, source, dest=None, **opts):
1081 def overrideclone(orig, ui, source, dest=None, **opts):
1082 d = dest
1082 d = dest
1083 if d is None:
1083 if d is None:
1084 d = hg.defaultdest(source)
1084 d = hg.defaultdest(source)
1085 if opts.get('all_largefiles') and not hg.islocal(d):
1085 if opts.get('all_largefiles') and not hg.islocal(d):
1086 raise error.Abort(
1086 raise error.Abort(
1087 _(b'--all-largefiles is incompatible with non-local destination %s')
1087 _(b'--all-largefiles is incompatible with non-local destination %s')
1088 % d
1088 % d
1089 )
1089 )
1090
1090
1091 return orig(ui, source, dest, **opts)
1091 return orig(ui, source, dest, **opts)
1092
1092
1093
1093
1094 @eh.wrapfunction(hg, b'clone')
1094 @eh.wrapfunction(hg, b'clone')
1095 def hgclone(orig, ui, opts, *args, **kwargs):
1095 def hgclone(orig, ui, opts, *args, **kwargs):
1096 result = orig(ui, opts, *args, **kwargs)
1096 result = orig(ui, opts, *args, **kwargs)
1097
1097
1098 if result is not None:
1098 if result is not None:
1099 sourcerepo, destrepo = result
1099 sourcerepo, destrepo = result
1100 repo = destrepo.local()
1100 repo = destrepo.local()
1101
1101
1102 # When cloning to a remote repo (like through SSH), no repo is available
1102 # When cloning to a remote repo (like through SSH), no repo is available
1103 # from the peer. Therefore the largefiles can't be downloaded and the
1103 # from the peer. Therefore the largefiles can't be downloaded and the
1104 # hgrc can't be updated.
1104 # hgrc can't be updated.
1105 if not repo:
1105 if not repo:
1106 return result
1106 return result
1107
1107
1108 # Caching is implicitly limited to 'rev' option, since the dest repo was
1108 # Caching is implicitly limited to 'rev' option, since the dest repo was
1109 # truncated at that point. The user may expect a download count with
1109 # truncated at that point. The user may expect a download count with
1110 # this option, so attempt whether or not this is a largefile repo.
1110 # this option, so attempt whether or not this is a largefile repo.
1111 if opts.get(b'all_largefiles'):
1111 if opts.get(b'all_largefiles'):
1112 success, missing = lfcommands.downloadlfiles(ui, repo)
1112 success, missing = lfcommands.downloadlfiles(ui, repo)
1113
1113
1114 if missing != 0:
1114 if missing != 0:
1115 return None
1115 return None
1116
1116
1117 return result
1117 return result
1118
1118
1119
1119
1120 @eh.wrapcommand(b'rebase', extension=b'rebase')
1120 @eh.wrapcommand(b'rebase', extension=b'rebase')
1121 def overriderebasecmd(orig, ui, repo, **opts):
1121 def overriderebasecmd(orig, ui, repo, **opts):
1122 if not util.safehasattr(repo, b'_largefilesenabled'):
1122 if not util.safehasattr(repo, b'_largefilesenabled'):
1123 return orig(ui, repo, **opts)
1123 return orig(ui, repo, **opts)
1124
1124
1125 resuming = opts.get('continue')
1125 resuming = opts.get('continue')
1126 repo._lfcommithooks.append(lfutil.automatedcommithook(resuming))
1126 repo._lfcommithooks.append(lfutil.automatedcommithook(resuming))
1127 repo._lfstatuswriters.append(lambda *msg, **opts: None)
1127 repo._lfstatuswriters.append(lambda *msg, **opts: None)
1128 try:
1128 try:
1129 with ui.configoverride(
1129 with ui.configoverride(
1130 {(b'rebase', b'experimental.inmemory'): False}, b"largefiles"
1130 {(b'rebase', b'experimental.inmemory'): False}, b"largefiles"
1131 ):
1131 ):
1132 return orig(ui, repo, **opts)
1132 return orig(ui, repo, **opts)
1133 finally:
1133 finally:
1134 repo._lfstatuswriters.pop()
1134 repo._lfstatuswriters.pop()
1135 repo._lfcommithooks.pop()
1135 repo._lfcommithooks.pop()
1136
1136
1137
1137
1138 @eh.extsetup
1138 @eh.extsetup
1139 def overriderebase(ui):
1139 def overriderebase(ui):
1140 try:
1140 try:
1141 rebase = extensions.find(b'rebase')
1141 rebase = extensions.find(b'rebase')
1142 except KeyError:
1142 except KeyError:
1143 pass
1143 pass
1144 else:
1144 else:
1145
1145
1146 def _dorebase(orig, *args, **kwargs):
1146 def _dorebase(orig, *args, **kwargs):
1147 kwargs['inmemory'] = False
1147 kwargs['inmemory'] = False
1148 return orig(*args, **kwargs)
1148 return orig(*args, **kwargs)
1149
1149
1150 extensions.wrapfunction(rebase, b'_dorebase', _dorebase)
1150 extensions.wrapfunction(rebase, b'_dorebase', _dorebase)
1151
1151
1152
1152
1153 @eh.wrapcommand(b'archive')
1153 @eh.wrapcommand(b'archive')
1154 def overridearchivecmd(orig, ui, repo, dest, **opts):
1154 def overridearchivecmd(orig, ui, repo, dest, **opts):
1155 with lfstatus(repo.unfiltered()):
1155 with lfstatus(repo.unfiltered()):
1156 return orig(ui, repo.unfiltered(), dest, **opts)
1156 return orig(ui, repo.unfiltered(), dest, **opts)
1157
1157
1158
1158
1159 @eh.wrapfunction(webcommands, b'archive')
1159 @eh.wrapfunction(webcommands, b'archive')
1160 def hgwebarchive(orig, web):
1160 def hgwebarchive(orig, web):
1161 with lfstatus(web.repo):
1161 with lfstatus(web.repo):
1162 return orig(web)
1162 return orig(web)
1163
1163
1164
1164
1165 @eh.wrapfunction(archival, b'archive')
1165 @eh.wrapfunction(archival, b'archive')
1166 def overridearchive(
1166 def overridearchive(
1167 orig,
1167 orig,
1168 repo,
1168 repo,
1169 dest,
1169 dest,
1170 node,
1170 node,
1171 kind,
1171 kind,
1172 decode=True,
1172 decode=True,
1173 match=None,
1173 match=None,
1174 prefix=b'',
1174 prefix=b'',
1175 mtime=None,
1175 mtime=None,
1176 subrepos=None,
1176 subrepos=None,
1177 ):
1177 ):
1178 # For some reason setting repo.lfstatus in hgwebarchive only changes the
1178 # For some reason setting repo.lfstatus in hgwebarchive only changes the
1179 # unfiltered repo's attr, so check that as well.
1179 # unfiltered repo's attr, so check that as well.
1180 if not repo.lfstatus and not repo.unfiltered().lfstatus:
1180 if not repo.lfstatus and not repo.unfiltered().lfstatus:
1181 return orig(
1181 return orig(
1182 repo, dest, node, kind, decode, match, prefix, mtime, subrepos
1182 repo, dest, node, kind, decode, match, prefix, mtime, subrepos
1183 )
1183 )
1184
1184
1185 # No need to lock because we are only reading history and
1185 # No need to lock because we are only reading history and
1186 # largefile caches, neither of which are modified.
1186 # largefile caches, neither of which are modified.
1187 if node is not None:
1187 if node is not None:
1188 lfcommands.cachelfiles(repo.ui, repo, node)
1188 lfcommands.cachelfiles(repo.ui, repo, node)
1189
1189
1190 if kind not in archival.archivers:
1190 if kind not in archival.archivers:
1191 raise error.Abort(_(b"unknown archive type '%s'") % kind)
1191 raise error.Abort(_(b"unknown archive type '%s'") % kind)
1192
1192
1193 ctx = repo[node]
1193 ctx = repo[node]
1194
1194
1195 if kind == b'files':
1195 if kind == b'files':
1196 if prefix:
1196 if prefix:
1197 raise error.Abort(_(b'cannot give prefix when archiving to files'))
1197 raise error.Abort(_(b'cannot give prefix when archiving to files'))
1198 else:
1198 else:
1199 prefix = archival.tidyprefix(dest, kind, prefix)
1199 prefix = archival.tidyprefix(dest, kind, prefix)
1200
1200
1201 def write(name, mode, islink, getdata):
1201 def write(name, mode, islink, getdata):
1202 if match and not match(name):
1202 if match and not match(name):
1203 return
1203 return
1204 data = getdata()
1204 data = getdata()
1205 if decode:
1205 if decode:
1206 data = repo.wwritedata(name, data)
1206 data = repo.wwritedata(name, data)
1207 archiver.addfile(prefix + name, mode, islink, data)
1207 archiver.addfile(prefix + name, mode, islink, data)
1208
1208
1209 archiver = archival.archivers[kind](dest, mtime or ctx.date()[0])
1209 archiver = archival.archivers[kind](dest, mtime or ctx.date()[0])
1210
1210
1211 if repo.ui.configbool(b"ui", b"archivemeta"):
1211 if repo.ui.configbool(b"ui", b"archivemeta"):
1212 write(
1212 write(
1213 b'.hg_archival.txt',
1213 b'.hg_archival.txt',
1214 0o644,
1214 0o644,
1215 False,
1215 False,
1216 lambda: archival.buildmetadata(ctx),
1216 lambda: archival.buildmetadata(ctx),
1217 )
1217 )
1218
1218
1219 for f in ctx:
1219 for f in ctx:
1220 ff = ctx.flags(f)
1220 ff = ctx.flags(f)
1221 getdata = ctx[f].data
1221 getdata = ctx[f].data
1222 lfile = lfutil.splitstandin(f)
1222 lfile = lfutil.splitstandin(f)
1223 if lfile is not None:
1223 if lfile is not None:
1224 if node is not None:
1224 if node is not None:
1225 path = lfutil.findfile(repo, getdata().strip())
1225 path = lfutil.findfile(repo, getdata().strip())
1226
1226
1227 if path is None:
1227 if path is None:
1228 raise error.Abort(
1228 raise error.Abort(
1229 _(
1229 _(
1230 b'largefile %s not found in repo store or system cache'
1230 b'largefile %s not found in repo store or system cache'
1231 )
1231 )
1232 % lfile
1232 % lfile
1233 )
1233 )
1234 else:
1234 else:
1235 path = lfile
1235 path = lfile
1236
1236
1237 f = lfile
1237 f = lfile
1238
1238
1239 getdata = lambda: util.readfile(path)
1239 getdata = lambda: util.readfile(path)
1240 write(f, b'x' in ff and 0o755 or 0o644, b'l' in ff, getdata)
1240 write(f, b'x' in ff and 0o755 or 0o644, b'l' in ff, getdata)
1241
1241
1242 if subrepos:
1242 if subrepos:
1243 for subpath in sorted(ctx.substate):
1243 for subpath in sorted(ctx.substate):
1244 sub = ctx.workingsub(subpath)
1244 sub = ctx.workingsub(subpath)
1245 submatch = matchmod.subdirmatcher(subpath, match)
1245 submatch = matchmod.subdirmatcher(subpath, match)
1246 subprefix = prefix + subpath + b'/'
1246 subprefix = prefix + subpath + b'/'
1247
1247
1248 # TODO: Only hgsubrepo instances have `_repo`, so figure out how to
1248 # TODO: Only hgsubrepo instances have `_repo`, so figure out how to
1249 # infer and possibly set lfstatus in hgsubrepoarchive. That would
1249 # infer and possibly set lfstatus in hgsubrepoarchive. That would
1250 # allow only hgsubrepos to set this, instead of the current scheme
1250 # allow only hgsubrepos to set this, instead of the current scheme
1251 # where the parent sets this for the child.
1251 # where the parent sets this for the child.
1252 with (
1252 with (
1253 util.safehasattr(sub, '_repo')
1253 util.safehasattr(sub, '_repo')
1254 and lfstatus(sub._repo)
1254 and lfstatus(sub._repo)
1255 or util.nullcontextmanager()
1255 or util.nullcontextmanager()
1256 ):
1256 ):
1257 sub.archive(archiver, subprefix, submatch)
1257 sub.archive(archiver, subprefix, submatch)
1258
1258
1259 archiver.done()
1259 archiver.done()
1260
1260
1261
1261
1262 @eh.wrapfunction(subrepo.hgsubrepo, b'archive')
1262 @eh.wrapfunction(subrepo.hgsubrepo, b'archive')
1263 def hgsubrepoarchive(orig, repo, archiver, prefix, match=None, decode=True):
1263 def hgsubrepoarchive(orig, repo, archiver, prefix, match=None, decode=True):
1264 lfenabled = util.safehasattr(repo._repo, b'_largefilesenabled')
1264 lfenabled = util.safehasattr(repo._repo, b'_largefilesenabled')
1265 if not lfenabled or not repo._repo.lfstatus:
1265 if not lfenabled or not repo._repo.lfstatus:
1266 return orig(repo, archiver, prefix, match, decode)
1266 return orig(repo, archiver, prefix, match, decode)
1267
1267
1268 repo._get(repo._state + (b'hg',))
1268 repo._get(repo._state + (b'hg',))
1269 rev = repo._state[1]
1269 rev = repo._state[1]
1270 ctx = repo._repo[rev]
1270 ctx = repo._repo[rev]
1271
1271
1272 if ctx.node() is not None:
1272 if ctx.node() is not None:
1273 lfcommands.cachelfiles(repo.ui, repo._repo, ctx.node())
1273 lfcommands.cachelfiles(repo.ui, repo._repo, ctx.node())
1274
1274
1275 def write(name, mode, islink, getdata):
1275 def write(name, mode, islink, getdata):
1276 # At this point, the standin has been replaced with the largefile name,
1276 # At this point, the standin has been replaced with the largefile name,
1277 # so the normal matcher works here without the lfutil variants.
1277 # so the normal matcher works here without the lfutil variants.
1278 if match and not match(f):
1278 if match and not match(f):
1279 return
1279 return
1280 data = getdata()
1280 data = getdata()
1281 if decode:
1281 if decode:
1282 data = repo._repo.wwritedata(name, data)
1282 data = repo._repo.wwritedata(name, data)
1283
1283
1284 archiver.addfile(prefix + name, mode, islink, data)
1284 archiver.addfile(prefix + name, mode, islink, data)
1285
1285
1286 for f in ctx:
1286 for f in ctx:
1287 ff = ctx.flags(f)
1287 ff = ctx.flags(f)
1288 getdata = ctx[f].data
1288 getdata = ctx[f].data
1289 lfile = lfutil.splitstandin(f)
1289 lfile = lfutil.splitstandin(f)
1290 if lfile is not None:
1290 if lfile is not None:
1291 if ctx.node() is not None:
1291 if ctx.node() is not None:
1292 path = lfutil.findfile(repo._repo, getdata().strip())
1292 path = lfutil.findfile(repo._repo, getdata().strip())
1293
1293
1294 if path is None:
1294 if path is None:
1295 raise error.Abort(
1295 raise error.Abort(
1296 _(
1296 _(
1297 b'largefile %s not found in repo store or system cache'
1297 b'largefile %s not found in repo store or system cache'
1298 )
1298 )
1299 % lfile
1299 % lfile
1300 )
1300 )
1301 else:
1301 else:
1302 path = lfile
1302 path = lfile
1303
1303
1304 f = lfile
1304 f = lfile
1305
1305
1306 getdata = lambda: util.readfile(os.path.join(prefix, path))
1306 getdata = lambda: util.readfile(os.path.join(prefix, path))
1307
1307
1308 write(f, b'x' in ff and 0o755 or 0o644, b'l' in ff, getdata)
1308 write(f, b'x' in ff and 0o755 or 0o644, b'l' in ff, getdata)
1309
1309
1310 for subpath in sorted(ctx.substate):
1310 for subpath in sorted(ctx.substate):
1311 sub = ctx.workingsub(subpath)
1311 sub = ctx.workingsub(subpath)
1312 submatch = matchmod.subdirmatcher(subpath, match)
1312 submatch = matchmod.subdirmatcher(subpath, match)
1313 subprefix = prefix + subpath + b'/'
1313 subprefix = prefix + subpath + b'/'
1314 # TODO: Only hgsubrepo instances have `_repo`, so figure out how to
1314 # TODO: Only hgsubrepo instances have `_repo`, so figure out how to
1315 # infer and possibly set lfstatus at the top of this function. That
1315 # infer and possibly set lfstatus at the top of this function. That
1316 # would allow only hgsubrepos to set this, instead of the current scheme
1316 # would allow only hgsubrepos to set this, instead of the current scheme
1317 # where the parent sets this for the child.
1317 # where the parent sets this for the child.
1318 with (
1318 with (
1319 util.safehasattr(sub, '_repo')
1319 util.safehasattr(sub, '_repo')
1320 and lfstatus(sub._repo)
1320 and lfstatus(sub._repo)
1321 or util.nullcontextmanager()
1321 or util.nullcontextmanager()
1322 ):
1322 ):
1323 sub.archive(archiver, subprefix, submatch, decode)
1323 sub.archive(archiver, subprefix, submatch, decode)
1324
1324
1325
1325
1326 # If a largefile is modified, the change is not reflected in its
1326 # If a largefile is modified, the change is not reflected in its
1327 # standin until a commit. cmdutil.bailifchanged() raises an exception
1327 # standin until a commit. cmdutil.bailifchanged() raises an exception
1328 # if the repo has uncommitted changes. Wrap it to also check if
1328 # if the repo has uncommitted changes. Wrap it to also check if
1329 # largefiles were changed. This is used by bisect, backout and fetch.
1329 # largefiles were changed. This is used by bisect, backout and fetch.
1330 @eh.wrapfunction(cmdutil, b'bailifchanged')
1330 @eh.wrapfunction(cmdutil, b'bailifchanged')
1331 def overridebailifchanged(orig, repo, *args, **kwargs):
1331 def overridebailifchanged(orig, repo, *args, **kwargs):
1332 orig(repo, *args, **kwargs)
1332 orig(repo, *args, **kwargs)
1333 with lfstatus(repo):
1333 with lfstatus(repo):
1334 s = repo.status()
1334 s = repo.status()
1335 if s.modified or s.added or s.removed or s.deleted:
1335 if s.modified or s.added or s.removed or s.deleted:
1336 raise error.Abort(_(b'uncommitted changes'))
1336 raise error.Abort(_(b'uncommitted changes'))
1337
1337
1338
1338
1339 @eh.wrapfunction(cmdutil, b'postcommitstatus')
1339 @eh.wrapfunction(cmdutil, b'postcommitstatus')
1340 def postcommitstatus(orig, repo, *args, **kwargs):
1340 def postcommitstatus(orig, repo, *args, **kwargs):
1341 with lfstatus(repo):
1341 with lfstatus(repo):
1342 return orig(repo, *args, **kwargs)
1342 return orig(repo, *args, **kwargs)
1343
1343
1344
1344
1345 @eh.wrapfunction(cmdutil, b'forget')
1345 @eh.wrapfunction(cmdutil, b'forget')
1346 def cmdutilforget(
1346 def cmdutilforget(
1347 orig, ui, repo, match, prefix, uipathfn, explicitonly, dryrun, interactive
1347 orig, ui, repo, match, prefix, uipathfn, explicitonly, dryrun, interactive
1348 ):
1348 ):
1349 normalmatcher = composenormalfilematcher(match, repo[None].manifest())
1349 normalmatcher = composenormalfilematcher(match, repo[None].manifest())
1350 bad, forgot = orig(
1350 bad, forgot = orig(
1351 ui,
1351 ui,
1352 repo,
1352 repo,
1353 normalmatcher,
1353 normalmatcher,
1354 prefix,
1354 prefix,
1355 uipathfn,
1355 uipathfn,
1356 explicitonly,
1356 explicitonly,
1357 dryrun,
1357 dryrun,
1358 interactive,
1358 interactive,
1359 )
1359 )
1360 m = composelargefilematcher(match, repo[None].manifest())
1360 m = composelargefilematcher(match, repo[None].manifest())
1361
1361
1362 with lfstatus(repo):
1362 with lfstatus(repo):
1363 s = repo.status(match=m, clean=True)
1363 s = repo.status(match=m, clean=True)
1364 manifest = repo[None].manifest()
1364 manifest = repo[None].manifest()
1365 forget = sorted(s.modified + s.added + s.deleted + s.clean)
1365 forget = sorted(s.modified + s.added + s.deleted + s.clean)
1366 forget = [f for f in forget if lfutil.standin(f) in manifest]
1366 forget = [f for f in forget if lfutil.standin(f) in manifest]
1367
1367
1368 for f in forget:
1368 for f in forget:
1369 fstandin = lfutil.standin(f)
1369 fstandin = lfutil.standin(f)
1370 if fstandin not in repo.dirstate and not repo.wvfs.isdir(fstandin):
1370 if fstandin not in repo.dirstate and not repo.wvfs.isdir(fstandin):
1371 ui.warn(
1371 ui.warn(
1372 _(b'not removing %s: file is already untracked\n') % uipathfn(f)
1372 _(b'not removing %s: file is already untracked\n') % uipathfn(f)
1373 )
1373 )
1374 bad.append(f)
1374 bad.append(f)
1375
1375
1376 for f in forget:
1376 for f in forget:
1377 if ui.verbose or not m.exact(f):
1377 if ui.verbose or not m.exact(f):
1378 ui.status(_(b'removing %s\n') % uipathfn(f))
1378 ui.status(_(b'removing %s\n') % uipathfn(f))
1379
1379
1380 # Need to lock because standin files are deleted then removed from the
1380 # Need to lock because standin files are deleted then removed from the
1381 # repository and we could race in-between.
1381 # repository and we could race in-between.
1382 with repo.wlock():
1382 with repo.wlock():
1383 lfdirstate = lfutil.openlfdirstate(ui, repo)
1383 lfdirstate = lfutil.openlfdirstate(ui, repo)
1384 for f in forget:
1384 for f in forget:
1385 lfdirstate.set_untracked(f)
1385 lfdirstate.set_untracked(f)
1386 lfdirstate.write(repo.currenttransaction())
1386 lfdirstate.write(repo.currenttransaction())
1387 standins = [lfutil.standin(f) for f in forget]
1387 standins = [lfutil.standin(f) for f in forget]
1388 for f in standins:
1388 for f in standins:
1389 repo.wvfs.unlinkpath(f, ignoremissing=True)
1389 repo.wvfs.unlinkpath(f, ignoremissing=True)
1390 rejected = repo[None].forget(standins)
1390 rejected = repo[None].forget(standins)
1391
1391
1392 bad.extend(f for f in rejected if f in m.files())
1392 bad.extend(f for f in rejected if f in m.files())
1393 forgot.extend(f for f in forget if f not in rejected)
1393 forgot.extend(f for f in forget if f not in rejected)
1394 return bad, forgot
1394 return bad, forgot
1395
1395
1396
1396
1397 def _getoutgoings(repo, other, missing, addfunc):
1397 def _getoutgoings(repo, other, missing, addfunc):
1398 """get pairs of filename and largefile hash in outgoing revisions
1398 """get pairs of filename and largefile hash in outgoing revisions
1399 in 'missing'.
1399 in 'missing'.
1400
1400
1401 largefiles already existing on 'other' repository are ignored.
1401 largefiles already existing on 'other' repository are ignored.
1402
1402
1403 'addfunc' is invoked with each unique pairs of filename and
1403 'addfunc' is invoked with each unique pairs of filename and
1404 largefile hash value.
1404 largefile hash value.
1405 """
1405 """
1406 knowns = set()
1406 knowns = set()
1407 lfhashes = set()
1407 lfhashes = set()
1408
1408
1409 def dedup(fn, lfhash):
1409 def dedup(fn, lfhash):
1410 k = (fn, lfhash)
1410 k = (fn, lfhash)
1411 if k not in knowns:
1411 if k not in knowns:
1412 knowns.add(k)
1412 knowns.add(k)
1413 lfhashes.add(lfhash)
1413 lfhashes.add(lfhash)
1414
1414
1415 lfutil.getlfilestoupload(repo, missing, dedup)
1415 lfutil.getlfilestoupload(repo, missing, dedup)
1416 if lfhashes:
1416 if lfhashes:
1417 lfexists = storefactory.openstore(repo, other).exists(lfhashes)
1417 lfexists = storefactory.openstore(repo, other).exists(lfhashes)
1418 for fn, lfhash in knowns:
1418 for fn, lfhash in knowns:
1419 if not lfexists[lfhash]: # lfhash doesn't exist on "other"
1419 if not lfexists[lfhash]: # lfhash doesn't exist on "other"
1420 addfunc(fn, lfhash)
1420 addfunc(fn, lfhash)
1421
1421
1422
1422
1423 def outgoinghook(ui, repo, other, opts, missing):
1423 def outgoinghook(ui, repo, other, opts, missing):
1424 if opts.pop(b'large', None):
1424 if opts.pop(b'large', None):
1425 lfhashes = set()
1425 lfhashes = set()
1426 if ui.debugflag:
1426 if ui.debugflag:
1427 toupload = {}
1427 toupload = {}
1428
1428
1429 def addfunc(fn, lfhash):
1429 def addfunc(fn, lfhash):
1430 if fn not in toupload:
1430 if fn not in toupload:
1431 toupload[fn] = []
1431 toupload[fn] = []
1432 toupload[fn].append(lfhash)
1432 toupload[fn].append(lfhash)
1433 lfhashes.add(lfhash)
1433 lfhashes.add(lfhash)
1434
1434
1435 def showhashes(fn):
1435 def showhashes(fn):
1436 for lfhash in sorted(toupload[fn]):
1436 for lfhash in sorted(toupload[fn]):
1437 ui.debug(b' %s\n' % lfhash)
1437 ui.debug(b' %s\n' % lfhash)
1438
1438
1439 else:
1439 else:
1440 toupload = set()
1440 toupload = set()
1441
1441
1442 def addfunc(fn, lfhash):
1442 def addfunc(fn, lfhash):
1443 toupload.add(fn)
1443 toupload.add(fn)
1444 lfhashes.add(lfhash)
1444 lfhashes.add(lfhash)
1445
1445
1446 def showhashes(fn):
1446 def showhashes(fn):
1447 pass
1447 pass
1448
1448
1449 _getoutgoings(repo, other, missing, addfunc)
1449 _getoutgoings(repo, other, missing, addfunc)
1450
1450
1451 if not toupload:
1451 if not toupload:
1452 ui.status(_(b'largefiles: no files to upload\n'))
1452 ui.status(_(b'largefiles: no files to upload\n'))
1453 else:
1453 else:
1454 ui.status(
1454 ui.status(
1455 _(b'largefiles to upload (%d entities):\n') % (len(lfhashes))
1455 _(b'largefiles to upload (%d entities):\n') % (len(lfhashes))
1456 )
1456 )
1457 for file in sorted(toupload):
1457 for file in sorted(toupload):
1458 ui.status(lfutil.splitstandin(file) + b'\n')
1458 ui.status(lfutil.splitstandin(file) + b'\n')
1459 showhashes(file)
1459 showhashes(file)
1460 ui.status(b'\n')
1460 ui.status(b'\n')
1461
1461
1462
1462
1463 @eh.wrapcommand(
1463 @eh.wrapcommand(
1464 b'outgoing', opts=[(b'', b'large', None, _(b'display outgoing largefiles'))]
1464 b'outgoing', opts=[(b'', b'large', None, _(b'display outgoing largefiles'))]
1465 )
1465 )
1466 def _outgoingcmd(orig, *args, **kwargs):
1466 def _outgoingcmd(orig, *args, **kwargs):
1467 # Nothing to do here other than add the extra help option- the hook above
1467 # Nothing to do here other than add the extra help option- the hook above
1468 # processes it.
1468 # processes it.
1469 return orig(*args, **kwargs)
1469 return orig(*args, **kwargs)
1470
1470
1471
1471
1472 def summaryremotehook(ui, repo, opts, changes):
1472 def summaryremotehook(ui, repo, opts, changes):
1473 largeopt = opts.get(b'large', False)
1473 largeopt = opts.get(b'large', False)
1474 if changes is None:
1474 if changes is None:
1475 if largeopt:
1475 if largeopt:
1476 return (False, True) # only outgoing check is needed
1476 return (False, True) # only outgoing check is needed
1477 else:
1477 else:
1478 return (False, False)
1478 return (False, False)
1479 elif largeopt:
1479 elif largeopt:
1480 url, branch, peer, outgoing = changes[1]
1480 url, branch, peer, outgoing = changes[1]
1481 if peer is None:
1481 if peer is None:
1482 # i18n: column positioning for "hg summary"
1482 # i18n: column positioning for "hg summary"
1483 ui.status(_(b'largefiles: (no remote repo)\n'))
1483 ui.status(_(b'largefiles: (no remote repo)\n'))
1484 return
1484 return
1485
1485
1486 toupload = set()
1486 toupload = set()
1487 lfhashes = set()
1487 lfhashes = set()
1488
1488
1489 def addfunc(fn, lfhash):
1489 def addfunc(fn, lfhash):
1490 toupload.add(fn)
1490 toupload.add(fn)
1491 lfhashes.add(lfhash)
1491 lfhashes.add(lfhash)
1492
1492
1493 _getoutgoings(repo, peer, outgoing.missing, addfunc)
1493 _getoutgoings(repo, peer, outgoing.missing, addfunc)
1494
1494
1495 if not toupload:
1495 if not toupload:
1496 # i18n: column positioning for "hg summary"
1496 # i18n: column positioning for "hg summary"
1497 ui.status(_(b'largefiles: (no files to upload)\n'))
1497 ui.status(_(b'largefiles: (no files to upload)\n'))
1498 else:
1498 else:
1499 # i18n: column positioning for "hg summary"
1499 # i18n: column positioning for "hg summary"
1500 ui.status(
1500 ui.status(
1501 _(b'largefiles: %d entities for %d files to upload\n')
1501 _(b'largefiles: %d entities for %d files to upload\n')
1502 % (len(lfhashes), len(toupload))
1502 % (len(lfhashes), len(toupload))
1503 )
1503 )
1504
1504
1505
1505
1506 @eh.wrapcommand(
1506 @eh.wrapcommand(
1507 b'summary', opts=[(b'', b'large', None, _(b'display outgoing largefiles'))]
1507 b'summary', opts=[(b'', b'large', None, _(b'display outgoing largefiles'))]
1508 )
1508 )
1509 def overridesummary(orig, ui, repo, *pats, **opts):
1509 def overridesummary(orig, ui, repo, *pats, **opts):
1510 with lfstatus(repo):
1510 with lfstatus(repo):
1511 orig(ui, repo, *pats, **opts)
1511 orig(ui, repo, *pats, **opts)
1512
1512
1513
1513
1514 @eh.wrapfunction(scmutil, b'addremove')
1514 @eh.wrapfunction(scmutil, b'addremove')
1515 def scmutiladdremove(orig, repo, matcher, prefix, uipathfn, opts=None):
1515 def scmutiladdremove(orig, repo, matcher, prefix, uipathfn, opts=None):
1516 if opts is None:
1516 if opts is None:
1517 opts = {}
1517 opts = {}
1518 if not lfutil.islfilesrepo(repo):
1518 if not lfutil.islfilesrepo(repo):
1519 return orig(repo, matcher, prefix, uipathfn, opts)
1519 return orig(repo, matcher, prefix, uipathfn, opts)
1520 # Get the list of missing largefiles so we can remove them
1520 # Get the list of missing largefiles so we can remove them
1521 lfdirstate = lfutil.openlfdirstate(repo.ui, repo)
1521 lfdirstate = lfutil.openlfdirstate(repo.ui, repo)
1522 unsure, s = lfdirstate.status(
1522 unsure, s = lfdirstate.status(
1523 matchmod.always(),
1523 matchmod.always(),
1524 subrepos=[],
1524 subrepos=[],
1525 ignored=False,
1525 ignored=False,
1526 clean=False,
1526 clean=False,
1527 unknown=False,
1527 unknown=False,
1528 )
1528 )
1529
1529
1530 # Call into the normal remove code, but the removing of the standin, we want
1530 # Call into the normal remove code, but the removing of the standin, we want
1531 # to have handled by original addremove. Monkey patching here makes sure
1531 # to have handled by original addremove. Monkey patching here makes sure
1532 # we don't remove the standin in the largefiles code, preventing a very
1532 # we don't remove the standin in the largefiles code, preventing a very
1533 # confused state later.
1533 # confused state later.
1534 if s.deleted:
1534 if s.deleted:
1535 m = copy.copy(matcher)
1535 m = copy.copy(matcher)
1536
1536
1537 # The m._files and m._map attributes are not changed to the deleted list
1537 # The m._files and m._map attributes are not changed to the deleted list
1538 # because that affects the m.exact() test, which in turn governs whether
1538 # because that affects the m.exact() test, which in turn governs whether
1539 # or not the file name is printed, and how. Simply limit the original
1539 # or not the file name is printed, and how. Simply limit the original
1540 # matches to those in the deleted status list.
1540 # matches to those in the deleted status list.
1541 matchfn = m.matchfn
1541 matchfn = m.matchfn
1542 m.matchfn = lambda f: f in s.deleted and matchfn(f)
1542 m.matchfn = lambda f: f in s.deleted and matchfn(f)
1543
1543
1544 removelargefiles(
1544 removelargefiles(
1545 repo.ui,
1545 repo.ui,
1546 repo,
1546 repo,
1547 True,
1547 True,
1548 m,
1548 m,
1549 uipathfn,
1549 uipathfn,
1550 opts.get(b'dry_run'),
1550 opts.get(b'dry_run'),
1551 **pycompat.strkwargs(opts)
1551 **pycompat.strkwargs(opts)
1552 )
1552 )
1553 # Call into the normal add code, and any files that *should* be added as
1553 # Call into the normal add code, and any files that *should* be added as
1554 # largefiles will be
1554 # largefiles will be
1555 added, bad = addlargefiles(
1555 added, bad = addlargefiles(
1556 repo.ui, repo, True, matcher, uipathfn, **pycompat.strkwargs(opts)
1556 repo.ui, repo, True, matcher, uipathfn, **pycompat.strkwargs(opts)
1557 )
1557 )
1558 # Now that we've handled largefiles, hand off to the original addremove
1558 # Now that we've handled largefiles, hand off to the original addremove
1559 # function to take care of the rest. Make sure it doesn't do anything with
1559 # function to take care of the rest. Make sure it doesn't do anything with
1560 # largefiles by passing a matcher that will ignore them.
1560 # largefiles by passing a matcher that will ignore them.
1561 matcher = composenormalfilematcher(matcher, repo[None].manifest(), added)
1561 matcher = composenormalfilematcher(matcher, repo[None].manifest(), added)
1562 return orig(repo, matcher, prefix, uipathfn, opts)
1562 return orig(repo, matcher, prefix, uipathfn, opts)
1563
1563
1564
1564
1565 # Calling purge with --all will cause the largefiles to be deleted.
1565 # Calling purge with --all will cause the largefiles to be deleted.
1566 # Override repo.status to prevent this from happening.
1566 # Override repo.status to prevent this from happening.
1567 @eh.wrapcommand(b'purge')
1567 @eh.wrapcommand(b'purge')
1568 def overridepurge(orig, ui, repo, *dirs, **opts):
1568 def overridepurge(orig, ui, repo, *dirs, **opts):
1569 # XXX Monkey patching a repoview will not work. The assigned attribute will
1569 # XXX Monkey patching a repoview will not work. The assigned attribute will
1570 # be set on the unfiltered repo, but we will only lookup attributes in the
1570 # be set on the unfiltered repo, but we will only lookup attributes in the
1571 # unfiltered repo if the lookup in the repoview object itself fails. As the
1571 # unfiltered repo if the lookup in the repoview object itself fails. As the
1572 # monkey patched method exists on the repoview class the lookup will not
1572 # monkey patched method exists on the repoview class the lookup will not
1573 # fail. As a result, the original version will shadow the monkey patched
1573 # fail. As a result, the original version will shadow the monkey patched
1574 # one, defeating the monkey patch.
1574 # one, defeating the monkey patch.
1575 #
1575 #
1576 # As a work around we use an unfiltered repo here. We should do something
1576 # As a work around we use an unfiltered repo here. We should do something
1577 # cleaner instead.
1577 # cleaner instead.
1578 repo = repo.unfiltered()
1578 repo = repo.unfiltered()
1579 oldstatus = repo.status
1579 oldstatus = repo.status
1580
1580
1581 def overridestatus(
1581 def overridestatus(
1582 node1=b'.',
1582 node1=b'.',
1583 node2=None,
1583 node2=None,
1584 match=None,
1584 match=None,
1585 ignored=False,
1585 ignored=False,
1586 clean=False,
1586 clean=False,
1587 unknown=False,
1587 unknown=False,
1588 listsubrepos=False,
1588 listsubrepos=False,
1589 ):
1589 ):
1590 r = oldstatus(
1590 r = oldstatus(
1591 node1, node2, match, ignored, clean, unknown, listsubrepos
1591 node1, node2, match, ignored, clean, unknown, listsubrepos
1592 )
1592 )
1593 lfdirstate = lfutil.openlfdirstate(ui, repo)
1593 lfdirstate = lfutil.openlfdirstate(ui, repo)
1594 unknown = [
1594 unknown = [
1595 f for f in r.unknown if not lfdirstate.get_entry(f).any_tracked
1595 f for f in r.unknown if not lfdirstate.get_entry(f).any_tracked
1596 ]
1596 ]
1597 ignored = [
1597 ignored = [
1598 f for f in r.ignored if not lfdirstate.get_entry(f).any_tracked
1598 f for f in r.ignored if not lfdirstate.get_entry(f).any_tracked
1599 ]
1599 ]
1600 return scmutil.status(
1600 return scmutil.status(
1601 r.modified, r.added, r.removed, r.deleted, unknown, ignored, r.clean
1601 r.modified, r.added, r.removed, r.deleted, unknown, ignored, r.clean
1602 )
1602 )
1603
1603
1604 repo.status = overridestatus
1604 repo.status = overridestatus
1605 orig(ui, repo, *dirs, **opts)
1605 orig(ui, repo, *dirs, **opts)
1606 repo.status = oldstatus
1606 repo.status = oldstatus
1607
1607
1608
1608
1609 @eh.wrapcommand(b'rollback')
1609 @eh.wrapcommand(b'rollback')
1610 def overriderollback(orig, ui, repo, **opts):
1610 def overriderollback(orig, ui, repo, **opts):
1611 with repo.wlock():
1611 with repo.wlock():
1612 before = repo.dirstate.parents()
1612 before = repo.dirstate.parents()
1613 orphans = {
1613 orphans = {
1614 f
1614 f
1615 for f in repo.dirstate
1615 for f in repo.dirstate
1616 if lfutil.isstandin(f) and not repo.dirstate.get_entry(f).removed
1616 if lfutil.isstandin(f) and not repo.dirstate.get_entry(f).removed
1617 }
1617 }
1618 result = orig(ui, repo, **opts)
1618 result = orig(ui, repo, **opts)
1619 after = repo.dirstate.parents()
1619 after = repo.dirstate.parents()
1620 if before == after:
1620 if before == after:
1621 return result # no need to restore standins
1621 return result # no need to restore standins
1622
1622
1623 pctx = repo[b'.']
1623 pctx = repo[b'.']
1624 for f in repo.dirstate:
1624 for f in repo.dirstate:
1625 if lfutil.isstandin(f):
1625 if lfutil.isstandin(f):
1626 orphans.discard(f)
1626 orphans.discard(f)
1627 if repo.dirstate.get_entry(f).removed:
1627 if repo.dirstate.get_entry(f).removed:
1628 repo.wvfs.unlinkpath(f, ignoremissing=True)
1628 repo.wvfs.unlinkpath(f, ignoremissing=True)
1629 elif f in pctx:
1629 elif f in pctx:
1630 fctx = pctx[f]
1630 fctx = pctx[f]
1631 repo.wwrite(f, fctx.data(), fctx.flags())
1631 repo.wwrite(f, fctx.data(), fctx.flags())
1632 else:
1632 else:
1633 # content of standin is not so important in 'a',
1633 # content of standin is not so important in 'a',
1634 # 'm' or 'n' (coming from the 2nd parent) cases
1634 # 'm' or 'n' (coming from the 2nd parent) cases
1635 lfutil.writestandin(repo, f, b'', False)
1635 lfutil.writestandin(repo, f, b'', False)
1636 for standin in orphans:
1636 for standin in orphans:
1637 repo.wvfs.unlinkpath(standin, ignoremissing=True)
1637 repo.wvfs.unlinkpath(standin, ignoremissing=True)
1638
1638
1639 lfdirstate = lfutil.openlfdirstate(ui, repo)
1640 with lfdirstate.parentchange():
1641 orphans = set(lfdirstate)
1642 lfiles = lfutil.listlfiles(repo)
1643 for file in lfiles:
1644 lfutil.synclfdirstate(repo, lfdirstate, file, True)
1645 orphans.discard(file)
1646 for lfile in orphans:
1647 lfdirstate.update_file(
1648 lfile, p1_tracked=False, wc_tracked=False
1649 )
1650 lfdirstate.write()
1651 return result
1639 return result
1652
1640
1653
1641
1654 @eh.wrapcommand(b'transplant', extension=b'transplant')
1642 @eh.wrapcommand(b'transplant', extension=b'transplant')
1655 def overridetransplant(orig, ui, repo, *revs, **opts):
1643 def overridetransplant(orig, ui, repo, *revs, **opts):
1656 resuming = opts.get('continue')
1644 resuming = opts.get('continue')
1657 repo._lfcommithooks.append(lfutil.automatedcommithook(resuming))
1645 repo._lfcommithooks.append(lfutil.automatedcommithook(resuming))
1658 repo._lfstatuswriters.append(lambda *msg, **opts: None)
1646 repo._lfstatuswriters.append(lambda *msg, **opts: None)
1659 try:
1647 try:
1660 result = orig(ui, repo, *revs, **opts)
1648 result = orig(ui, repo, *revs, **opts)
1661 finally:
1649 finally:
1662 repo._lfstatuswriters.pop()
1650 repo._lfstatuswriters.pop()
1663 repo._lfcommithooks.pop()
1651 repo._lfcommithooks.pop()
1664 return result
1652 return result
1665
1653
1666
1654
1667 @eh.wrapcommand(b'cat')
1655 @eh.wrapcommand(b'cat')
1668 def overridecat(orig, ui, repo, file1, *pats, **opts):
1656 def overridecat(orig, ui, repo, file1, *pats, **opts):
1669 opts = pycompat.byteskwargs(opts)
1657 opts = pycompat.byteskwargs(opts)
1670 ctx = logcmdutil.revsingle(repo, opts.get(b'rev'))
1658 ctx = logcmdutil.revsingle(repo, opts.get(b'rev'))
1671 err = 1
1659 err = 1
1672 notbad = set()
1660 notbad = set()
1673 m = scmutil.match(ctx, (file1,) + pats, opts)
1661 m = scmutil.match(ctx, (file1,) + pats, opts)
1674 origmatchfn = m.matchfn
1662 origmatchfn = m.matchfn
1675
1663
1676 def lfmatchfn(f):
1664 def lfmatchfn(f):
1677 if origmatchfn(f):
1665 if origmatchfn(f):
1678 return True
1666 return True
1679 lf = lfutil.splitstandin(f)
1667 lf = lfutil.splitstandin(f)
1680 if lf is None:
1668 if lf is None:
1681 return False
1669 return False
1682 notbad.add(lf)
1670 notbad.add(lf)
1683 return origmatchfn(lf)
1671 return origmatchfn(lf)
1684
1672
1685 m.matchfn = lfmatchfn
1673 m.matchfn = lfmatchfn
1686 origbadfn = m.bad
1674 origbadfn = m.bad
1687
1675
1688 def lfbadfn(f, msg):
1676 def lfbadfn(f, msg):
1689 if not f in notbad:
1677 if not f in notbad:
1690 origbadfn(f, msg)
1678 origbadfn(f, msg)
1691
1679
1692 m.bad = lfbadfn
1680 m.bad = lfbadfn
1693
1681
1694 origvisitdirfn = m.visitdir
1682 origvisitdirfn = m.visitdir
1695
1683
1696 def lfvisitdirfn(dir):
1684 def lfvisitdirfn(dir):
1697 if dir == lfutil.shortname:
1685 if dir == lfutil.shortname:
1698 return True
1686 return True
1699 ret = origvisitdirfn(dir)
1687 ret = origvisitdirfn(dir)
1700 if ret:
1688 if ret:
1701 return ret
1689 return ret
1702 lf = lfutil.splitstandin(dir)
1690 lf = lfutil.splitstandin(dir)
1703 if lf is None:
1691 if lf is None:
1704 return False
1692 return False
1705 return origvisitdirfn(lf)
1693 return origvisitdirfn(lf)
1706
1694
1707 m.visitdir = lfvisitdirfn
1695 m.visitdir = lfvisitdirfn
1708
1696
1709 for f in ctx.walk(m):
1697 for f in ctx.walk(m):
1710 with cmdutil.makefileobj(ctx, opts.get(b'output'), pathname=f) as fp:
1698 with cmdutil.makefileobj(ctx, opts.get(b'output'), pathname=f) as fp:
1711 lf = lfutil.splitstandin(f)
1699 lf = lfutil.splitstandin(f)
1712 if lf is None or origmatchfn(f):
1700 if lf is None or origmatchfn(f):
1713 # duplicating unreachable code from commands.cat
1701 # duplicating unreachable code from commands.cat
1714 data = ctx[f].data()
1702 data = ctx[f].data()
1715 if opts.get(b'decode'):
1703 if opts.get(b'decode'):
1716 data = repo.wwritedata(f, data)
1704 data = repo.wwritedata(f, data)
1717 fp.write(data)
1705 fp.write(data)
1718 else:
1706 else:
1719 hash = lfutil.readasstandin(ctx[f])
1707 hash = lfutil.readasstandin(ctx[f])
1720 if not lfutil.inusercache(repo.ui, hash):
1708 if not lfutil.inusercache(repo.ui, hash):
1721 store = storefactory.openstore(repo)
1709 store = storefactory.openstore(repo)
1722 success, missing = store.get([(lf, hash)])
1710 success, missing = store.get([(lf, hash)])
1723 if len(success) != 1:
1711 if len(success) != 1:
1724 raise error.Abort(
1712 raise error.Abort(
1725 _(
1713 _(
1726 b'largefile %s is not in cache and could not be '
1714 b'largefile %s is not in cache and could not be '
1727 b'downloaded'
1715 b'downloaded'
1728 )
1716 )
1729 % lf
1717 % lf
1730 )
1718 )
1731 path = lfutil.usercachepath(repo.ui, hash)
1719 path = lfutil.usercachepath(repo.ui, hash)
1732 with open(path, b"rb") as fpin:
1720 with open(path, b"rb") as fpin:
1733 for chunk in util.filechunkiter(fpin):
1721 for chunk in util.filechunkiter(fpin):
1734 fp.write(chunk)
1722 fp.write(chunk)
1735 err = 0
1723 err = 0
1736 return err
1724 return err
1737
1725
1738
1726
1739 @eh.wrapfunction(merge, b'_update')
1727 @eh.wrapfunction(merge, b'_update')
1740 def mergeupdate(orig, repo, node, branchmerge, force, *args, **kwargs):
1728 def mergeupdate(orig, repo, node, branchmerge, force, *args, **kwargs):
1741 matcher = kwargs.get('matcher', None)
1729 matcher = kwargs.get('matcher', None)
1742 # note if this is a partial update
1730 # note if this is a partial update
1743 partial = matcher and not matcher.always()
1731 partial = matcher and not matcher.always()
1744 with repo.wlock():
1732 with repo.wlock():
1745 # branch | | |
1733 # branch | | |
1746 # merge | force | partial | action
1734 # merge | force | partial | action
1747 # -------+-------+---------+--------------
1735 # -------+-------+---------+--------------
1748 # x | x | x | linear-merge
1736 # x | x | x | linear-merge
1749 # o | x | x | branch-merge
1737 # o | x | x | branch-merge
1750 # x | o | x | overwrite (as clean update)
1738 # x | o | x | overwrite (as clean update)
1751 # o | o | x | force-branch-merge (*1)
1739 # o | o | x | force-branch-merge (*1)
1752 # x | x | o | (*)
1740 # x | x | o | (*)
1753 # o | x | o | (*)
1741 # o | x | o | (*)
1754 # x | o | o | overwrite (as revert)
1742 # x | o | o | overwrite (as revert)
1755 # o | o | o | (*)
1743 # o | o | o | (*)
1756 #
1744 #
1757 # (*) don't care
1745 # (*) don't care
1758 # (*1) deprecated, but used internally (e.g: "rebase --collapse")
1746 # (*1) deprecated, but used internally (e.g: "rebase --collapse")
1759
1747
1760 lfdirstate = lfutil.openlfdirstate(repo.ui, repo)
1748 lfdirstate = lfutil.openlfdirstate(repo.ui, repo)
1761 unsure, s = lfdirstate.status(
1749 unsure, s = lfdirstate.status(
1762 matchmod.always(),
1750 matchmod.always(),
1763 subrepos=[],
1751 subrepos=[],
1764 ignored=False,
1752 ignored=False,
1765 clean=True,
1753 clean=True,
1766 unknown=False,
1754 unknown=False,
1767 )
1755 )
1768 oldclean = set(s.clean)
1756 oldclean = set(s.clean)
1769 pctx = repo[b'.']
1757 pctx = repo[b'.']
1770 dctx = repo[node]
1758 dctx = repo[node]
1771 for lfile in unsure + s.modified:
1759 for lfile in unsure + s.modified:
1772 lfileabs = repo.wvfs.join(lfile)
1760 lfileabs = repo.wvfs.join(lfile)
1773 if not repo.wvfs.exists(lfileabs):
1761 if not repo.wvfs.exists(lfileabs):
1774 continue
1762 continue
1775 lfhash = lfutil.hashfile(lfileabs)
1763 lfhash = lfutil.hashfile(lfileabs)
1776 standin = lfutil.standin(lfile)
1764 standin = lfutil.standin(lfile)
1777 lfutil.writestandin(
1765 lfutil.writestandin(
1778 repo, standin, lfhash, lfutil.getexecutable(lfileabs)
1766 repo, standin, lfhash, lfutil.getexecutable(lfileabs)
1779 )
1767 )
1780 if standin in pctx and lfhash == lfutil.readasstandin(
1768 if standin in pctx and lfhash == lfutil.readasstandin(
1781 pctx[standin]
1769 pctx[standin]
1782 ):
1770 ):
1783 oldclean.add(lfile)
1771 oldclean.add(lfile)
1784 for lfile in s.added:
1772 for lfile in s.added:
1785 fstandin = lfutil.standin(lfile)
1773 fstandin = lfutil.standin(lfile)
1786 if fstandin not in dctx:
1774 if fstandin not in dctx:
1787 # in this case, content of standin file is meaningless
1775 # in this case, content of standin file is meaningless
1788 # (in dctx, lfile is unknown, or normal file)
1776 # (in dctx, lfile is unknown, or normal file)
1789 continue
1777 continue
1790 lfutil.updatestandin(repo, lfile, fstandin)
1778 lfutil.updatestandin(repo, lfile, fstandin)
1791 # mark all clean largefiles as dirty, just in case the update gets
1779 # mark all clean largefiles as dirty, just in case the update gets
1792 # interrupted before largefiles and lfdirstate are synchronized
1780 # interrupted before largefiles and lfdirstate are synchronized
1793 for lfile in oldclean:
1781 for lfile in oldclean:
1794 lfdirstate.set_possibly_dirty(lfile)
1782 lfdirstate.set_possibly_dirty(lfile)
1795 lfdirstate.write(repo.currenttransaction())
1783 lfdirstate.write(repo.currenttransaction())
1796
1784
1797 oldstandins = lfutil.getstandinsstate(repo)
1785 oldstandins = lfutil.getstandinsstate(repo)
1798 wc = kwargs.get('wc')
1786 wc = kwargs.get('wc')
1799 if wc and wc.isinmemory():
1787 if wc and wc.isinmemory():
1800 # largefiles is not a good candidate for in-memory merge (large
1788 # largefiles is not a good candidate for in-memory merge (large
1801 # files, custom dirstate, matcher usage).
1789 # files, custom dirstate, matcher usage).
1802 raise error.ProgrammingError(
1790 raise error.ProgrammingError(
1803 b'largefiles is not compatible with in-memory merge'
1791 b'largefiles is not compatible with in-memory merge'
1804 )
1792 )
1805 with lfdirstate.parentchange():
1793 with lfdirstate.parentchange():
1806 result = orig(repo, node, branchmerge, force, *args, **kwargs)
1794 result = orig(repo, node, branchmerge, force, *args, **kwargs)
1807
1795
1808 newstandins = lfutil.getstandinsstate(repo)
1796 newstandins = lfutil.getstandinsstate(repo)
1809 filelist = lfutil.getlfilestoupdate(oldstandins, newstandins)
1797 filelist = lfutil.getlfilestoupdate(oldstandins, newstandins)
1810
1798
1811 # to avoid leaving all largefiles as dirty and thus rehash them, mark
1799 # to avoid leaving all largefiles as dirty and thus rehash them, mark
1812 # all the ones that didn't change as clean
1800 # all the ones that didn't change as clean
1813 for lfile in oldclean.difference(filelist):
1801 for lfile in oldclean.difference(filelist):
1814 lfdirstate.update_file(lfile, p1_tracked=True, wc_tracked=True)
1802 lfdirstate.update_file(lfile, p1_tracked=True, wc_tracked=True)
1815 lfdirstate.write(repo.currenttransaction())
1803 lfdirstate.write(repo.currenttransaction())
1816
1804
1817 if branchmerge or force or partial:
1805 if branchmerge or force or partial:
1818 filelist.extend(s.deleted + s.removed)
1806 filelist.extend(s.deleted + s.removed)
1819
1807
1820 lfcommands.updatelfiles(
1808 lfcommands.updatelfiles(
1821 repo.ui, repo, filelist=filelist, normallookup=partial
1809 repo.ui, repo, filelist=filelist, normallookup=partial
1822 )
1810 )
1823
1811
1824 return result
1812 return result
1825
1813
1826
1814
1827 @eh.wrapfunction(scmutil, b'marktouched')
1815 @eh.wrapfunction(scmutil, b'marktouched')
1828 def scmutilmarktouched(orig, repo, files, *args, **kwargs):
1816 def scmutilmarktouched(orig, repo, files, *args, **kwargs):
1829 result = orig(repo, files, *args, **kwargs)
1817 result = orig(repo, files, *args, **kwargs)
1830
1818
1831 filelist = []
1819 filelist = []
1832 for f in files:
1820 for f in files:
1833 lf = lfutil.splitstandin(f)
1821 lf = lfutil.splitstandin(f)
1834 if lf is not None:
1822 if lf is not None:
1835 filelist.append(lf)
1823 filelist.append(lf)
1836 if filelist:
1824 if filelist:
1837 lfcommands.updatelfiles(
1825 lfcommands.updatelfiles(
1838 repo.ui,
1826 repo.ui,
1839 repo,
1827 repo,
1840 filelist=filelist,
1828 filelist=filelist,
1841 printmessage=False,
1829 printmessage=False,
1842 normallookup=True,
1830 normallookup=True,
1843 )
1831 )
1844
1832
1845 return result
1833 return result
1846
1834
1847
1835
1848 @eh.wrapfunction(upgrade_actions, b'preservedrequirements')
1836 @eh.wrapfunction(upgrade_actions, b'preservedrequirements')
1849 @eh.wrapfunction(upgrade_actions, b'supporteddestrequirements')
1837 @eh.wrapfunction(upgrade_actions, b'supporteddestrequirements')
1850 def upgraderequirements(orig, repo):
1838 def upgraderequirements(orig, repo):
1851 reqs = orig(repo)
1839 reqs = orig(repo)
1852 if b'largefiles' in repo.requirements:
1840 if b'largefiles' in repo.requirements:
1853 reqs.add(b'largefiles')
1841 reqs.add(b'largefiles')
1854 return reqs
1842 return reqs
1855
1843
1856
1844
1857 _lfscheme = b'largefile://'
1845 _lfscheme = b'largefile://'
1858
1846
1859
1847
1860 @eh.wrapfunction(urlmod, b'open')
1848 @eh.wrapfunction(urlmod, b'open')
1861 def openlargefile(orig, ui, url_, data=None, **kwargs):
1849 def openlargefile(orig, ui, url_, data=None, **kwargs):
1862 if url_.startswith(_lfscheme):
1850 if url_.startswith(_lfscheme):
1863 if data:
1851 if data:
1864 msg = b"cannot use data on a 'largefile://' url"
1852 msg = b"cannot use data on a 'largefile://' url"
1865 raise error.ProgrammingError(msg)
1853 raise error.ProgrammingError(msg)
1866 lfid = url_[len(_lfscheme) :]
1854 lfid = url_[len(_lfscheme) :]
1867 return storefactory.getlfile(ui, lfid)
1855 return storefactory.getlfile(ui, lfid)
1868 else:
1856 else:
1869 return orig(ui, url_, data=data, **kwargs)
1857 return orig(ui, url_, data=data, **kwargs)
General Comments 0
You need to be logged in to leave comments. Login now