123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102 |
- #!/usr/bin/env python3
- """Update dependencies according to npm.json configurations using the NPM packagist.
- npm.json file is a JSON object key => dependency.
- - key: is the key name of the dependency. It will be the folder name where the dependency will be stored.
- - dependency: a JSON object key-pair value with the following meaning full keys:
- - package (optional): if provided, this is the NPM package name. Otherwise, key is used as an NPM package name.
- - version (optional): if provided, this will fix the version to use. Otherwise, the latest available NPM package version will be used.
- - destination: the destination folder where the dependency should end up.
- - keep: an array of regexp of files to keep within the downloaded NPM package.
- - rename: an array of rename rules (string replace). Used to change the package structure after download to match NiceGUI expectations.
- """
- import json
- import re
- import shutil
- import tarfile
- from pathlib import Path
- import requests
- def prepare(path: Path) -> Path:
- path.parent.mkdir(parents=True, exist_ok=True)
- return path
- def cleanup(path: Path) -> Path:
- shutil.rmtree(path, ignore_errors=True)
- return path
- def url_to_filename(url: str) -> str:
- return re.sub(r'[^a-zA-Z0-9]', '_', url)
- def download_buffered(url: str) -> Path:
- path = Path('/tmp/nicegui_dependencies')
- path.mkdir(exist_ok=True)
- filepath = path / url_to_filename(url)
- if not filepath.exists():
- response = requests.get(url, headers={'User-Agent': 'Mozilla/5.0'}, timeout=3)
- filepath.write_bytes(response.content)
- return filepath
- DEPENDENCIES = (Path(__file__).parent / 'DEPENDENCIES.md').open('w')
- DEPENDENCIES.write('# Included Web Dependencies\n\n')
- KNOWN_LICENSES = {
- 'MIT': 'https://opensource.org/licenses/MIT',
- 'ISC': 'https://opensource.org/licenses/ISC',
- 'Apache-2.0': 'https://opensource.org/licenses/Apache-2.0',
- }
- # Create a hidden folder to work in.
- tmp = cleanup(Path('.npm'))
- dependencies: dict[str, dict] = json.loads(Path('npm.json').read_text())
- for key, dependency in dependencies.items():
- # Reset destination folder.
- destination = prepare(Path('nicegui', dependency['destination'], key))
- # Get package info from NPM.
- package_name = dependency.get('package', key)
- npm_data = json.loads(download_buffered(f'https://registry.npmjs.org/{package_name}').read_text())
- npm_version = dependency.get('version', npm_data['dist-tags']['latest'])
- npm_tarball = npm_data['versions'][npm_version]['dist']['tarball']
- license_ = npm_data['versions'][npm_version]['license']
- print(f'{key}: {npm_version} - {npm_tarball} ({license_})')
- DEPENDENCIES.write(f'- {key}: {npm_version} ([{license_}]({KNOWN_LICENSES.get(license_, license_)}))\n')
- # Handle the special case of tailwind. Hopefully remove this soon.
- if 'download' in dependency:
- download_path = download_buffered(dependency['download'])
- shutil.copyfile(download_path, prepare(Path(destination, dependency['rename'])))
- # Download and extract.
- tgz_file = prepare(Path(tmp, key, f'{key}.tgz'))
- tgz_download = download_buffered(npm_tarball)
- shutil.copyfile(tgz_download, tgz_file)
- with tarfile.open(tgz_file) as archive:
- to_be_extracted: list[tarfile.TarInfo] = []
- for tarinfo in archive.getmembers():
- for keep in dependency['keep']:
- if re.match(f'^{keep}$', tarinfo.name):
- to_be_extracted.append(tarinfo) # TODO: simpler?
- archive.extractall(members=to_be_extracted, path=Path(tmp, key))
- for extracted in to_be_extracted:
- filename: str = extracted.name
- for rename in dependency['rename']:
- filename = filename.replace(rename, dependency['rename'][rename])
- newfile = prepare(Path(destination, filename))
- Path(tmp, key, extracted.name).rename(newfile)
- # Delete destination folder if empty.
- if not any(destination.iterdir()):
- destination.rmdir()
- cleanup(tmp)
|