##// END OF EJS Templates
Merge with stable
Matt Mackall -
r9345:94114ea3 merge default
parent child Browse files
Show More
@@ -1,363 +1,367 b''
1 1 # hg.py - repository classes for mercurial
2 2 #
3 3 # Copyright 2005-2007 Matt Mackall <mpm@selenic.com>
4 4 # Copyright 2006 Vadim Gelfer <vadim.gelfer@gmail.com>
5 5 #
6 6 # This software may be used and distributed according to the terms of the
7 7 # GNU General Public License version 2, incorporated herein by reference.
8 8
9 9 from i18n import _
10 10 from lock import release
11 11 import localrepo, bundlerepo, httprepo, sshrepo, statichttprepo
12 12 import lock, util, extensions, error
13 13 import merge as _merge
14 14 import verify as _verify
15 15 import errno, os, shutil
16 16
17 17 def _local(path):
18 18 return (os.path.isfile(util.drop_scheme('file', path)) and
19 19 bundlerepo or localrepo)
20 20
21 21 def parseurl(url, revs=[]):
22 22 '''parse url#branch, returning url, branch + revs'''
23 23
24 24 if '#' not in url:
25 25 return url, (revs or None), revs and revs[-1] or None
26 26
27 27 url, branch = url.split('#', 1)
28 28 checkout = revs and revs[-1] or branch
29 29 return url, (revs or []) + [branch], checkout
30 30
31 31 schemes = {
32 32 'bundle': bundlerepo,
33 33 'file': _local,
34 34 'http': httprepo,
35 35 'https': httprepo,
36 36 'ssh': sshrepo,
37 37 'static-http': statichttprepo,
38 38 }
39 39
40 40 def _lookup(path):
41 41 scheme = 'file'
42 42 if path:
43 43 c = path.find(':')
44 44 if c > 0:
45 45 scheme = path[:c]
46 46 thing = schemes.get(scheme) or schemes['file']
47 47 try:
48 48 return thing(path)
49 49 except TypeError:
50 50 return thing
51 51
52 52 def islocal(repo):
53 53 '''return true if repo or path is local'''
54 54 if isinstance(repo, str):
55 55 try:
56 56 return _lookup(repo).islocal(repo)
57 57 except AttributeError:
58 58 return False
59 59 return repo.local()
60 60
61 61 def repository(ui, path='', create=False):
62 62 """return a repository object for the specified path"""
63 63 repo = _lookup(path).instance(ui, path, create)
64 64 ui = getattr(repo, "ui", ui)
65 65 for name, module in extensions.extensions():
66 66 hook = getattr(module, 'reposetup', None)
67 67 if hook:
68 68 hook(ui, repo)
69 69 return repo
70 70
71 71 def defaultdest(source):
72 72 '''return default destination of clone if none is given'''
73 73 return os.path.basename(os.path.normpath(source))
74 74
75 75 def localpath(path):
76 76 if path.startswith('file://localhost/'):
77 77 return path[16:]
78 78 if path.startswith('file://'):
79 79 return path[7:]
80 80 if path.startswith('file:'):
81 81 return path[5:]
82 82 return path
83 83
84 84 def share(ui, source, dest=None, update=True):
85 85 '''create a shared repository'''
86 86
87 87 if not islocal(source):
88 88 raise util.Abort(_('can only share local repositories'))
89 89
90 90 if not dest:
91 91 dest = os.path.basename(source)
92 else:
93 dest = ui.expandpath(dest)
92 94
93 95 if isinstance(source, str):
94 96 origsource = ui.expandpath(source)
95 97 source, rev, checkout = parseurl(origsource, '')
96 98 srcrepo = repository(ui, source)
97 99 else:
98 100 srcrepo = source
99 101 origsource = source = srcrepo.url()
100 102 checkout = None
101 103
102 104 sharedpath = srcrepo.sharedpath # if our source is already sharing
103 105
104 106 root = os.path.realpath(dest)
105 107 roothg = os.path.join(root, '.hg')
106 108
107 109 if os.path.exists(roothg):
108 110 raise util.Abort(_('destination already exists'))
109 111
110 112 if not os.path.isdir(root):
111 113 os.mkdir(root)
112 114 os.mkdir(roothg)
113 115
114 116 requirements = ''
115 117 try:
116 118 requirements = srcrepo.opener('requires').read()
117 119 except IOError, inst:
118 120 if inst.errno != errno.ENOENT:
119 121 raise
120 122
121 123 requirements += 'shared\n'
122 124 file(os.path.join(roothg, 'requires'), 'w').write(requirements)
123 125 file(os.path.join(roothg, 'sharedpath'), 'w').write(sharedpath)
124 126
125 127 default = srcrepo.ui.config('paths', 'default')
126 128 if default:
127 129 f = file(os.path.join(roothg, 'hgrc'), 'w')
128 130 f.write('[paths]\ndefault = %s\n' % default)
129 131 f.close()
130 132
131 133 r = repository(ui, root)
132 134
133 135 if update:
134 136 r.ui.status(_("updating working directory\n"))
135 137 if update is not True:
136 138 checkout = update
137 139 for test in (checkout, 'default', 'tip'):
138 140 try:
139 141 uprev = r.lookup(test)
140 142 break
141 143 except LookupError:
142 144 continue
143 145 _update(r, uprev)
144 146
145 147 def clone(ui, source, dest=None, pull=False, rev=None, update=True,
146 148 stream=False):
147 149 """Make a copy of an existing repository.
148 150
149 151 Create a copy of an existing repository in a new directory. The
150 152 source and destination are URLs, as passed to the repository
151 153 function. Returns a pair of repository objects, the source and
152 154 newly created destination.
153 155
154 156 The location of the source is added to the new repository's
155 157 .hg/hgrc file, as the default to be used for future pulls and
156 158 pushes.
157 159
158 160 If an exception is raised, the partly cloned/updated destination
159 161 repository will be deleted.
160 162
161 163 Arguments:
162 164
163 165 source: repository object or URL
164 166
165 167 dest: URL of destination repository to create (defaults to base
166 168 name of source repository)
167 169
168 170 pull: always pull from source repository, even in local case
169 171
170 172 stream: stream raw data uncompressed from repository (fast over
171 173 LAN, slow over WAN)
172 174
173 175 rev: revision to clone up to (implies pull=True)
174 176
175 177 update: update working directory after clone completes, if
176 178 destination is local repository (True means update to default rev,
177 179 anything else is treated as a revision)
178 180 """
179 181
180 182 if isinstance(source, str):
181 183 origsource = ui.expandpath(source)
182 184 source, rev, checkout = parseurl(origsource, rev)
183 185 src_repo = repository(ui, source)
184 186 else:
185 187 src_repo = source
186 188 origsource = source = src_repo.url()
187 189 checkout = rev and rev[-1] or None
188 190
189 191 if dest is None:
190 192 dest = defaultdest(source)
191 193 ui.status(_("destination directory: %s\n") % dest)
194 else:
195 dest = ui.expandpath(dest)
192 196
193 197 dest = localpath(dest)
194 198 source = localpath(source)
195 199
196 200 if os.path.exists(dest):
197 201 if not os.path.isdir(dest):
198 202 raise util.Abort(_("destination '%s' already exists") % dest)
199 203 elif os.listdir(dest):
200 204 raise util.Abort(_("destination '%s' is not empty") % dest)
201 205
202 206 class DirCleanup(object):
203 207 def __init__(self, dir_):
204 208 self.rmtree = shutil.rmtree
205 209 self.dir_ = dir_
206 210 def close(self):
207 211 self.dir_ = None
208 212 def cleanup(self):
209 213 if self.dir_:
210 214 self.rmtree(self.dir_, True)
211 215
212 216 src_lock = dest_lock = dir_cleanup = None
213 217 try:
214 218 if islocal(dest):
215 219 dir_cleanup = DirCleanup(dest)
216 220
217 221 abspath = origsource
218 222 copy = False
219 223 if src_repo.cancopy() and islocal(dest):
220 224 abspath = os.path.abspath(util.drop_scheme('file', origsource))
221 225 copy = not pull and not rev
222 226
223 227 if copy:
224 228 try:
225 229 # we use a lock here because if we race with commit, we
226 230 # can end up with extra data in the cloned revlogs that's
227 231 # not pointed to by changesets, thus causing verify to
228 232 # fail
229 233 src_lock = src_repo.lock(wait=False)
230 234 except error.LockError:
231 235 copy = False
232 236
233 237 if copy:
234 238 src_repo.hook('preoutgoing', throw=True, source='clone')
235 239 hgdir = os.path.realpath(os.path.join(dest, ".hg"))
236 240 if not os.path.exists(dest):
237 241 os.mkdir(dest)
238 242 else:
239 243 # only clean up directories we create ourselves
240 244 dir_cleanup.dir_ = hgdir
241 245 try:
242 246 dest_path = hgdir
243 247 os.mkdir(dest_path)
244 248 except OSError, inst:
245 249 if inst.errno == errno.EEXIST:
246 250 dir_cleanup.close()
247 251 raise util.Abort(_("destination '%s' already exists")
248 252 % dest)
249 253 raise
250 254
251 255 for f in src_repo.store.copylist():
252 256 src = os.path.join(src_repo.path, f)
253 257 dst = os.path.join(dest_path, f)
254 258 dstbase = os.path.dirname(dst)
255 259 if dstbase and not os.path.exists(dstbase):
256 260 os.mkdir(dstbase)
257 261 if os.path.exists(src):
258 262 if dst.endswith('data'):
259 263 # lock to avoid premature writing to the target
260 264 dest_lock = lock.lock(os.path.join(dstbase, "lock"))
261 265 util.copyfiles(src, dst)
262 266
263 267 # we need to re-init the repo after manually copying the data
264 268 # into it
265 269 dest_repo = repository(ui, dest)
266 270 src_repo.hook('outgoing', source='clone', node='0'*40)
267 271 else:
268 272 try:
269 273 dest_repo = repository(ui, dest, create=True)
270 274 except OSError, inst:
271 275 if inst.errno == errno.EEXIST:
272 276 dir_cleanup.close()
273 277 raise util.Abort(_("destination '%s' already exists")
274 278 % dest)
275 279 raise
276 280
277 281 revs = None
278 282 if rev:
279 283 if 'lookup' not in src_repo.capabilities:
280 284 raise util.Abort(_("src repository does not support "
281 285 "revision lookup and so doesn't "
282 286 "support clone by revision"))
283 287 revs = [src_repo.lookup(r) for r in rev]
284 288 checkout = revs[0]
285 289 if dest_repo.local():
286 290 dest_repo.clone(src_repo, heads=revs, stream=stream)
287 291 elif src_repo.local():
288 292 src_repo.push(dest_repo, revs=revs)
289 293 else:
290 294 raise util.Abort(_("clone from remote to remote not supported"))
291 295
292 296 if dir_cleanup:
293 297 dir_cleanup.close()
294 298
295 299 if dest_repo.local():
296 300 fp = dest_repo.opener("hgrc", "w", text=True)
297 301 fp.write("[paths]\n")
298 302 fp.write("default = %s\n" % abspath)
299 303 fp.close()
300 304
301 305 dest_repo.ui.setconfig('paths', 'default', abspath)
302 306
303 307 if update:
304 308 dest_repo.ui.status(_("updating working directory\n"))
305 309 if update is not True:
306 310 checkout = update
307 311 for test in (checkout, 'default', 'tip'):
308 312 try:
309 313 uprev = dest_repo.lookup(test)
310 314 break
311 315 except:
312 316 continue
313 317 _update(dest_repo, uprev)
314 318
315 319 return src_repo, dest_repo
316 320 finally:
317 321 release(src_lock, dest_lock)
318 322 if dir_cleanup is not None:
319 323 dir_cleanup.cleanup()
320 324
321 325 def _showstats(repo, stats):
322 326 stats = ((stats[0], _("updated")),
323 327 (stats[1], _("merged")),
324 328 (stats[2], _("removed")),
325 329 (stats[3], _("unresolved")))
326 330 note = ", ".join([_("%d files %s") % s for s in stats])
327 331 repo.ui.status("%s\n" % note)
328 332
329 333 def update(repo, node):
330 334 """update the working directory to node, merging linear changes"""
331 335 stats = _merge.update(repo, node, False, False, None)
332 336 _showstats(repo, stats)
333 337 if stats[3]:
334 338 repo.ui.status(_("use 'hg resolve' to retry unresolved file merges\n"))
335 339 return stats[3] > 0
336 340
337 341 # naming conflict in clone()
338 342 _update = update
339 343
340 344 def clean(repo, node, show_stats=True):
341 345 """forcibly switch the working directory to node, clobbering changes"""
342 346 stats = _merge.update(repo, node, False, True, None)
343 347 if show_stats: _showstats(repo, stats)
344 348 return stats[3] > 0
345 349
346 350 def merge(repo, node, force=None, remind=True):
347 351 """branch merge with node, resolving changes"""
348 352 stats = _merge.update(repo, node, True, force, False)
349 353 _showstats(repo, stats)
350 354 if stats[3]:
351 355 repo.ui.status(_("use 'hg resolve' to retry unresolved file merges "
352 356 "or 'hg up --clean' to abandon\n"))
353 357 elif remind:
354 358 repo.ui.status(_("(branch merge, don't forget to commit)\n"))
355 359 return stats[3] > 0
356 360
357 361 def revert(repo, node, choose):
358 362 """revert changes to revision in node without updating dirstate"""
359 363 return _merge.update(repo, node, False, True, choose)[3] > 0
360 364
361 365 def verify(repo):
362 366 """verify the consistency of a repository"""
363 367 return _verify.verify(repo)
General Comments 0
You need to be logged in to leave comments. Login now