summaryrefslogtreecommitdiff
path: root/db-check-package-libraries
blob: 612fc4ff32312ee1105431a7617e80613c4d146e (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
#!/usr/bin/env python3
# Copyright (C) 2012  Michał Masłowski  <mtjm@mtjm.eu>
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
# GNU Affero General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program.  If not, see <http://www.gnu.org/licenses/>.


"""
Check which libraries are provided or required by a package, store
this in a database, update and list broken packages.

Dependencies:

- Python 3.2 or later with SQLite 3 support

- ``bsdtar``

- ``readelf``
"""


import os.path
import re
import sqlite3
import subprocess
import tempfile


#: Regexp matching an interesting dynamic entry.
_DYNAMIC = re.compile(r"^\s*[0-9a-fx]+"
                      "\s*\((NEEDED|SONAME)\)[^:]*:\s*\[(.+)\]$")


def make_db(path):
    """Make a new, empty, library database at *path*."""
    con = sqlite3.connect(path)
    con.executescript("""
create table provided(
  library varchar not null,
  package varchar not null
);
create table used(
  library varchar not null,
  package varchar not null
);
""")
    con.close()


def begin(database):
    """Connect to *database* and start a transaction."""
    con = sqlite3.connect(database)
    con.execute("begin exclusive")
    return con


def add_provided(con, package, libraries):
    """Write that *package* provides *libraries*."""
    for library in libraries:
        con.execute("insert into provided (package, library) values (?,?)",
                    (package, library))


def add_used(con, package, libraries):
    """Write that *package* uses *libraries*."""
    for library in libraries:
        con.execute("insert into used (package, library) values (?,?)",
                    (package, library))


def remove_package(con, package):
    """Remove all entries for a package."""
    con.execute("delete from provided where package=?", (package,))
    con.execute("delete from used where package=?", (package,))


def add_package(con, package):
    """Add entries from a named *package*."""
    # Extract to a temporary directory.  This could be done more
    # efficiently, since there is no need to store more than one file
    # at once.
    with tempfile.TemporaryDirectory() as temp:
        tar = subprocess.Popen(("bsdtar", "xf", package, "-C", temp))
        tar.communicate()
        with open(os.path.join(temp, ".PKGINFO")) as pkginfo:
            for line in pkginfo:
                if line.startswith("pkgname ="):
                    pkgname = line[len("pkgname ="):].strip()
                    break
        # Don't list previously removed libraries.
        remove_package(con, pkgname)
        provided = set()
        used = set()
        # Search for ELFs.
        for dirname, dirnames, filenames in os.walk(temp):
            assert dirnames is not None  # unused, avoid pylint warning
            for file_name in filenames:
                path = os.path.join(dirname, file_name)
                with open(path, "rb") as file_object:
                    if file_object.read(4) != b"\177ELF":
                        continue
                readelf = subprocess.Popen(("readelf", "-d", path),
                                           stdout=subprocess.PIPE)
                for line in readelf.communicate()[0].split(b"\n"):
                    match = _DYNAMIC.match(line.decode("ascii"))
                    if match:
                        if match.group(1) == "SONAME":
                            provided.add(match.group(2))
                        elif match.group(1) == "NEEDED":
                            used.add(match.group(2))
                        else:
                            raise AssertionError("unknown entry type "
                                                 + match.group(1))
        add_provided(con, pkgname, provided)
        add_used(con, pkgname, used)


def init(arguments):
    """Initialize."""
    make_db(arguments.database)


def add(arguments):
    """Add packages."""
    con = begin(arguments.database)
    for package in arguments.packages:
        add_package(con, package)
    con.commit()
    con.close()


def remove(arguments):
    """Remove packages."""
    con = begin(arguments.database)
    for package in arguments.packages:
        remove_package(con, package)
    con.commit()
    con.close()


def check(arguments):
    """List broken packages."""
    con = begin(arguments.database)
    available = set(row[0] for row
                    in con.execute("select library from provided"))
    for package, library in con.execute("select package, library from used"):
        if library not in available:
            print(package, "needs", library)
    con.close()


def main():
    """Get arguments and run the command."""
    from argparse import ArgumentParser
    parser = ArgumentParser(prog="db-check-package-libraries",
                            description="Check packages for "
                            "provided/needed libraries")
    parser.add_argument("-d", "--database", type=str,
                        help="Database file to use",
                        default="package-libraries.sqlite")
    subparsers = parser.add_subparsers()
    subparser = subparsers.add_parser(name="init",
                                      help="initialize the database")
    subparser.set_defaults(command=init)
    subparser = subparsers.add_parser(name="add",
                                      help="add packages to database")
    subparser.add_argument("packages", nargs="+", type=str,
                           help="package files to add")
    subparser.set_defaults(command=add)
    subparser = subparsers.add_parser(name="remove",
                                      help="remove packages from database")
    subparser.add_argument("packages", nargs="+", type=str,
                           help="package names to remove")
    subparser.set_defaults(command=remove)
    subparser = subparsers.add_parser(name="check",
                                      help="list broken packages")
    subparser.set_defaults(command=check)
    arguments = parser.parse_args()
    arguments.command(arguments)


if __name__ == "__main__":
    main()