##// END OF EJS Templates
convert: when getting file from Perforce concatenate data at the end...
Eugene Baranov -
r25882:97a9f760 stable
parent child Browse files
Show More
@@ -1,284 +1,286 b''
1 1 # Perforce source for convert extension.
2 2 #
3 3 # Copyright 2009, Frank Kingswood <frank@kingswood-consulting.co.uk>
4 4 #
5 5 # This software may be used and distributed according to the terms of the
6 6 # GNU General Public License version 2 or any later version.
7 7
8 8 from mercurial import util
9 9 from mercurial.i18n import _
10 10
11 11 from common import commit, converter_source, checktool, NoRepo
12 12 import marshal
13 13 import re
14 14
15 15 def loaditer(f):
16 16 "Yield the dictionary objects generated by p4"
17 17 try:
18 18 while True:
19 19 d = marshal.load(f)
20 20 if not d:
21 21 break
22 22 yield d
23 23 except EOFError:
24 24 pass
25 25
26 26 def decodefilename(filename):
27 27 """Perforce escapes special characters @, #, *, or %
28 28 with %40, %23, %2A, or %25 respectively
29 29
30 30 >>> decodefilename('portable-net45%252Bnetcore45%252Bwp8%252BMonoAndroid')
31 31 'portable-net45%2Bnetcore45%2Bwp8%2BMonoAndroid'
32 32 >>> decodefilename('//Depot/Directory/%2525/%2523/%23%40.%2A')
33 33 '//Depot/Directory/%25/%23/#@.*'
34 34 """
35 35 replacements = [('%2A', '*'), ('%23', '#'), ('%40', '@'), ('%25', '%')]
36 36 for k, v in replacements:
37 37 filename = filename.replace(k, v)
38 38 return filename
39 39
40 40 class p4_source(converter_source):
41 41 def __init__(self, ui, path, revs=None):
42 42 super(p4_source, self).__init__(ui, path, revs=revs)
43 43
44 44 if "/" in path and not path.startswith('//'):
45 45 raise NoRepo(_('%s does not look like a P4 repository') % path)
46 46
47 47 checktool('p4', abort=False)
48 48
49 49 self.p4changes = {}
50 50 self.heads = {}
51 51 self.changeset = {}
52 52 self.files = {}
53 53 self.copies = {}
54 54 self.tags = {}
55 55 self.lastbranch = {}
56 56 self.parent = {}
57 57 self.encoding = "latin_1"
58 58 self.depotname = {} # mapping from local name to depot name
59 59 self.localname = {} # mapping from depot name to local name
60 60 self.re_type = re.compile(
61 61 "([a-z]+)?(text|binary|symlink|apple|resource|unicode|utf\d+)"
62 62 "(\+\w+)?$")
63 63 self.re_keywords = re.compile(
64 64 r"\$(Id|Header|Date|DateTime|Change|File|Revision|Author)"
65 65 r":[^$\n]*\$")
66 66 self.re_keywords_old = re.compile("\$(Id|Header):[^$\n]*\$")
67 67
68 68 if revs and len(revs) > 1:
69 69 raise util.Abort(_("p4 source does not support specifying "
70 70 "multiple revisions"))
71 71 self._parse(ui, path)
72 72
73 73 def _parse_view(self, path):
74 74 "Read changes affecting the path"
75 75 cmd = 'p4 -G changes -s submitted %s' % util.shellquote(path)
76 76 stdout = util.popen(cmd, mode='rb')
77 77 for d in loaditer(stdout):
78 78 c = d.get("change", None)
79 79 if c:
80 80 self.p4changes[c] = True
81 81
82 82 def _parse(self, ui, path):
83 83 "Prepare list of P4 filenames and revisions to import"
84 84 ui.status(_('reading p4 views\n'))
85 85
86 86 # read client spec or view
87 87 if "/" in path:
88 88 self._parse_view(path)
89 89 if path.startswith("//") and path.endswith("/..."):
90 90 views = {path[:-3]:""}
91 91 else:
92 92 views = {"//": ""}
93 93 else:
94 94 cmd = 'p4 -G client -o %s' % util.shellquote(path)
95 95 clientspec = marshal.load(util.popen(cmd, mode='rb'))
96 96
97 97 views = {}
98 98 for client in clientspec:
99 99 if client.startswith("View"):
100 100 sview, cview = clientspec[client].split()
101 101 self._parse_view(sview)
102 102 if sview.endswith("...") and cview.endswith("..."):
103 103 sview = sview[:-3]
104 104 cview = cview[:-3]
105 105 cview = cview[2:]
106 106 cview = cview[cview.find("/") + 1:]
107 107 views[sview] = cview
108 108
109 109 # list of changes that affect our source files
110 110 self.p4changes = self.p4changes.keys()
111 111 self.p4changes.sort(key=int)
112 112
113 113 # list with depot pathnames, longest first
114 114 vieworder = views.keys()
115 115 vieworder.sort(key=len, reverse=True)
116 116
117 117 # handle revision limiting
118 118 startrev = self.ui.config('convert', 'p4.startrev', default=0)
119 119 self.p4changes = [x for x in self.p4changes
120 120 if ((not startrev or int(x) >= int(startrev)) and
121 121 (not self.revs or int(x) <= int(self.revs[0])))]
122 122
123 123 # now read the full changelists to get the list of file revisions
124 124 ui.status(_('collecting p4 changelists\n'))
125 125 lastid = None
126 126 for change in self.p4changes:
127 127 cmd = "p4 -G describe -s %s" % change
128 128 stdout = util.popen(cmd, mode='rb')
129 129 d = marshal.load(stdout)
130 130 desc = self.recode(d.get("desc", ""))
131 131 shortdesc = desc.split("\n", 1)[0]
132 132 t = '%s %s' % (d["change"], repr(shortdesc)[1:-1])
133 133 ui.status(util.ellipsis(t, 80) + '\n')
134 134
135 135 if lastid:
136 136 parents = [lastid]
137 137 else:
138 138 parents = []
139 139
140 140 date = (int(d["time"]), 0) # timezone not set
141 141 c = commit(author=self.recode(d["user"]),
142 142 date=util.datestr(date, '%Y-%m-%d %H:%M:%S %1%2'),
143 143 parents=parents, desc=desc, branch=None,
144 144 extra={"p4": change})
145 145
146 146 files = []
147 147 copies = {}
148 148 copiedfiles = []
149 149 i = 0
150 150 while ("depotFile%d" % i) in d and ("rev%d" % i) in d:
151 151 oldname = d["depotFile%d" % i]
152 152 filename = None
153 153 for v in vieworder:
154 154 if oldname.lower().startswith(v.lower()):
155 155 filename = decodefilename(views[v] + oldname[len(v):])
156 156 break
157 157 if filename:
158 158 files.append((filename, d["rev%d" % i]))
159 159 self.depotname[filename] = oldname
160 160 if (d.get("action%d" % i) == "move/add"):
161 161 copiedfiles.append(filename)
162 162 self.localname[oldname] = filename
163 163 i += 1
164 164
165 165 # Collect information about copied files
166 166 for filename in copiedfiles:
167 167 oldname = self.depotname[filename]
168 168
169 169 flcmd = 'p4 -G filelog %s' \
170 170 % util.shellquote(oldname)
171 171 flstdout = util.popen(flcmd, mode='rb')
172 172
173 173 copiedfilename = None
174 174 for d in loaditer(flstdout):
175 175 copiedoldname = None
176 176
177 177 i = 0
178 178 while ("change%d" % i) in d:
179 179 if (d["change%d" % i] == change and
180 180 d["action%d" % i] == "move/add"):
181 181 j = 0
182 182 while ("file%d,%d" % (i, j)) in d:
183 183 if d["how%d,%d" % (i, j)] == "moved from":
184 184 copiedoldname = d["file%d,%d" % (i, j)]
185 185 break
186 186 j += 1
187 187 i += 1
188 188
189 189 if copiedoldname and copiedoldname in self.localname:
190 190 copiedfilename = self.localname[copiedoldname]
191 191 break
192 192
193 193 if copiedfilename:
194 194 copies[filename] = copiedfilename
195 195 else:
196 196 ui.warn(_("cannot find source for copied file: %s@%s\n")
197 197 % (filename, change))
198 198
199 199 self.changeset[change] = c
200 200 self.files[change] = files
201 201 self.copies[change] = copies
202 202 lastid = change
203 203
204 204 if lastid:
205 205 self.heads = [lastid]
206 206
207 207 def getheads(self):
208 208 return self.heads
209 209
210 210 def getfile(self, name, rev):
211 211 cmd = 'p4 -G print %s' \
212 212 % util.shellquote("%s#%s" % (self.depotname[name], rev))
213 213
214 214 lasterror = None
215 215 while True:
216 216 stdout = util.popen(cmd, mode='rb')
217 217
218 218 mode = None
219 contents = ""
219 contents = []
220 220 keywords = None
221 221
222 222 for d in loaditer(stdout):
223 223 code = d["code"]
224 224 data = d.get("data")
225 225
226 226 if code == "error":
227 227 # if this is the first time error happened
228 228 # re-attempt getting the file
229 229 if not lasterror:
230 230 lasterror = IOError(d["generic"], data)
231 231 # this will exit inner-most for-loop
232 232 break
233 233 else:
234 234 raise lasterror
235 235
236 236 elif code == "stat":
237 237 action = d.get("action")
238 238 if action in ["purge", "delete", "move/delete"]:
239 239 return None, None
240 240 p4type = self.re_type.match(d["type"])
241 241 if p4type:
242 242 mode = ""
243 243 flags = ((p4type.group(1) or "")
244 244 + (p4type.group(3) or ""))
245 245 if "x" in flags:
246 246 mode = "x"
247 247 if p4type.group(2) == "symlink":
248 248 mode = "l"
249 249 if "ko" in flags:
250 250 keywords = self.re_keywords_old
251 251 elif "k" in flags:
252 252 keywords = self.re_keywords
253 253
254 254 elif code == "text" or code == "binary":
255 contents += data
255 contents.append(data)
256 256
257 257 lasterror = None
258 258
259 259 if not lasterror:
260 260 break
261 261
262 262 if mode is None:
263 263 return None, None
264 264
265 contents = ''.join(contents)
266
265 267 if keywords:
266 268 contents = keywords.sub("$\\1$", contents)
267 269 if mode == "l" and contents.endswith("\n"):
268 270 contents = contents[:-1]
269 271
270 272 return contents, mode
271 273
272 274 def getchanges(self, rev, full):
273 275 if full:
274 276 raise util.Abort(_("convert from p4 do not support --full"))
275 277 return self.files[rev], self.copies[rev], set()
276 278
277 279 def getcommit(self, rev):
278 280 return self.changeset[rev]
279 281
280 282 def gettags(self):
281 283 return self.tags
282 284
283 285 def getchangedfiles(self, rev, i):
284 286 return sorted([x[0] for x in self.files[rev]])
General Comments 0
You need to be logged in to leave comments. Login now