Skip to content

Commit 0b6a502

Browse files
mohrrCQ Bot Account
authored and
CQ Bot Account
committed
pw_package: Initial commit
Add pw_package module. This manages dependencies that aren't pulled in through env setup. For now only nanopb is available through pw_package. Change-Id: Ib8a20102baf27d5964bb275088c265f9334b6ff3 Reviewed-on: https://pigweed-review.googlesource.com/c/pigweed/pigweed/+/22020 Reviewed-by: Anthony DiGirolamo <tonymd@google.com> Reviewed-by: Keir Mierle <keir@google.com> Commit-Queue: Rob Mohr <mohrr@google.com>
1 parent 407bdad commit 0b6a502

11 files changed

+450
-0
lines changed

PW_PLUGINS

+1
Original file line numberDiff line numberDiff line change
@@ -14,3 +14,4 @@
1414
presubmit pw_presubmit.pigweed_presubmit main
1515
heap-viewer pw_allocator.heap_viewer main
1616
rpc pw_hdlc_lite.rpc_console main
17+
package pw_package.pigweed_packages main

docs/BUILD.gn

+1
Original file line numberDiff line numberDiff line change
@@ -79,6 +79,7 @@ group("module_docs") {
7979
"$dir_pw_metric:docs",
8080
"$dir_pw_minimal_cpp_stdlib:docs",
8181
"$dir_pw_module:docs",
82+
"$dir_pw_package:docs",
8283
"$dir_pw_polyfill:docs",
8384
"$dir_pw_preprocessor:docs",
8485
"$dir_pw_presubmit:docs",

modules.gni

+1
Original file line numberDiff line numberDiff line change
@@ -51,6 +51,7 @@ declare_args() {
5151
dir_pw_minimal_cpp_stdlib = get_path_info("pw_minimal_cpp_stdlib", "abspath")
5252
dir_pw_module = get_path_info("pw_module", "abspath")
5353
dir_pw_fuzzer = get_path_info("pw_fuzzer", "abspath")
54+
dir_pw_package = get_path_info("pw_package", "abspath")
5455
dir_pw_polyfill = get_path_info("pw_polyfill", "abspath")
5556
dir_pw_preprocessor = get_path_info("pw_preprocessor", "abspath")
5657
dir_pw_presubmit = get_path_info("pw_presubmit", "abspath")

pw_package/BUILD.gn

+21
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,21 @@
1+
# Copyright 2020 The Pigweed Authors
2+
#
3+
# Licensed under the Apache License, Version 2.0 (the "License"); you may not
4+
# use this file except in compliance with the License. You may obtain a copy of
5+
# the License at
6+
#
7+
# https://www.apache.org/licenses/LICENSE-2.0
8+
#
9+
# Unless required by applicable law or agreed to in writing, software
10+
# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
11+
# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
12+
# License for the specific language governing permissions and limitations under
13+
# the License.
14+
15+
import("//build_overrides/pigweed.gni")
16+
17+
import("$dir_pw_docgen/docs.gni")
18+
19+
pw_doc_group("docs") {
20+
sources = [ "docs.rst" ]
21+
}

pw_package/docs.rst

+110
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,110 @@
1+
.. _module-pw_package:
2+
3+
==========
4+
pw_package
5+
==========
6+
The package module provides a mechanism to install additional tools used by
7+
Pigweed. Most Pigweed dependencies should be installed using
8+
:ref:`module-pw_env_setup`. Examples of reasons packages should be managed using
9+
this module instead are listed below.
10+
11+
* The dependency is extremely large and not commonly used.
12+
* The dependency has a number of compatible versions and we want to allow
13+
downstream projects to pick a version rather than being forced to use ours.
14+
* The dependency has license issues that make it complicated for Google to
15+
include it directly as a submodule or distribute it as a CIPD package.
16+
* The dependency needs to be "installed" into the system in some manner beyond
17+
just extraction and thus isn't a good match for distribution with CIPD.
18+
19+
-----
20+
Usage
21+
-----
22+
The package module can be accessed through the ``pw package`` command. This
23+
has several subcommands.
24+
25+
``pw package list``
26+
Lists all the packages installed followed by all the packages available.
27+
28+
``pw package install <package-name>``
29+
Installs ``<package-name>``. Exactly how this works is package-dependent,
30+
and packages can decide to do nothing because the package is current, do an
31+
incremental update, or delete the current version and install anew. Use
32+
``--force`` to remove the package before installing.
33+
34+
``pw package status <package-name>``
35+
Indicates whether ``<packagxe-name>`` is installed.
36+
37+
``pw package remove <package-name>``
38+
Removes ``<package-name>``.
39+
40+
-----------
41+
Configuring
42+
-----------
43+
44+
Compatibility
45+
~~~~~~~~~~~~~
46+
Python 3
47+
48+
Adding a New Package
49+
~~~~~~~~~~~~~~~~~~~~
50+
To add a new package create a class that subclasses ``Package`` from
51+
``pw_package/package_manager.py``.
52+
53+
.. code-block:: python
54+
55+
class Package:
56+
"""Package to be installed.
57+
58+
Subclass this to implement installation of a specific package.
59+
"""
60+
def __init__(self, name):
61+
self._name = name
62+
63+
@property
64+
def name(self):
65+
return self._name
66+
67+
def install(self, path: pathlib.Path) -> None:
68+
"""Install the package at path.
69+
70+
Install the package in path. Cannot assume this directory is empty—it
71+
may need to be deleted or updated.
72+
"""
73+
74+
def remove(self, path: pathlib.Path) -> None:
75+
"""Remove the package from path.
76+
77+
Removes the directory containing the package. For most packages this
78+
should be sufficient to remove the package, and subclasses should not
79+
need to override this package.
80+
"""
81+
if os.path.exists(path):
82+
shutil.rmtree(path)
83+
84+
def status(self, path: pathlib.Path) -> bool:
85+
"""Returns if package is installed at path and current.
86+
87+
This method will be skipped if the directory does not exist.
88+
"""
89+
90+
There's also a helper class for retrieving specific revisions of Git
91+
repositories in ``pw_package/git_repo.py``.
92+
93+
Then call ``pw_package.package_manager.register(PackageClass)`` to register
94+
the class with the package manager.
95+
96+
Setting up a Project
97+
~~~~~~~~~~~~~~~~~~~~
98+
To set up the package manager for a new project create a file like below and
99+
add it to the ``PW_PLUGINS`` file (see :ref:`module-pw_cli` for details). This
100+
file is based off of ``pw_package/pigweed_packages.py``.
101+
102+
.. code-block:: python
103+
104+
from pw_package import package_manager
105+
# These modules register themselves so must be imported despite appearing
106+
# unused.
107+
from pw_package.packages import nanopb
108+
109+
def main(argv=None) -> int:
110+
return package_manager.run(**vars(package_manager.parse_args(argv)))

pw_package/py/pw_package/git_repo.py

+71
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,71 @@
1+
# Copyright 2020 The Pigweed Authors
2+
#
3+
# Licensed under the Apache License, Version 2.0 (the "License"); you may not
4+
# use this file except in compliance with the License. You may obtain a copy of
5+
# the License at
6+
#
7+
# https://www.apache.org/licenses/LICENSE-2.0
8+
#
9+
# Unless required by applicable law or agreed to in writing, software
10+
# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
11+
# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
12+
# License for the specific language governing permissions and limitations under
13+
# the License.
14+
"""Install and check status of Git repository-based packages."""
15+
16+
import os
17+
import pathlib
18+
import shutil
19+
import subprocess
20+
from typing import Union
21+
22+
import pw_package.package_manager
23+
24+
PathOrStr = Union[pathlib.Path, str]
25+
26+
27+
def git_stdout(*args: PathOrStr,
28+
show_stderr=False,
29+
repo: PathOrStr = '.') -> str:
30+
return subprocess.run(['git', '-C', repo, *args],
31+
stdout=subprocess.PIPE,
32+
stderr=None if show_stderr else subprocess.DEVNULL,
33+
check=True).stdout.decode().strip()
34+
35+
36+
def git(*args: PathOrStr,
37+
repo: PathOrStr = '.') -> subprocess.CompletedProcess:
38+
return subprocess.run(['git', '-C', repo, *args], check=True)
39+
40+
41+
class GitRepo(pw_package.package_manager.Package):
42+
"""Install and check status of Git repository-based packages."""
43+
def __init__(self, url, commit, *args, **kwargs):
44+
super().__init__(*args, **kwargs)
45+
self._url = url
46+
self._commit = commit
47+
48+
def status(self, path: pathlib.Path) -> bool:
49+
if not os.path.isdir(path / '.git'):
50+
return False
51+
52+
remote = git_stdout('remote', 'get-url', 'origin', repo=path)
53+
commit = git_stdout('rev-parse', 'HEAD', repo=path)
54+
status = git_stdout('status', '--porcelain=v1', repo=path)
55+
return remote == self._url and commit == self._commit and not status
56+
57+
def install(self, path: pathlib.Path) -> None:
58+
# If already installed and at correct version exit now.
59+
if self.status(path):
60+
return
61+
62+
# Otherwise delete current version and clone again.
63+
if os.path.isdir(path):
64+
shutil.rmtree(path)
65+
66+
# --filter=blob:none means we don't get history, just the current
67+
# revision. If we later run commands that need history it will be
68+
# retrieved on-demand. For small repositories the effect is negligible
69+
# but for large repositories this should be a significant improvement.
70+
git('clone', '--filter=blob:none', self._url, path)
71+
git('reset', '--hard', self._commit, repo=path)
+147
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,147 @@
1+
# Copyright 2020 The Pigweed Authors
2+
#
3+
# Licensed under the Apache License, Version 2.0 (the "License"); you may not
4+
# use this file except in compliance with the License. You may obtain a copy of
5+
# the License at
6+
#
7+
# https://www.apache.org/licenses/LICENSE-2.0
8+
#
9+
# Unless required by applicable law or agreed to in writing, software
10+
# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
11+
# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
12+
# License for the specific language governing permissions and limitations under
13+
# the License.
14+
"""Install and remove optional packages."""
15+
16+
import argparse
17+
import logging
18+
import os
19+
import pathlib
20+
import shutil
21+
from typing import List
22+
23+
_LOG: logging.Logger = logging.getLogger(__name__)
24+
25+
26+
class Package:
27+
"""Package to be installed.
28+
29+
Subclass this to implement installation of a specific package.
30+
"""
31+
def __init__(self, name):
32+
self._name = name
33+
34+
@property
35+
def name(self):
36+
return self._name
37+
38+
def install(self, path: pathlib.Path) -> None: # pylint: disable=no-self-use
39+
"""Install the package at path.
40+
41+
Install the package in path. Cannot assume this directory is empty—it
42+
may need to be deleted or updated.
43+
"""
44+
45+
def remove(self, path: pathlib.Path) -> None: # pylint: disable=no-self-use
46+
"""Remove the package from path.
47+
48+
Removes the directory containing the package. For most packages this
49+
should be sufficient to remove the package, and subclasses should not
50+
need to override this package.
51+
"""
52+
if os.path.exists(path):
53+
shutil.rmtree(path)
54+
55+
def status(self, path: pathlib.Path) -> bool: # pylint: disable=no-self-use
56+
"""Returns if package is installed at path and current.
57+
58+
This method will be skipped if the directory does not exist.
59+
"""
60+
61+
62+
_PACKAGES = {}
63+
64+
65+
def register(package_class: type) -> None:
66+
obj = package_class()
67+
_PACKAGES[obj.name] = obj
68+
69+
70+
class PackageManager:
71+
"""Install and remove optional packages."""
72+
def __init__(self):
73+
self._pkg_root: pathlib.Path = None
74+
75+
def install(self, package: str, force=False):
76+
pkg = _PACKAGES[package]
77+
if force:
78+
self.remove(package)
79+
_LOG.info('Installing %s...', pkg.name)
80+
pkg.install(self._pkg_root / pkg.name)
81+
_LOG.info('Installing %s...done.', pkg.name)
82+
return 0
83+
84+
def remove(self, package: str): # pylint: disable=no-self-use
85+
pkg = _PACKAGES[package]
86+
_LOG.info('Removing %s...', pkg.name)
87+
pkg.remove(self._pkg_root / pkg.name)
88+
_LOG.info('Removing %s...done.', pkg.name)
89+
return 0
90+
91+
def status(self, package: str): # pylint: disable=no-self-use
92+
pkg = _PACKAGES[package]
93+
path = self._pkg_root / pkg.name
94+
if os.path.isdir(path) and pkg.status(path):
95+
_LOG.info('%s is installed.', pkg.name)
96+
return 0
97+
98+
_LOG.info('%s is not installed.', pkg.name)
99+
return -1
100+
101+
def list(self): # pylint: disable=no-self-use
102+
_LOG.info('Installed packages:')
103+
available = []
104+
for package in sorted(_PACKAGES.keys()):
105+
pkg = _PACKAGES[package]
106+
if pkg.status(self._pkg_root / pkg.name):
107+
_LOG.info(' %s', pkg.name)
108+
else:
109+
available.append(pkg.name)
110+
_LOG.info('')
111+
112+
_LOG.info('Available packages:')
113+
for pkg_name in available:
114+
_LOG.info(' %s', pkg_name)
115+
_LOG.info('')
116+
117+
return 0
118+
119+
def run(self, command: str, pkg_root: pathlib.Path, **kwargs):
120+
os.makedirs(pkg_root, exist_ok=True)
121+
self._pkg_root = pkg_root
122+
return getattr(self, command)(**kwargs)
123+
124+
125+
def parse_args(argv: List[str] = None) -> argparse.Namespace:
126+
parser = argparse.ArgumentParser("Manage packages.")
127+
parser.add_argument(
128+
'--package-root',
129+
'-e',
130+
dest='pkg_root',
131+
type=pathlib.Path,
132+
default=(pathlib.Path(os.environ['_PW_ACTUAL_ENVIRONMENT_ROOT']) /
133+
'packages'),
134+
)
135+
subparsers = parser.add_subparsers(dest='command', required=True)
136+
install = subparsers.add_parser('install')
137+
install.add_argument('--force', '-f', action='store_true')
138+
remove = subparsers.add_parser('remove')
139+
status = subparsers.add_parser('status')
140+
for cmd in (install, remove, status):
141+
cmd.add_argument('package', choices=_PACKAGES.keys())
142+
_ = subparsers.add_parser('list')
143+
return parser.parse_args(argv)
144+
145+
146+
def run(**kwargs):
147+
return PackageManager().run(**kwargs)
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,13 @@
1+
# Copyright 2020 The Pigweed Authors
2+
#
3+
# Licensed under the Apache License, Version 2.0 (the "License"); you may not
4+
# use this file except in compliance with the License. You may obtain a copy of
5+
# the License at
6+
#
7+
# https://www.apache.org/licenses/LICENSE-2.0
8+
#
9+
# Unless required by applicable law or agreed to in writing, software
10+
# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
11+
# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
12+
# License for the specific language governing permissions and limitations under
13+
# the License.

0 commit comments

Comments
 (0)