LEFT | RIGHT |
1 # This Source Code Form is subject to the terms of the Mozilla Public | 1 # This Source Code Form is subject to the terms of the Mozilla Public |
2 # License, v. 2.0. If a copy of the MPL was not distributed with this | 2 # License, v. 2.0. If a copy of the MPL was not distributed with this |
3 # file, You can obtain one at http://mozilla.org/MPL/2.0/. | 3 # file, You can obtain one at http://mozilla.org/MPL/2.0/. |
4 | 4 |
| 5 import difflib |
| 6 import json |
5 import os | 7 import os |
| 8 import re |
6 import shutil | 9 import shutil |
7 import json | 10 import zipfile |
8 import re | 11 from xml.etree import ElementTree |
9 from struct import unpack | 12 from struct import unpack |
10 | 13 |
11 import pytest | 14 import pytest |
| 15 from Crypto.Signature import PKCS1_v1_5 |
| 16 from Crypto.PublicKey import RSA |
12 from Crypto.Hash import SHA | 17 from Crypto.Hash import SHA |
13 from Crypto.PublicKey import RSA | 18 |
14 from Crypto.Signature import PKCS1_v1_5 | 19 from buildtools import packager |
15 | 20 from buildtools.packagerChrome import defaultLocale |
16 | 21 from buildtools.build import processArgs |
17 from buildtools import packager, packagerChrome | |
18 from buildtools.tests.tools import (DirContent, ZipContent, copy_metadata, | |
19 run_webext_build, assert_manifest_content, | |
20 assert_all_locales_present, locale_files) | |
21 from buildtools.tests.conftest import ALL_LANGUAGES | |
22 | |
23 | 22 |
24 LOCALES_MODULE = { | 23 LOCALES_MODULE = { |
25 'test.Foobar': { | 24 'test.Foobar': { |
26 'message': 'Ensuring dict-copy from modules for $domain$', | 25 'message': 'Ensuring dict-copy from modules for $domain$', |
27 'description': 'test description', | 26 'description': 'test description', |
28 'placeholders': {'content': '$1', 'example': 'www.adblockplus.org'} | 27 'placeholders': {'content': '$1', 'example': 'www.adblockplus.org'} |
29 } | 28 } |
30 } | 29 } |
31 | 30 |
32 DTD_TEST = ('<!ENTITY access.key "access key(&a)">' | 31 ALL_LANGUAGES = ['en_US', 'de', 'it'] |
33 '<!ENTITY ampersand "foo &-bar">') | 32 |
34 | 33 MESSAGES_EN_US = json.dumps({ |
35 PROPERTIES_TEST = 'description=very descriptive!' | 34 'name': {'message': 'Adblock Plus'}, |
36 | 35 'name_devbuild': {'message': 'devbuild-marker'}, |
37 | 36 'description': { |
38 @pytest.fixture | 37 'message': 'Adblock Plus is the most popular ad blocker ever, ' |
39 def gecko_import(tmpdir): | 38 'and also supports websites by not blocking ' |
40 tmpdir.mkdir('_imp').mkdir('en-US').join('gecko.dtd').write(DTD_TEST) | 39 'unobstrusive ads by default (configurable).' |
| 40 }, |
| 41 }) |
| 42 |
| 43 |
| 44 class Content(object): |
| 45 """Base class for a unified ZipFile / Directory interface. |
| 46 |
| 47 Base class for providing a unified context manager interface for |
| 48 accessing files. This class is subclassed by ZipContent and DirContent, |
| 49 which provide the additional methods "namelist()" and "read(path)". |
| 50 """ |
| 51 |
| 52 def __enter__(self): |
| 53 return self |
| 54 |
| 55 def __exit__(self, exc_type, exc_value, exc_tb): |
| 56 self._close() |
| 57 |
| 58 |
| 59 class ZipContent(Content): |
| 60 """Provide a unified context manager for ZipFile access. |
| 61 |
| 62 Inherits the context manager API from Content. |
| 63 If desired, the specified ZipFile is deleted on exiting the manager. |
| 64 """ |
| 65 |
| 66 def __init__(self, zip_path, delete_on_close=True): |
| 67 """Construct ZipContent object handling the file <zip_path>. |
| 68 |
| 69 The parameter 'delete_on_close' causes the context manager to |
| 70 delete the handled ZipFile (specified by zip_path) if set to |
| 71 True (default). |
| 72 """ |
| 73 self._zip_path = zip_path |
| 74 self._zip_file = zipfile.ZipFile(zip_path) |
| 75 self._delete_on_close = delete_on_close |
| 76 super(ZipContent, self).__init__() |
| 77 |
| 78 def _close(self): |
| 79 self._zip_file.close() |
| 80 if self._delete_on_close: |
| 81 # if specified, delete the handled file |
| 82 os.remove(self._zip_path) |
| 83 |
| 84 def namelist(self): |
| 85 return self._zip_file.namelist() |
| 86 |
| 87 def read(self, path): |
| 88 return self._zip_file.read(path) |
| 89 |
| 90 |
| 91 class DirContent(Content): |
| 92 """Provides a unified context manager for directory access. |
| 93 |
| 94 Inherits the context managet API from Content. |
| 95 """ |
| 96 |
| 97 def __init__(self, path): |
| 98 """Construct a DirContent object handling <path>.""" |
| 99 self._path = path |
| 100 super(DirContent, self).__init__() |
| 101 |
| 102 def _close(self): |
| 103 pass |
| 104 |
| 105 def namelist(self): |
| 106 """Generate a list of filenames.""" |
| 107 result = [] |
| 108 for parent, directories, files in os.walk(self._path): |
| 109 for filename in files: |
| 110 file_path = os.path.join(parent, filename) |
| 111 rel_path = os.path.relpath(file_path, self._path) |
| 112 result.append(rel_path) |
| 113 return result |
| 114 |
| 115 def read(self, path): |
| 116 content = None |
| 117 with open(os.path.join(self._path, path)) as fp: |
| 118 content = fp.read() |
| 119 return content |
| 120 |
| 121 |
| 122 def copy_metadata(filename, tmpdir): |
| 123 """Copy the used metadata to the used temporary directory.""" |
| 124 path = os.path.join(os.path.dirname(__file__), filename) |
| 125 destination = str(tmpdir.join(filename)) |
| 126 shutil.copy(path, destination) |
| 127 |
| 128 |
| 129 def run_webext_build(ext_type, build_opt, srcdir, keyfile=None): |
| 130 """Run a build process.""" |
| 131 cmd_mapping = { |
| 132 'devenv': ['devenv'], |
| 133 'development_build': ['build', '-b', '1337'], |
| 134 'release_build': ['build', '-r'], |
| 135 } |
| 136 |
| 137 args = ['build.py', '-t', ext_type] + cmd_mapping[build_opt] |
| 138 |
| 139 if keyfile: |
| 140 args += ['-k', keyfile] |
| 141 |
| 142 processArgs(str(srcdir), args) |
| 143 |
| 144 |
| 145 def locale_files(languages, rootfolder, srcdir): |
| 146 """Generate example locales. |
| 147 |
| 148 languages: tuple, list or set of languages to include |
| 149 rootdir: folder-name to create the locale-folders in |
| 150 """ |
| 151 for lang in languages: |
| 152 subfolders = rootfolder.split(os.pathsep) + [lang, 'messages.json'] |
| 153 json_file = srcdir.ensure(*subfolders) |
| 154 if lang == defaultLocale: |
| 155 json_file.write(MESSAGES_EN_US) |
| 156 else: |
| 157 json_file.write('{}') |
| 158 |
| 159 |
| 160 def assert_all_locales_present(package, prefix): |
| 161 names = {x for x in package.namelist() if |
| 162 x.startswith(os.path.join(prefix, '_locales'))} |
| 163 assert names == { |
| 164 os.path.join(prefix, '_locales', lang, 'messages.json') |
| 165 for lang in ALL_LANGUAGES |
| 166 } |
| 167 |
| 168 |
| 169 @pytest.fixture |
| 170 def srcdir(tmpdir): |
| 171 """Source directory for building the package.""" |
| 172 for size in ['44', '50', '150']: |
| 173 path = tmpdir.join('chrome', 'icons', 'abp-{}.png'.format(size)) |
| 174 path.write(size, ensure=True) |
| 175 |
| 176 tmpdir.join('bar.json').write(json.dumps({})) |
| 177 return tmpdir |
41 | 178 |
42 | 179 |
43 @pytest.fixture | 180 @pytest.fixture |
44 def locale_modules(tmpdir): | 181 def locale_modules(tmpdir): |
45 mod_dir = tmpdir.mkdir('_modules') | 182 mod_dir = tmpdir.mkdir('_modules') |
46 lang_dir = mod_dir.mkdir('en-US') | 183 lang_dir = mod_dir.mkdir('en_US') |
47 lang_dir.join('module.json').write(json.dumps(LOCALES_MODULE)) | 184 lang_dir.join('module.json').write(json.dumps(LOCALES_MODULE)) |
48 lang_dir.join('unit.properties').write(json.dumps(PROPERTIES_TEST)) | |
49 | 185 |
50 | 186 |
51 @pytest.fixture | 187 @pytest.fixture |
52 def icons(srcdir): | 188 def icons(srcdir): |
53 icons_dir = srcdir.mkdir('icons') | 189 icons_dir = srcdir.mkdir('icons') |
54 for filename in ['abp-16.png', 'abp-19.png', 'abp-53.png']: | 190 for filename in ['abp-16.png', 'abp-19.png', 'abp-53.png']: |
55 shutil.copy( | 191 shutil.copy( |
56 os.path.join(os.path.dirname(__file__), filename), | 192 os.path.join(os.path.dirname(__file__), filename), |
57 os.path.join(str(icons_dir), filename), | 193 os.path.join(str(icons_dir), filename), |
58 ) | 194 ) |
59 | 195 |
60 | 196 |
61 @pytest.fixture | 197 @pytest.fixture |
62 def all_lang_locales(tmpdir): | 198 def all_lang_locales(tmpdir): |
63 return locale_files(ALL_LANGUAGES, '_locales', tmpdir) | 199 return locale_files(ALL_LANGUAGES, '_locales', tmpdir) |
64 | 200 |
65 | 201 |
66 @pytest.fixture | 202 @pytest.fixture |
67 def chrome_metadata(tmpdir): | 203 def chrome_metadata(tmpdir): |
68 filename = 'metadata.chrome' | 204 filename = 'metadata.chrome' |
69 copy_metadata(filename, tmpdir) | 205 copy_metadata(filename, tmpdir) |
70 | 206 |
71 | 207 |
72 @pytest.fixture | 208 @pytest.fixture |
73 def gecko_webext_metadata(tmpdir, chrome_metadata): | 209 def gecko_webext_metadata(tmpdir, chrome_metadata): |
74 filename = 'metadata.gecko-webext' | 210 filename = 'metadata.gecko' |
75 copy_metadata(filename, tmpdir) | 211 copy_metadata(filename, tmpdir) |
76 | 212 |
77 | 213 |
78 @pytest.fixture | 214 @pytest.fixture |
| 215 def edge_metadata(tmpdir): |
| 216 filename = 'metadata.edge' |
| 217 copy_metadata(filename, tmpdir) |
| 218 |
| 219 return packager.readMetadata(str(tmpdir), 'edge') |
| 220 |
| 221 |
| 222 @pytest.fixture |
79 def keyfile(tmpdir): | 223 def keyfile(tmpdir): |
80 """Test-privatekey for signing chrome release-package""" | 224 """Test-privatekey for signing chrome release-package.""" |
81 return os.path.join(os.path.dirname(__file__), 'chrome_rsa.pem') | 225 return os.path.join(os.path.dirname(__file__), 'chrome_rsa.pem') |
82 | 226 |
83 | 227 |
84 @pytest.fixture | 228 @pytest.fixture |
85 def lib_files(tmpdir): | 229 def lib_files(tmpdir): |
86 files = packager.Files(['lib'], set()) | 230 files = packager.Files(['lib'], set()) |
87 files['ext/a.js'] = 'var bar;' | 231 files['ext/a.js'] = 'require("./c.js");\nvar bar;' |
88 files['lib/b.js'] = 'var foo;' | 232 files['lib/b.js'] = 'var foo;' |
| 233 files['ext/c.js'] = 'var this_is_c;' |
89 | 234 |
90 tmpdir.mkdir('lib').join('b.js').write(files['lib/b.js']) | 235 tmpdir.mkdir('lib').join('b.js').write(files['lib/b.js']) |
91 tmpdir.mkdir('ext').join('a.js').write(files['ext/a.js']) | 236 ext_dir = tmpdir.mkdir('ext') |
| 237 ext_dir.join('a.js').write(files['ext/a.js']) |
| 238 ext_dir.join('c.js').write(files['ext/c.js']) |
92 | 239 |
93 return files | 240 return files |
94 | 241 |
95 | 242 |
96 def assert_gecko_locale_conversion(package): | 243 def comparable_xml(xml): |
97 locale = json.loads(package.read('_locales/en_US/messages.json')) | 244 """Create a nonambiguous representation of a given XML tree. |
98 | 245 |
99 assert locale.get('test_Foobar', {}) == LOCALES_MODULE['test.Foobar'] | 246 Note that this function is not safe against ambiguous tags |
100 assert locale.get('access_key', {}) == {'message': 'access key'} | 247 containing differently distributed children, e.g.: |
101 assert locale.get('ampersand', {}) == {'message': 'foo -bar'} | 248 |
102 assert locale.get('_description', {}) == {'message': 'very descriptive!"'} | 249 '<a><b><c/></b><b><d/></b></a>' |
103 | 250 vs. |
104 | 251 '<a><b/><b><c/><d/></b></a>' |
105 def assert_convert_js(package, excluded=False): | 252 |
106 libfoo = package.read('lib/foo.js') | 253 This is irrelevant for comparing the XML used by the tests of this |
| 254 module. |
| 255 """ |
| 256 def get_leafs_string(tree): |
| 257 """Recursively build a string representing all xml leaf-nodes.""" |
| 258 root_str = '{}|{}|{}'.format(tree.tag, tree.tail, tree.text).strip() |
| 259 result = [] |
| 260 |
| 261 if len(tree) > 0: |
| 262 for subtree in tree: |
| 263 for leaf in get_leafs_string(subtree): |
| 264 result.append('{}__{}'.format(root_str, leaf)) |
| 265 for k, v in tree.attrib.items(): |
| 266 result.append('{}__{}:{}'.format(root_str, k, v)) |
| 267 else: |
| 268 result.append(root_str) |
| 269 return result |
| 270 |
| 271 # XML data itself shall not be sorted, hence we can safely sort |
| 272 # our string representations in order to produce a valid unified diff. |
| 273 return sorted(get_leafs_string(ElementTree.fromstring(xml))) |
| 274 |
| 275 |
| 276 def comparable_json(json_string): |
| 277 """Create a nonambiguous representation of a given JSON string.""" |
| 278 return json.dumps( |
| 279 json.loads(json_string), sort_keys=True, indent=0 |
| 280 ).split('\n') |
| 281 |
| 282 |
| 283 def assert_manifest_content(manifest, expected_path): |
| 284 extension = os.path.basename(expected_path).split('.')[-1] |
| 285 |
| 286 with open(expected_path, 'r') as fp: |
| 287 if extension == 'xml': |
| 288 generated = comparable_xml(manifest) |
| 289 expected = comparable_xml(fp.read()) |
| 290 else: |
| 291 generated = comparable_json(manifest) |
| 292 expected = comparable_json(fp.read()) |
| 293 |
| 294 diff = list(difflib.unified_diff(generated, expected, n=0)) |
| 295 assert len(diff) == 0, '\n'.join(diff) |
| 296 |
| 297 |
| 298 def assert_webpack_bundle(package, prefix, excluded=False): |
| 299 libfoo = package.read(os.path.join(prefix, 'lib/foo.js')) |
| 300 libfoomap = package.read(os.path.join(prefix, 'lib/foo.js.map')) |
107 | 301 |
108 assert 'var bar;' in libfoo | 302 assert 'var bar;' in libfoo |
109 assert 'require.modules["ext_a"]' in libfoo | 303 assert 'webpack:///./ext/a.js' in libfoomap |
| 304 |
| 305 assert 'var this_is_c;' in libfoo |
| 306 assert 'webpack:///./ext/c.js' in libfoomap |
110 | 307 |
111 assert ('var foo;' in libfoo) != excluded | 308 assert ('var foo;' in libfoo) != excluded |
112 assert ('require.modules["b"]' in libfoo) != excluded | 309 assert ('webpack:///./lib/b.js' in libfoomap) != excluded |
113 | 310 |
114 | 311 |
115 def assert_devenv_scripts(package, devenv): | 312 def assert_devenv_scripts(package, prefix, devenv): |
116 manifest = json.loads(package.read('manifest.json')) | 313 manifest = json.loads(package.read(os.path.join(prefix, 'manifest.json'))) |
117 filenames = package.namelist() | 314 filenames = package.namelist() |
118 scripts = [ | 315 scripts = [ |
119 'ext/common.js', | 316 'ext/common.js', |
120 'ext/background.js', | 317 'ext/background.js', |
121 ] | 318 ] |
122 | 319 |
| 320 assert (os.path.join(prefix, 'qunit/index.html') in filenames) == devenv |
| 321 assert (os.path.join(prefix, 'devenvPoller__.js') in filenames) == devenv |
| 322 assert (os.path.join(prefix, 'devenvVersion__') in filenames) == devenv |
| 323 |
123 if devenv: | 324 if devenv: |
124 assert 'qunit/index.html' in filenames | 325 quint_index = package.read(os.path.join(prefix, 'qunit/index.html')) |
125 assert 'devenvPoller__.js' in filenames | 326 assert '../ext/common.js' in quint_index |
126 assert 'devenvVersion__' in filenames | 327 assert '../ext/background.js' in quint_index |
127 | |
128 assert '../ext/common.js' in package.read('qunit/index.html') | |
129 assert '../ext/background.js' in package.read('qunit/index.html') | |
130 | 328 |
131 assert set(manifest['background']['scripts']) == set( | 329 assert set(manifest['background']['scripts']) == set( |
132 scripts + ['devenvPoller__.js'] | 330 scripts + ['devenvPoller__.js'] |
133 ) | 331 ) |
134 else: | 332 else: |
135 assert 'qunit/index.html' not in filenames | |
136 | |
137 assert set(manifest['background']['scripts']) == set(scripts) | 333 assert set(manifest['background']['scripts']) == set(scripts) |
138 | 334 |
139 | 335 |
140 def assert_base_files(package): | 336 def assert_base_files(package, platform, prefix): |
141 filenames = set(package.namelist()) | 337 filenames = set(package.namelist()) |
142 | 338 |
143 assert 'bar.json' in filenames | 339 if platform == 'edge': |
144 assert 'manifest.json' in filenames | 340 assert 'AppxManifest.xml' in filenames |
145 assert 'lib/foo.js' in filenames | 341 assert 'AppxBlockMap.xml' in filenames |
146 assert 'foo/logo_50.png' in filenames | 342 assert '[Content_Types].xml' in filenames |
147 assert 'icons/logo_150.png' in filenames | 343 |
| 344 assert package.read('Assets/logo_44.png') == '44' |
| 345 assert package.read('Extension/icons/abp-44.png') == '44' |
| 346 |
| 347 assert os.path.join(prefix, 'bar.json') in filenames |
| 348 assert os.path.join(prefix, 'manifest.json') in filenames |
| 349 assert os.path.join(prefix, 'lib/foo.js') in filenames |
| 350 assert os.path.join(prefix, 'foo/logo_50.png') in filenames |
| 351 assert os.path.join(prefix, 'icons/logo_150.png') in filenames |
148 | 352 |
149 | 353 |
150 def assert_chrome_signature(filename, keyfile): | 354 def assert_chrome_signature(filename, keyfile): |
151 with open(filename, 'r') as fp: | 355 with open(filename, 'r') as fp: |
152 content = fp.read() | 356 content = fp.read() |
153 | 357 |
154 _, _, l_pubkey, l_signature = unpack('<4sIII', content[:16]) | 358 _, _, l_pubkey, l_signature = unpack('<4sIII', content[:16]) |
155 signature = content[16 + l_pubkey: 16 + l_pubkey + l_signature] | 359 signature = content[16 + l_pubkey: 16 + l_pubkey + l_signature] |
156 | 360 |
157 digest = SHA.new() | 361 digest = SHA.new() |
(...skipping 19 matching lines...) Expand all Loading... |
177 for match in re.finditer(r'__MSG_(\S+)__', manifest): | 381 for match in re.finditer(r'__MSG_(\S+)__', manifest): |
178 name = match.group(1) | 382 name = match.group(1) |
179 | 383 |
180 for other in translations[1:]: | 384 for other in translations[1:]: |
181 assert translations[0][name]['message'] == other[name]['message'] | 385 assert translations[0][name]['message'] == other[name]['message'] |
182 | 386 |
183 | 387 |
184 @pytest.mark.usefixtures( | 388 @pytest.mark.usefixtures( |
185 'all_lang_locales', | 389 'all_lang_locales', |
186 'locale_modules', | 390 'locale_modules', |
187 'gecko_import', | |
188 'icons', | 391 'icons', |
189 'lib_files', | 392 'lib_files', |
190 'chrome_metadata', | 393 'chrome_metadata', |
191 'gecko_webext_metadata', | 394 'gecko_webext_metadata', |
| 395 'edge_metadata', |
192 ) | 396 ) |
193 @pytest.mark.parametrize('platform', ['chrome', 'gecko-webext']) | 397 @pytest.mark.parametrize('platform,command', [ |
194 @pytest.mark.parametrize('dev_build_release,buildnum', [ | 398 ('chrome', 'development_build'), |
195 ('build', None), | 399 ('chrome', 'devenv'), |
196 ('build', '1337'), | 400 ('chrome', 'release_build'), |
197 ('devenv', None), | 401 ('gecko', 'development_build'), |
198 pytest.param('devenv', '1337', marks=pytest.mark.xfail), | 402 ('gecko', 'devenv'), |
199 ('release', None), | 403 ('gecko', 'release_build'), |
200 ('release', '1337'), | 404 ('edge', 'development_build'), |
| 405 ('edge', 'devenv'), |
| 406 ('edge', 'release_build'), |
201 ]) | 407 ]) |
202 def test_build_webext(platform, dev_build_release, keyfile, tmpdir, srcdir, | 408 def test_build_webext(platform, command, keyfile, tmpdir, srcdir, capsys): |
203 buildnum, capsys): | 409 release = command == 'release_build' |
204 release = dev_build_release == 'release' | 410 devenv = command == 'devenv' |
205 devenv = dev_build_release == 'devenv' | |
206 | 411 |
207 if platform == 'chrome' and release: | 412 if platform == 'chrome' and release: |
208 key = keyfile | 413 key = keyfile |
209 else: | 414 else: |
210 key = None | 415 key = None |
211 | 416 |
| 417 manifests = { |
| 418 'gecko': [('', 'manifest', 'json')], |
| 419 'chrome': [('', 'manifest', 'json')], |
| 420 'edge': [('', 'AppxManifest', 'xml'), |
| 421 ('Extension', 'manifest', 'json')], |
| 422 } |
| 423 |
212 filenames = { | 424 filenames = { |
213 'gecko-webext': 'adblockplusfirefox-1.2.3{}.xpi', | 425 'gecko': 'adblockplusfirefox-1.2.3{}.xpi', |
214 'chrome': 'adblockpluschrome-1.2.3{{}}.{}'.format( | 426 'chrome': 'adblockpluschrome-1.2.3{{}}.{}'.format( |
215 {True: 'crx', False: 'zip'}[release] | 427 {True: 'crx', False: 'zip'}[release] |
216 ), | 428 ), |
| 429 'edge': 'adblockplusedge-1.2.3{}.appx', |
217 } | 430 } |
218 | 431 |
219 expected_manifest = os.path.join( | 432 if platform == 'edge': |
220 os.path.dirname(__file__), | 433 prefix = 'Extension' |
221 'expecteddata', | 434 else: |
222 'manifest_{}_{}_{}.json'.format(platform, dev_build_release, buildnum), | 435 prefix = '' |
223 ) | 436 |
224 | 437 run_webext_build(platform, command, srcdir, keyfile=key) |
225 run_webext_build(platform, dev_build_release, srcdir, packagerChrome, | |
226 buildnum=buildnum, keyfile=key) | |
227 | 438 |
228 # The makeIcons() in packagerChrome.py should warn about non-square | 439 # The makeIcons() in packagerChrome.py should warn about non-square |
229 # icons via stderr. | 440 # icons via stderr. |
230 out, err = capsys.readouterr() | 441 out, err = capsys.readouterr() |
231 assert 'icon should be square' in err | 442 assert 'icon should be square' in err |
232 | 443 |
233 if devenv: | 444 if devenv: |
234 content_class = DirContent | 445 content_class = DirContent |
235 out_file_path = os.path.join(str(srcdir), 'devenv.' + platform) | 446 out_file_path = os.path.join(str(srcdir), 'devenv.' + platform) |
236 else: | 447 else: |
237 content_class = ZipContent | 448 content_class = ZipContent |
238 | 449 |
239 if release: | 450 if release: |
240 add_version = '' | 451 add_version = '' |
241 else: | 452 else: |
242 add_version = '.' + (buildnum or '0') | 453 add_version = '.1337' |
243 | 454 |
244 out_file = filenames[platform].format(add_version) | 455 out_file = filenames[platform].format(add_version) |
245 | 456 |
246 out_file_path = os.path.abspath(os.path.join( | 457 out_file_path = os.path.abspath(os.path.join( |
247 os.path.dirname(__file__), os.pardir, out_file)) | 458 os.path.dirname(__file__), os.pardir, out_file)) |
248 assert os.path.exists(out_file_path) | 459 assert os.path.exists(out_file_path) |
249 | 460 |
250 if release and platform == 'chrome': | 461 if release and platform == 'chrome': |
251 assert_chrome_signature(out_file_path, keyfile) | 462 assert_chrome_signature(out_file_path, keyfile) |
252 | 463 |
253 with content_class(out_file_path) as package: | 464 with content_class(out_file_path) as package: |
254 assert_manifest_content( | 465 assert_base_files(package, platform, prefix) |
255 package.read('manifest.json'), expected_manifest | 466 assert_all_locales_present(package, prefix) |
256 ) | 467 assert_webpack_bundle(package, prefix, platform == 'gecko') |
257 assert_base_files(package) | |
258 assert_devenv_scripts(package, devenv) | |
259 assert_all_locales_present(package, '_locales') | |
260 assert_gecko_locale_conversion(package) | |
261 assert_convert_js(package, platform == 'gecko-webext') | |
262 | 468 |
263 if platform == 'chrome': | 469 if platform == 'chrome': |
264 assert_locale_upfix(package) | 470 assert_locale_upfix(package) |
| 471 |
| 472 assert_devenv_scripts(package, prefix, devenv) |
| 473 |
| 474 for folder, name, ext in manifests[platform]: |
| 475 filename = '{{}}_{}_{}.{{}}'.format(platform, command) |
| 476 expected = os.path.join( |
| 477 os.path.dirname(__file__), |
| 478 'expecteddata', |
| 479 filename.format(name, ext), |
| 480 ) |
| 481 |
| 482 assert_manifest_content( |
| 483 package.read(os.path.join(folder, '{}.{}'.format(name, ext))), |
| 484 expected, |
| 485 ) |
LEFT | RIGHT |