~bzr-pqm/bzr/bzr.dev

« back to all changes in this revision

Viewing changes to bzrlib/weave.py

Added set_remove to get the set delete function to IntSet

Show diffs side-by-side

added added

removed removed

Lines of Context:
21
21
 
22
22
"""Weave - storage of related text file versions"""
23
23
 
24
 
# before intset (r923) 2000 versions in 41.5s
25
 
# with intset (r926) 2000 versions in 93s !!!
26
 
# better to just use plain sets.
27
 
 
28
 
# making _extract build and return a list, rather than being a generator
29
 
# takes 37.94s
30
 
 
31
 
# with python -O, r923 does 2000 versions in 36.87s
32
 
 
33
 
# with optimizations to avoid mutating lists - 35.75!  I guess copying
34
 
# all the elements every time costs more than the small manipulations.
35
 
# a surprisingly small change.
36
 
 
37
 
# r931, which avoids using a generator for extract, does 36.98s
38
 
 
39
 
# with memoized inclusions, takes 41.49s; not very good
40
 
 
41
 
# with slots, takes 37.35s; without takes 39.16, a bit surprising
42
 
 
43
 
# with the delta calculation mixed in with the add method, rather than
44
 
# separated, takes 36.78s
45
 
 
46
 
# with delta folded in and mutation of the list, 36.13s
47
 
 
48
 
# with all this and simplification of add code, 33s
49
 
 
50
 
 
51
 
 
52
 
 
53
 
 
54
 
# TODO: Perhaps have copy method for Weave instances?
55
24
 
56
25
# XXX: If we do weaves this way, will a merge still behave the same
57
26
# way if it's done in a different order?  That's a pretty desirable
74
43
 
75
44
# TODO: Parallel-extract that passes back each line along with a
76
45
# description of which revisions include it.  Nice for checking all
77
 
# shas in parallel.
 
46
# shas or calculating stats in parallel.
78
47
 
79
48
# TODO: Using a single _extract routine and then processing the output
80
49
# is probably inefficient.  It's simple enough that we can afford to
81
50
# have slight specializations for different ways its used: annotate,
82
51
# basis for add, get, etc.
83
52
 
84
 
# TODO: Perhaps the API should work only in names to hide the integer
85
 
# indexes from the user?
86
 
 
 
53
# TODO: Probably the API should work only in names to hide the integer
 
54
# indexes from the user.
 
55
 
 
56
# TODO: Is there any potential performance win by having an add()
 
57
# variant that is passed a pre-cooked version of the single basis
 
58
# version?
 
59
 
 
60
# TODO: Reweave can possibly be made faster by remembering diffs
 
61
# where the basis and destination are unchanged.
 
62
 
 
63
# FIXME: Sometimes we will be given a parents list for a revision
 
64
# that includes some redundant parents (i.e. already a parent of 
 
65
# something in the list.)  We should eliminate them.  This can 
 
66
# be done fairly efficiently because the sequence numbers constrain
 
67
# the possible relationships.
87
68
 
88
69
 
89
70
import sha
90
 
 
91
 
 
92
 
 
93
 
class WeaveError(Exception):
94
 
    """Exception in processing weave"""
95
 
 
96
 
 
97
 
class WeaveFormatError(WeaveError):
98
 
    """Weave invariant violated"""
99
 
    
 
71
from difflib import SequenceMatcher
 
72
 
 
73
from bzrlib.trace import mutter
 
74
from bzrlib.errors import (WeaveError, WeaveFormatError, WeaveParentMismatch,
 
75
        WeaveRevisionNotPresent, WeaveRevisionAlreadyPresent)
 
76
import bzrlib.errors as errors
 
77
from bzrlib.tsort import topo_sort
 
78
 
100
79
 
101
80
class Weave(object):
102
81
    """weave - versioned text file storage.
113
92
 
114
93
    * a nonnegative index number.
115
94
 
116
 
    * a version-id string. (not implemented yet)
 
95
    * a version-id string.
117
96
 
118
97
    Typically the index number will be valid only inside this weave and
119
98
    the version-id is used to reference it in the larger world.
181
160
 
182
161
    _name_map
183
162
        For each name, the version number.
 
163
 
 
164
    _weave_name
 
165
        Descriptive name of this weave; typically the filename if known.
 
166
        Set by read_weave.
184
167
    """
185
168
 
186
 
    __slots__ = ['_weave', '_parents', '_sha1s', '_names', '_name_map']
 
169
    __slots__ = ['_weave', '_parents', '_sha1s', '_names', '_name_map',
 
170
                 '_weave_name']
187
171
    
188
 
    def __init__(self):
 
172
    def __init__(self, weave_name=None):
189
173
        self._weave = []
190
174
        self._parents = []
191
175
        self._sha1s = []
192
176
        self._names = []
193
177
        self._name_map = {}
194
 
 
 
178
        self._weave_name = weave_name
 
179
 
 
180
    def __repr__(self):
 
181
        return "Weave(%r)" % self._weave_name
 
182
 
 
183
 
 
184
    def copy(self):
 
185
        """Return a deep copy of self.
 
186
        
 
187
        The copy can be modified without affecting the original weave."""
 
188
        other = Weave()
 
189
        other._weave = self._weave[:]
 
190
        other._parents = self._parents[:]
 
191
        other._sha1s = self._sha1s[:]
 
192
        other._names = self._names[:]
 
193
        other._name_map = self._name_map.copy()
 
194
        other._weave_name = self._weave_name
 
195
        return other
195
196
 
196
197
    def __eq__(self, other):
197
198
        if not isinstance(other, Weave):
204
205
    def __ne__(self, other):
205
206
        return not self.__eq__(other)
206
207
 
207
 
 
 
208
    def __contains__(self, name):
 
209
        return self._name_map.has_key(name)
 
210
 
 
211
    def maybe_lookup(self, name_or_index):
 
212
        """Convert possible symbolic name to index, or pass through indexes."""
 
213
        if isinstance(name_or_index, (int, long)):
 
214
            return name_or_index
 
215
        else:
 
216
            return self.lookup(name_or_index)
 
217
 
 
218
        
208
219
    def lookup(self, name):
 
220
        """Convert symbolic version name to index."""
209
221
        try:
210
222
            return self._name_map[name]
211
223
        except KeyError:
212
 
            raise WeaveError("name %s not present in weave" % name)
213
 
 
 
224
            raise WeaveRevisionNotPresent(name, self)
 
225
 
 
226
    def names(self):
 
227
        return self._names[:]
 
228
 
 
229
    def iter_names(self):
 
230
        """Yield a list of all names in this weave."""
 
231
        return iter(self._names)
 
232
 
 
233
    def idx_to_name(self, version):
 
234
        return self._names[version]
 
235
 
 
236
    def _check_repeated_add(self, name, parents, text, sha1):
 
237
        """Check that a duplicated add is OK.
 
238
 
 
239
        If it is, return the (old) index; otherwise raise an exception.
 
240
        """
 
241
        idx = self.lookup(name)
 
242
        if sorted(self._parents[idx]) != sorted(parents) \
 
243
            or sha1 != self._sha1s[idx]:
 
244
            raise WeaveRevisionAlreadyPresent(name, self)
 
245
        return idx
214
246
        
215
 
    def add(self, name, parents, text):
 
247
    def add(self, name, parents, text, sha1=None):
216
248
        """Add a single text on top of the weave.
217
249
  
218
250
        Returns the index number of the newly added version.
225
257
            List or set of direct parent version numbers.
226
258
            
227
259
        text
228
 
            Sequence of lines to be added in the new version."""
 
260
            Sequence of lines to be added in the new version.
 
261
 
 
262
        sha -- SHA-1 of the file, if known.  This is trusted to be
 
263
            correct if supplied.
 
264
        """
 
265
        from bzrlib.osutils import sha_strings
229
266
 
230
267
        assert isinstance(name, basestring)
 
268
        if sha1 is None:
 
269
            sha1 = sha_strings(text)
231
270
        if name in self._name_map:
232
 
            raise WeaveError("name %r already present in weave" % name)
233
 
        
 
271
            return self._check_repeated_add(name, parents, text, sha1)
 
272
 
 
273
        parents = map(self.maybe_lookup, parents)
234
274
        self._check_versions(parents)
235
275
        ## self._check_lines(text)
236
276
        new_version = len(self._parents)
237
277
 
238
 
        s = sha.new()
239
 
        map(s.update, text)
240
 
        sha1 = s.hexdigest()
241
 
        del s
242
278
 
243
279
        # if we abort after here the (in-memory) weave will be corrupt because only
244
280
        # some fields are updated
293
329
        #print 'basis_lines:', basis_lines
294
330
        #print 'new_lines:  ', lines
295
331
 
296
 
        from difflib import SequenceMatcher
297
332
        s = SequenceMatcher(None, basis_lines, text)
298
333
 
299
334
        # offset gives the number of lines that have been inserted
334
369
 
335
370
        return new_version
336
371
 
 
372
    def add_identical(self, old_rev_id, new_rev_id, parents):
 
373
        """Add an identical text to old_rev_id as new_rev_id."""
 
374
        old_lines = self.get(self.lookup(old_rev_id))
 
375
        self.add(new_rev_id, parents, old_lines)
337
376
 
338
377
    def inclusions(self, versions):
339
378
        """Return set of all ancestors of given version(s)."""
340
379
        i = set(versions)
341
 
        v = max(versions)
342
 
        try:
343
 
            while v >= 0:
344
 
                if v in i:
345
 
                    # include all its parents
346
 
                    i.update(self._parents[v])
347
 
                v -= 1
348
 
            return i
349
 
        except IndexError:
350
 
            raise ValueError("version %d not present in weave" % v)
 
380
        for v in xrange(max(versions), 0, -1):
 
381
            if v in i:
 
382
                # include all its parents
 
383
                i.update(self._parents[v])
 
384
        return i
 
385
        ## except IndexError:
 
386
        ##     raise ValueError("version %d not present in weave" % v)
 
387
 
 
388
 
 
389
    def parents(self, version):
 
390
        return self._parents[version]
 
391
 
 
392
 
 
393
    def parent_names(self, version):
 
394
        """Return version names for parents of a version."""
 
395
        return map(self.idx_to_name, self._parents[self.lookup(version)])
351
396
 
352
397
 
353
398
    def minimal_parents(self, version):
393
438
                raise IndexError("invalid version number %r" % i)
394
439
 
395
440
    
396
 
    def annotate(self, index):
397
 
        return list(self.annotate_iter(index))
398
 
 
399
 
 
400
 
    def annotate_iter(self, version):
 
441
    def annotate(self, name_or_index):
 
442
        return list(self.annotate_iter(name_or_index))
 
443
 
 
444
 
 
445
    def annotate_iter(self, name_or_index):
401
446
        """Yield list of (index-id, line) pairs for the specified version.
402
447
 
403
448
        The index indicates when the line originated in the weave."""
404
 
        for origin, lineno, text in self._extract([version]):
 
449
        incls = [self.maybe_lookup(name_or_index)]
 
450
        for origin, lineno, text in self._extract(incls):
405
451
            yield origin, text
406
452
 
407
 
 
408
453
    def _walk(self):
409
454
        """Walk the weave.
410
455
 
432
477
                elif c == ']':
433
478
                    dset.remove(v)
434
479
                else:
435
 
                    raise WeaveFormatError('unexpected instruction %r'
436
 
                                           % v)
 
480
                    raise WeaveFormatError('unexpected instruction %r' % v)
437
481
            else:
438
482
                assert isinstance(l, basestring)
439
483
                assert istack
451
495
 
452
496
        The set typically but not necessarily corresponds to a version.
453
497
        """
 
498
        for i in versions:
 
499
            if not isinstance(i, int):
 
500
                raise ValueError(i)
 
501
            
454
502
        included = self.inclusions(versions)
455
503
 
456
504
        istack = []
489
537
                if isactive:
490
538
                    result.append((istack[-1], lineno, l))
491
539
            lineno += 1
492
 
 
493
540
        if istack:
494
 
            raise WFE("unclosed insertion blocks at end of weave",
495
 
                                   istack)
 
541
            raise WeaveFormatError("unclosed insertion blocks "
 
542
                    "at end of weave: %s" % istack)
496
543
        if dset:
497
 
            raise WFE("unclosed deletion blocks at end of weave",
498
 
                                   dset)
499
 
 
 
544
            raise WeaveFormatError("unclosed deletion blocks at end of weave: %s"
 
545
                                   % dset)
500
546
        return result
501
 
    
502
 
 
503
 
 
504
 
    def get_iter(self, version):
 
547
 
 
548
 
 
549
    def get_iter(self, name_or_index):
505
550
        """Yield lines for the specified version."""
506
 
        for origin, lineno, line in self._extract([version]):
 
551
        incls = [self.maybe_lookup(name_or_index)]
 
552
        if len(incls) == 1:
 
553
            index= incls[0]
 
554
            s = sha.new()
 
555
        else:
 
556
            # We don't have sha1 sums for multiple entries
 
557
            s = None
 
558
        for origin, lineno, line in self._extract(incls):
 
559
            if s:
 
560
                s.update(line)
507
561
            yield line
508
 
 
509
 
 
510
 
    def get(self, index):
511
 
        return list(self.get_iter(index))
 
562
        if s:
 
563
            expected_sha1 = self._sha1s[index]
 
564
            measured_sha1 = s.hexdigest() 
 
565
            if measured_sha1 != expected_sha1:
 
566
                raise errors.WeaveInvalidChecksum(
 
567
                        'file %s, revision %s, expected: %s, measured %s' 
 
568
                        % (self._weave_name, self._names[index],
 
569
                           expected_sha1, measured_sha1))
 
570
 
 
571
 
 
572
    def get_text(self, name_or_index):
 
573
        return ''.join(self.get_iter(name_or_index))
 
574
        assert isinstance(version, int)
 
575
 
 
576
 
 
577
    def get_lines(self, name_or_index):
 
578
        return list(self.get_iter(name_or_index))
 
579
 
 
580
 
 
581
    get = get_lines
512
582
 
513
583
 
514
584
    def mash_iter(self, included):
515
585
        """Return composed version of multiple included versions."""
 
586
        included = map(self.maybe_lookup, included)
516
587
        for origin, lineno, text in self._extract(included):
517
588
            yield text
518
589
 
567
638
        # properly paired, etc.
568
639
 
569
640
 
570
 
 
571
 
    def merge(self, merge_versions):
572
 
        """Automerge and mark conflicts between versions.
573
 
 
574
 
        This returns a sequence, each entry describing alternatives
575
 
        for a chunk of the file.  Each of the alternatives is given as
576
 
        a list of lines.
577
 
 
578
 
        If there is a chunk of the file where there's no diagreement,
579
 
        only one alternative is given.
580
 
        """
581
 
 
582
 
        # approach: find the included versions common to all the
583
 
        # merged versions
584
 
        raise NotImplementedError()
585
 
 
586
 
 
587
 
 
588
641
    def _delta(self, included, lines):
589
642
        """Return changes from basis to new revision.
590
643
 
604
657
        If line1=line2, this is a pure insert; if newlines=[] this is a
605
658
        pure delete.  (Similar to difflib.)
606
659
        """
607
 
 
 
660
        raise NotImplementedError()
608
661
 
609
662
            
610
663
    def plan_merge(self, ver_a, ver_b):
659
712
        lines_a = []
660
713
        lines_b = []
661
714
        ch_a = ch_b = False
662
 
 
 
715
        # TODO: Return a structured form of the conflicts (e.g. 2-tuples for
 
716
        # conflicted regions), rather than just inserting the markers.
 
717
        # 
 
718
        # TODO: Show some version information (e.g. author, date) on 
 
719
        # conflicted regions.
663
720
        for state, line in plan:
664
721
            if state == 'unchanged' or state == 'killed-both':
665
722
                # resync and flush queued conflicts changes if any
673
730
                elif lines_a == lines_b:
674
731
                    for l in lines_a: yield l
675
732
                else:
676
 
                    yield '<<<<\n'
 
733
                    yield '<<<<<<<\n'
677
734
                    for l in lines_a: yield l
678
 
                    yield '====\n'
 
735
                    yield '=======\n'
679
736
                    for l in lines_b: yield l
680
 
                    yield '>>>>\n'
 
737
                    yield '>>>>>>>\n'
681
738
 
682
739
                del lines_a[:]
683
740
                del lines_b[:]
703
760
                                 'killed-both'), \
704
761
                       state
705
762
 
706
 
                
707
 
 
708
 
 
709
 
 
 
763
 
 
764
    def join(self, other):
 
765
        import sys, time
 
766
        """Integrate versions from other into this weave.
 
767
 
 
768
        The resulting weave contains all the history of both weaves; 
 
769
        any version you could retrieve from either self or other can be 
 
770
        retrieved from self after this call.
 
771
 
 
772
        It is illegal for the two weaves to contain different values 
 
773
        or different parents for any version.  See also reweave().
 
774
        """
 
775
        if other.numversions() == 0:
 
776
            return          # nothing to update, easy
 
777
        # two loops so that we do not change ourselves before verifying it
 
778
        # will be ok
 
779
        # work through in index order to make sure we get all dependencies
 
780
        for other_idx, name in enumerate(other._names):
 
781
            self._check_version_consistent(other, other_idx, name)
 
782
 
 
783
        merged = 0
 
784
        processed = 0
 
785
        time0 = time.time( )
 
786
        for other_idx, name in enumerate(other._names):
 
787
            # TODO: If all the parents of the other version are already
 
788
            # present then we can avoid some work by just taking the delta
 
789
            # and adjusting the offsets.
 
790
            new_parents = self._imported_parents(other, other_idx)
 
791
            sha1 = other._sha1s[other_idx]
 
792
 
 
793
            processed += 1
 
794
           
 
795
            if name in self._names:
 
796
                idx = self.lookup(name)
 
797
                n1 = map(other.idx_to_name, other._parents[other_idx] )
 
798
                n2 = map(self.idx_to_name, self._parents[other_idx] )
 
799
                if sha1 ==  self._sha1s[idx] and n1 == n2:
 
800
                        continue
 
801
 
 
802
            merged += 1
 
803
            lines = other.get_lines(other_idx)
 
804
            self.add(name, new_parents, lines, sha1)
 
805
 
 
806
        mutter("merged = %d, processed = %d, file_id=%s; deltat=%d"%(
 
807
                merged,processed,self._weave_name, time.time( )-time0))
 
808
 
 
809
 
 
810
 
 
811
 
 
812
    def _imported_parents(self, other, other_idx):
 
813
        """Return list of parents in self corresponding to indexes in other."""
 
814
        new_parents = []
 
815
        for parent_idx in other._parents[other_idx]:
 
816
            parent_name = other._names[parent_idx]
 
817
            if parent_name not in self._names:
 
818
                # should not be possible
 
819
                raise WeaveError("missing parent {%s} of {%s} in %r" 
 
820
                                 % (parent_name, other._name_map[other_idx], self))
 
821
            new_parents.append(self._name_map[parent_name])
 
822
        return new_parents
 
823
 
 
824
    def _check_version_consistent(self, other, other_idx, name):
 
825
        """Check if a version in consistent in this and other.
 
826
 
 
827
        To be consistent it must have:
 
828
 
 
829
         * the same text
 
830
         * the same direct parents (by name, not index, and disregarding
 
831
           order)
 
832
        
 
833
        If present & correct return True;
 
834
        if not present in self return False; 
 
835
        if inconsistent raise error."""
 
836
        this_idx = self._name_map.get(name, -1)
 
837
        if this_idx != -1:
 
838
            if self._sha1s[this_idx] != other._sha1s[other_idx]:
 
839
                raise WeaveError("inconsistent texts for version {%s} "
 
840
                                 "when joining weaves"
 
841
                                 % (name))
 
842
            self_parents = self._parents[this_idx]
 
843
            other_parents = other._parents[other_idx]
 
844
            n1 = [self._names[i] for i in self_parents]
 
845
            n2 = [other._names[i] for i in other_parents]
 
846
            n1.sort()
 
847
            n2.sort()
 
848
            if n1 != n2:
 
849
                raise WeaveParentMismatch("inconsistent parents "
 
850
                    "for version {%s}: %s vs %s" % (name, n1, n2))
 
851
            else:
 
852
                return True         # ok!
 
853
        else:
 
854
            return False
 
855
 
 
856
    def reweave(self, other):
 
857
        """Reweave self with other."""
 
858
        new_weave = reweave(self, other)
 
859
        for attr in self.__slots__:
 
860
            setattr(self, attr, getattr(new_weave, attr))
 
861
 
 
862
 
 
863
def reweave(wa, wb):
 
864
    """Combine two weaves and return the result.
 
865
 
 
866
    This works even if a revision R has different parents in 
 
867
    wa and wb.  In the resulting weave all the parents are given.
 
868
 
 
869
    This is done by just building up a new weave, maintaining ordering 
 
870
    of the versions in the two inputs.  More efficient approaches
 
871
    might be possible but it should only be necessary to do 
 
872
    this operation rarely, when a new previously ghost version is 
 
873
    inserted.
 
874
    """
 
875
    wr = Weave()
 
876
    ia = ib = 0
 
877
    queue_a = range(wa.numversions())
 
878
    queue_b = range(wb.numversions())
 
879
    # first determine combined parents of all versions
 
880
    # map from version name -> all parent names
 
881
    combined_parents = _reweave_parent_graphs(wa, wb)
 
882
    mutter("combined parents: %r", combined_parents)
 
883
    order = topo_sort(combined_parents.iteritems())
 
884
    mutter("order to reweave: %r", order)
 
885
    for name in order:
 
886
        if name in wa._name_map:
 
887
            lines = wa.get_lines(name)
 
888
            if name in wb._name_map:
 
889
                assert lines == wb.get_lines(name)
 
890
        else:
 
891
            lines = wb.get_lines(name)
 
892
        wr.add(name, combined_parents[name], lines)
 
893
    return wr
 
894
 
 
895
 
 
896
def _reweave_parent_graphs(wa, wb):
 
897
    """Return combined parent ancestry for two weaves.
 
898
    
 
899
    Returned as a list of (version_name, set(parent_names))"""
 
900
    combined = {}
 
901
    for weave in [wa, wb]:
 
902
        for idx, name in enumerate(weave._names):
 
903
            p = combined.setdefault(name, set())
 
904
            p.update(map(weave.idx_to_name, weave._parents[idx]))
 
905
    return combined
710
906
 
711
907
 
712
908
def weave_toc(w):
723
919
 
724
920
 
725
921
 
726
 
def weave_stats(weave_file):
727
 
    from bzrlib.progress import ProgressBar
 
922
def weave_stats(weave_file, pb):
728
923
    from bzrlib.weavefile import read_weave
729
924
 
730
 
    pb = ProgressBar()
731
 
 
732
925
    wf = file(weave_file, 'rb')
733
926
    w = read_weave(wf)
734
927
    # FIXME: doesn't work on pipes
738
931
    vers = len(w)
739
932
    for i in range(vers):
740
933
        pb.update('checking sizes', i, vers)
741
 
        for line in w.get_iter(i):
 
934
        for origin, lineno, line in w._extract([i]):
742
935
            total += len(line)
743
936
 
744
937
    pb.clear()
775
968
        Display composite of all selected versions.
776
969
    weave merge WEAVEFILE VERSION1 VERSION2 > OUT
777
970
        Auto-merge two versions and display conflicts.
 
971
    weave diff WEAVEFILE VERSION1 VERSION2 
 
972
        Show differences between two versions.
778
973
 
779
974
example:
780
975
 
805
1000
def main(argv):
806
1001
    import sys
807
1002
    import os
808
 
    from weavefile import write_weave, read_weave
 
1003
    try:
 
1004
        import bzrlib
 
1005
    except ImportError:
 
1006
        # in case we're run directly from the subdirectory
 
1007
        sys.path.append('..')
 
1008
        import bzrlib
 
1009
    from bzrlib.weavefile import write_weave, read_weave
809
1010
    from bzrlib.progress import ProgressBar
810
1011
 
811
1012
    try:
848
1049
        w = readit()
849
1050
        sys.stdout.writelines(w.mash_iter(map(int, argv[3:])))
850
1051
 
 
1052
    elif cmd == 'diff':
 
1053
        from difflib import unified_diff
 
1054
        w = readit()
 
1055
        fn = argv[2]
 
1056
        v1, v2 = map(int, argv[3:5])
 
1057
        lines1 = w.get(v1)
 
1058
        lines2 = w.get(v2)
 
1059
        diff_gen = unified_diff(lines1, lines2,
 
1060
                                '%s version %d' % (fn, v1),
 
1061
                                '%s version %d' % (fn, v2))
 
1062
        sys.stdout.writelines(diff_gen)
 
1063
            
851
1064
    elif cmd == 'annotate':
852
1065
        w = readit()
853
1066
        # newline is added to all lines regardless; too hard to get
865
1078
        weave_toc(readit())
866
1079
 
867
1080
    elif cmd == 'stats':
868
 
        weave_stats(argv[2])
 
1081
        weave_stats(argv[2], ProgressBar())
869
1082
        
870
1083
    elif cmd == 'check':
871
1084
        w = readit()
938
1151
    return ret
939
1152
 
940
1153
 
 
1154
def lsprofile_main(argv): 
 
1155
    from bzrlib.lsprof import profile
 
1156
    ret,stats = profile(main, argv)
 
1157
    stats.sort()
 
1158
    stats.pprint()
 
1159
    return ret
 
1160
 
 
1161
 
941
1162
if __name__ == '__main__':
942
1163
    import sys
943
1164
    if '--profile' in sys.argv:
944
1165
        args = sys.argv[:]
945
1166
        args.remove('--profile')
946
1167
        sys.exit(profile_main(args))
 
1168
    elif '--lsprof' in sys.argv:
 
1169
        args = sys.argv[:]
 
1170
        args.remove('--lsprof')
 
1171
        sys.exit(lsprofile_main(args))
947
1172
    else:
948
1173
        sys.exit(main(sys.argv))
949
1174